Как использовать экземпляр socket io для нескольких файлов в приложении express. js - PullRequest
0 голосов
/ 05 мая 2020

В моем приложении express, созданном с помощью express-generator, я хочу использовать io из socket.io в некоторых других файлах контроллера для отправки данных в клиентские сокеты. Мой подход ниже, но я получаю следующую ошибку. Было бы очень хорошо, если бы кто-нибудь мог мне помочь в этом случае.

(node: 11376) UnhandledPromiseRejectionWarning: TypeError: io.emit не является функцией в F: \ backend \ controllers \ LessonController. js: 169: 9

В приложениях express, сгенерированных express-generator, процесс создания сервера происходит в /bin/www.js. Я попытался импортировать оттуда экземпляр io и использовать его в другом файле, но это не сработало.

bin / www.js

#!/usr/bin/env node

var app = require('../app');
var debug = require('debug')('backend:server');
var http = require('http');

var port = normalizePort(process.env.PORT || '8080');
app.set('port', port);

var server = http.createServer(app);
const io = require('socket.io')(server);

server.listen(port);
server.on('error', onError);
server.on('listening', onListening);

// several other functions are omitted for brevity

module.exports = io;

LessonController. js

const Lesson = require('../models/Lesson');
const Course = require('../models/Course');
const User = require('../models/User');
const io = require('../bin/www')
var _ = require('lodash');

module.exports = {
    addComment: async (lessonId, userId, content, callback) => {
        const newData = {
            comments: {
                user: userId,
                content: content,
            },
        };

        Lesson.findOneAndUpdate({ _id: lessonId }, { $push: newData }, {new: true})
        .exec()
        .then(
            function (data) {
                if (data) {
                    io.emit("comment_"+lessonId,data)
                    callback(null, data);
                } else if (err) {
                    callback(err, null);
                }
            }
        )
    }
};

Ответы [ 2 ]

1 голос
/ 09 мая 2020

Вы можете попробовать экспортировать экземпляр socket.io на глобальный уровень и получить доступ к нему по мере необходимости.

Мой проект также был создан с помощью express -generator, поэтому следует тому же шаблону.

В моем проекте я хотел бы подсчитать текущее количество активных пользователей на домашней странице.

Вот пример:

bin / www*1011*

#!/usr/bin/env node
const app = require('../app');
const http = require('http').Server(app);
const io = require('socket.io')(http)
http.listen(process.env.PORT);
io.on('connection', (socket) => {    
    const qtd = socket.client.conn.server.clientsCount;
    io.emit('novaconexao', qtd);
    socket.on('disconnect', () => {
        io.emit('disconnecteduser', qtd - 1);
    });
});
app.set('socketio', io);//here you export my socket.io to a global       

console.log('Microsservice login listening at http://localhost:%s', process.env.PORT);

сервер / индекс. js

const router = require('express').Router();
router.get('/', (req, res) => {
    const io = req.app.get('socketio'); //Here you use the exported socketio module
    console.log(io.client.conn.server.clientsCount)
    io.emit('new-user', {qtd: io.client.conn.server.clientsCount})
    res.status(200).json({ msg: 'server up and running' });
})
module.exports = router;

Следуя этой стратегии, вы можете использовать socketio на любом маршруте в вашем приложении.

0 голосов
/ 09 мая 2020

Вот решение

Создать модуль io. js

const sio = require('socket.io');

let io = null;
module.exports = {
    //Initialize the socket server
    initialize: function(httpServer) {
        io = sio(httpServer);
        io.on('connection', function(socket) {
            console.log('New client connected with id = ', socket.id);
            socket.on('disconnect', function(reason) {
                console.log('A client disconnected with id = ', socket.id, " reason ==> ", reason);
            });
        });

    },
    //return the io instance
    getInstance: function() {
        return io;
    }
}

In bin / www.js

var server = http.createServer(app);
require('path_to_io_js/io').initialize(server);

В ваших контроллерах / LessonController. js

//require the io module
const socket = require('path_to_io_js/io');
module.exports = {
    addComment: async (lessonId, userId, content, callback) => {
        const newData = { comments: { user: userId, content: content, }, };
        Lesson.findOneAndUpdate({ _id: lessonId }, { $push: newData }, { new: true })
            .exec().then(function (data) {
                if (data) {
                    //get the io instance
                    const io = socket.getInstance();
                    io.emit("comment_" + lessonId, data)
                }
                callback(null, data);
            }).catch(err => {
                callback(err);
            })
    }
};
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...