這篇文章給大家分享的是有關Nodejs如何實現(xiàn)多房間簡易聊天室功能的內容。小編覺得挺實用的,因此分享給大家做個參考,一起跟隨小編過來看看吧。
網站建設哪家好,找創(chuàng)新互聯(lián)!專注于網頁設計、網站建設、微信開發(fā)、微信平臺小程序開發(fā)、集團企業(yè)網站建設等服務項目。為回饋新老客戶創(chuàng)新互聯(lián)還提供了孝昌免費建站歡迎大家使用!JS是JavaScript的簡稱,它是一種直譯式的腳本語言,其解釋器被稱為JavaScript引擎,是瀏覽器的一部分,主要用于web的開發(fā),可以給網站添加各種各樣的動態(tài)效果,讓網頁更加美觀。
1、前端界面代碼
前端不是重點,夠用就行,下面是前端界面,具體代碼可到github下載。
2、服務器端搭建
本服務器需要提供兩個功能:http服務和websocket服務,由于node的事件驅動機制,可將兩種服務搭建在同一個端口下。
1、包描述文件:package.json,這里用到了兩個依賴項,mime:確定靜態(tài)文件mime類型,socket.io:搭建websocket服務,然后使用npm install 安裝依賴
{ "name": "chat_room", "version": "1.0.0", "description": "this is a room where you can chat with your friends", "main": "index.js", "scripts": { "test": "echo \"Error: no test specified\" && exit 1" }, "author": "sfs", "license": "ISC", "dependencies": { "socket.io":"2.0.3", "mime":"1.3.6" } }
2、http服務器
http服務主要是給web瀏覽器提供靜態(tài)文件,既瀏覽器發(fā)來一個請求,服務器返回一個響應。
const http=require('http'), fs=require('fs'), path=require('path'), mime=require('mime'), chatServer=require('./lib/chat_server'); var cache={};//緩存靜態(tài)文件內容 //發(fā)送錯誤響應 function send404(response){ response.writeHead(404,{'Content-Type':'text/plain'}); response.write('Error 4.4:文件未找到。'); response.end(); } //發(fā)送文件內容 function sendFile(response,filePath,fileContents){ response.writeHead( 200, {"content-Type":mime.lookup(path.basename(filePath))} ); response.end(fileContents); } //查找文件 function serveStatic(response,cache,absPath){ if(cache[absPath]){ sendFile(response,absPath,cache[absPath]); }else{ fs.exists(absPath,function(exists){ if(exists){ fs.readFile(absPath,function(err,data){ if(err){ send404(response); }else{ cache[absPath]=data; sendFile(response,absPath,data); } }); }else{ send404(response); } }); } } //入口 var server=http.createServer(function(request,response){ var filePath=false; console.log(`new request for ${request.url}`); if(request.url==='/'){ filePath='public/index.html'; }else{ filePath='public'+request.url; } var absPath='./'+filePath; serveStatic(response,cache,absPath); }); server.listen(3000,function(){ console.log("the server is listening on prot 3000."); }); chatServer.listen(server); //websocket服務也綁定到該端口上
3、socket服務
socket.io提供了開箱既用的虛擬通道,所以不需要任務手動轉發(fā)消息到已連接的的用戶,可以使用 socket.broadcast.to(room).emit('message','hello'); room為某個聊天室id
const socketio=require('socket.io'); var io, guestNumber=1, //用戶編號 nickNames={}, //socket id對應的nickname namesUsed={}, //所有已使用的nickname allRooms={}, //聊天室--人數(shù) currentRoom={}; //sockid--聊天室 module.exports.listen=function(server){ io=socketio.listen(server); io.serveClient('log level',1); io.sockets.on('connection',function(socket){ guestNumber=assignGuestName(socket,guestNumber,nickNames); joinRoom(socket,'Lobby'); handleMessageBroadcasting(socket,nickNames); handleNameChangeAttempts(socket,nickNames,namesUsed); handleRoomJoining(socket); socket.on('rooms',function(){ socket.emit('rooms',JSON.stringify(allRooms)); }); handleClientDisconnection(socket,nickNames,namesUsed); }); }; //新socket連入,自動分配一個昵稱 function assignGuestName(socket,guesetNumber,nickNames){ var name='Guest'+guestNumber; nickNames[socket.id]=name; socket.emit('nameResult',{ success:true, name:name }); namesUsed[name]=1; return guestNumber+1; } //加入某個聊天室 function joinRoom(socket,room){ socket.join(room); var num=allRooms[room]; if(num===undefined){ allRooms[room]=1; }else{ allRooms[room]=num+1; } currentRoom[socket.id]=room; socket.emit('joinResult',{room:room}); socket.broadcast.to(room).emit('message',{ text:nickNames[socket.id]+' has join '+room+'.' }); var usersinRoom=io.sockets.adapter.rooms[room]; if(usersinRoom.length>1){ var usersInRoomSummary='Users currently in '+room+' : '; for(var index in usersinRoom.sockets){ if(index!=socket.id){ usersInRoomSummary+=nickNames[index]+','; } } socket.emit('message',{text:usersInRoomSummary}); } } //修改昵稱 function handleNameChangeAttempts(socket,nickNames,namesUsed){ socket.on('nameAttempt',function(name){ if(name.indexOf('Guest')==0){ socket.emit('nameResult',{ success:false, message:'Names cannot begin with "Guest".' }); }else{ if(namesUsed[name]==undefined){ var previousName=nickNames[socket.id]; delete namesUsed[previousName]; namesUsed[name]=1; nickNames[socket.id]=name; socket.emit('nameResult',{ success:true, name:name }); socket.broadcast.to(currentRoom[socket.id]).emit('message',{ text:previousName+' is now known as '+name+'.' }); }else{ socket.emit('nameResult',{ success:false, message:'That name is already in use.' }); } } }); } //將某個用戶的消息廣播到同聊天室下的其他用戶 function handleMessageBroadcasting(socket){ socket.on('message',function(message){ console.log('message:---'+JSON.stringify(message)); socket.broadcast.to(message.room).emit('message',{ text:nickNames[socket.id]+ ': '+message.text }); }); } //加入/創(chuàng)建某個聊天室 function handleRoomJoining(socket){ socket.on('join',function(room){ var temp=currentRoom[socket.id]; delete currentRoom[socket.id]; socket.leave(temp); var num=--allRooms[temp]; if(num==0) delete allRooms[temp]; joinRoom(socket,room.newRoom); }); } //socket斷線處理 function handleClientDisconnection(socket){ socket.on('disconnect',function(){ console.log("xxxx disconnect"); allRooms[currentRoom[socket.id]]--; delete namesUsed[nickNames[socket.id]]; delete nickNames[socket.id]; delete currentRoom[socket.id]; }) }
3、客戶端實現(xiàn)socket.io
1、chat.js處理發(fā)送消息,變更房間,聊天命令。
var Chat=function(socket){ this.socket=socket;//綁定socket } //發(fā)送消息 Chat.prototype.sendMessage=function(room,text){ var message={ room:room, text:text }; this.socket.emit('message',message); }; //變更房間 Chat.prototype.changeRoom=function(room){ this.socket.emit('join',{ newRoom:room }); }; //處理聊天命令 Chat.prototype.processCommand=function(command){ var words=command.split(' '); var command=words[0].substring(1,words[0].length).toLowerCase(); var message=false; switch(command){ case 'join': words.shift(); var room=words.join(' '); this.changeRoom(room); break; case 'nick': words.shift(); var name=words.join(' '); this.socket.emit('nameAttempt',name); break; default: message='Unrecognized command.'; break; } return message; };
2、chat_ui.js 處理用戶輸入,根據(jù)輸入調用chat.js的不同方法發(fā)送消息給服務器
function divEscapedContentElement(message){ return $('<div></div>').text(message); } function divSystemContentElement(message){ return $('<div></div>').html('<i>'+message+'</i>'); } function processUserInput(chatApp,socket){ var message=$('#send-message').val(); var systemMessage; if(message.charAt(0)=='/'){ systemMessage=chatApp.processCommand(message); if(systemMessage){ $('#messages').append(divSystemContentElement(systemMessage)); } }else{ chatApp.sendMessage($('#room').text(),message); $('#messages').append(divSystemContentElement(message)); $('#messages').scrollTop($('#messages').prop('scrollHeight')); } $('#send-message').val(''); }
3、init.js客戶端程序初始化 創(chuàng)建一個websocket連接,綁定事件。
if(window.WebSocket){ console.log('This browser supports WebSocket'); }else{ console.log('This browser does not supports WebSocket'); } var socket=io.connect(); $(document).ready(function(){ var chatApp=new Chat(socket); socket.on('nameResult',function(result){ var message; if(result.success){ message='You are known as '+result.name+'.'; }else{ message=result.message; } console.log("nameResult:---"+message); $('#messages').append(divSystemContentElement(message)); $('#nickName').text(result.name); }); socket.on('joinResult',function(result){ console.log('joinResult:---'+result); $('#room').text(result.room); $('#messages').append(divSystemContentElement('Room changed.')); }); socket.on('message',function(message){ console.log('message:---'+message); var newElement=$('<div></div>').text(message.text); $('#messages').append(newElement); $('#messages').scrollTop($('#messages').prop('scrollHeight')); }); socket.on('rooms',function(rooms){ console.log('rooms:---'+rooms); rooms=JSON.parse(rooms); $('#room-list').empty(); for(var room in rooms){ $('#room-list').append(divEscapedContentElement(room+':'+rooms[room])); } $('#room-list div').click(function(){ chatApp.processCommand('/join '+$(this).text().split(':')[0]); $('#send-message').focus(); }); }); setInterval(function(){ socket.emit('rooms'); },1000); $('#send-message').focus(); $('#send-button').click(function(){ processUserInput(chatApp,socket); }); });
感謝各位的閱讀!關于“Nodejs如何實現(xiàn)多房間簡易聊天室功能”這篇文章就分享到這里了,希望以上內容可以對大家有一定的幫助,讓大家可以學到更多知識,如果覺得文章不錯,可以把它分享出去讓更多的人看到吧!
另外有需要云服務器可以了解下創(chuàng)新互聯(lián)建站jinyejixie.com,海內外云服務器15元起步,三天無理由+7*72小時售后在線,公司持有idc許可證,提供“云服務器、裸金屬服務器、高防服務器、香港服務器、美國服務器、虛擬主機、免備案服務器”等云主機租用服務以及企業(yè)上云的綜合解決方案,具有“安全穩(wěn)定、簡單易用、服務可用性高、性價比高”等特點與優(yōu)勢,專為企業(yè)上云打造定制,能夠滿足用戶豐富、多元化的應用場景需求。
本文題目:Nodejs如何實現(xiàn)多房間簡易聊天室功能-創(chuàng)新互聯(lián)
鏈接分享:http://jinyejixie.com/article12/dehcgc.html
成都網站建設公司_創(chuàng)新互聯(lián),為您提供網站維護、Google、商城網站、網站排名、自適應網站、網站收錄
聲明:本網站發(fā)布的內容(圖片、視頻和文字)以用戶投稿、用戶轉載內容為主,如果涉及侵權請盡快告知,我們將會在第一時間刪除。文章觀點不代表本網站立場,如需處理請聯(lián)系客服。電話:028-86922220;郵箱:631063699@qq.com。內容未經允許不得轉載,或轉載時需注明來源: 創(chuàng)新互聯(lián)
猜你還喜歡下面的內容