Ssh-chat, parte 2

Hola Habr Este es el artículo 2 del bucle ssh-chat.


Lo que haremos:


  • Agregue la capacidad de crear sus propias funciones de diseño.
  • Agregar soporte de rebajas
  • Agregar soporte de bot
  • Aumentar la seguridad de la contraseña (hash y salt)
    Por desgracia, no habrá envío de archivos

Características de diseño personalizadas


Soporte implementado actualmente para las siguientes características de diseño:


  • @color
  • @bold
  • @underline
  • @hex
  • @box
    Pero vale la pena agregar la capacidad de crear sus propias funciones:
    Todas las funciones se almacenan en un methods
    Por lo tanto, será suficiente crear la función registerMethod :

 // parserExec.js at end module.exports.registerMethod = function(name, func) { methods[name] = func } 

También debe devolver este método después de crear el servidor.


 // index.js at require part const { registerMethod } = require('./parserExec') // index.js at end module.exports.registerMethod = registerMethod 

Ahora, al crear un servidor, podemos registrar métodos de formateo. Un ejemplo:


 const chat = require('.') const { formatNick } = require('./format') chat({}) chat.registerMethod('hello', function(p, name){ return 'Hi, ' + formatNick(name) + '!' }) 


Markdown support


Markdown es muy conveniente, así que agréguelo usando la terminal marcada


 // format.js near require const marked = require('marked'); const TerminalRenderer = require('marked-terminal'); marked.setOptions({ renderer: new TerminalRenderer() }); // format.js line 23 message = marked(message) 


Bots


Como va a funcionar


 let writeBotBob = chat.registerBot({ name: 'botBob', onConnect(nick, write){ write('@hello{' + nick + '}') }, onDisconnect(nick, write){}, onMessage(nick, message, write) { if(message == 'botBob!') write('I\'m here') }, onCommand(command, write) { write('Doing ' + command) } }) 

onCommand puede llamar a @bot(botBob){Command} usando @bot(botBob){Command}


Todo para trabajar con bots se describe en el archivo:


 let bots = []; //   let onWrite = () => {}; function getWrite(bot) { //       return msg => { onWrite(bot.name, msg); }; } module.exports.message = function message(nick, message) { // index.js       bots.forEach(bot => { try { bot.onMessage(nick, message, getWrite(bot)); } catch (e) { console.error(e); } }); }; module.exports.connect = function message(nick) { //   bots.forEach(bot => { try { bot.onConnect(nick, getWrite(bot)); } catch (e) { console.error(e); } }); }; module.exports.disConnect = function message(nick) { //   bots.forEach(bot => { try { bot.onDisconnect(nick, message, getWrite(bot)); } catch (e) { console.error(e); } }); }; module.exports.command = function message(name, message) { //    bots.forEach(bot => { if (bot.name == name) { try { bot.onCommand(message, getWrite(bot)); } catch (e) { console.error(e); } } }); }; module.exports.registerBot = function(bot) { bots.push(bot); return getWrite(bot) }; module.exports.onMessage = func => { onWrite = func; }; 


Qué se puede hacer con los bots:


  • Monitor de carga
  • Implementar
  • Tablero de tareas

Hash y sal


¿Por qué no claves ssh? Porque las claves ssh serán diferentes en diferentes dispositivos
Cree un archivo en el que será responsable de verificar y crear contraseñas


 // crypto.js const crypto = require('crypto'); function genRandomString(length) { return crypto .randomBytes(Math.ceil(length / 2)) .toString('hex') .slice(0, length); } function sha512(password, salt){ const hash = crypto.createHmac('sha512', salt); /** Hashing algorithm sha512 */ hash.update(password); const value = hash.digest('hex'); return value }; function checkPass(pass, obj){ return obj.password == sha512(pass, obj.salt) } function encodePass(pass){ const salt = genRandomString(16) return JSON.stringify({ salt, password: sha512(pass, salt) }) } module.exports.encodePass = encodePass module.exports.checkPass = checkPass 

También una secuencia de comandos para salar y hash una contraseña


 // To generate password run node ./encryptPassword password const { encodePass } =require('./crypto') console.log(encodePass(process.argv[2])) 

Actualizamos en users.json y en lugar de comparación en lobby.js usamos checkPassword


Resumen


Como resultado, tenemos chat ssh con opciones de diseño y bots.
Repositorio final

Source: https://habr.com/ru/post/467543/


All Articles