web-dev-qa-db-ja.com

nodeJS + Socket.IOとPHPを統合するには?

私は最近、nodeJSとPHPの間で通信するための良い方法を見つけるために探し回っています。ここにアイデアがあります:nodeJSはまだ非常に新しく、それだけで完全なアプリケーションを開発するのはちょっと難しいかもしれません。さらに、リアルタイム通知、チャットなど、プロジェクトの1つのモジュールにのみ必要になる場合があります。そして、PHPを使用して他のすべてのものを管理したい場合があります。 CodeIgniterやSymfonyなどの既存のフレームワーク)。

簡単な解決策が欲しいです。 ApacheとNodeサーバー間の通信にcURLまたは3番目のサーバーを使用したくありません。私が望むのは、クライアント側の単純なJavascriptでノードからイベントをキャッチできるようにすることです。

完全な場合、ほとんどの場合、クライアント側がノードサーバーで実行されていたため、私の場合は該当しないという答えは見つかりませんでした。そこで、考えられるすべてのトピックをクロールし、最終的に答えを見つけました。私はこれを共有し、それがすべて明確である点を持ちます。

これが一部の人々を助けることを願っています! ;)

98

それで、最初に、完全なコードにアクセスしたい場合、プロジェクトをgithubに配置します。 https://github.com/jdutheil/nodePHP

これは非常に単純なサンプルプロジェクトです。Webチャットです。作成者とメッセージがあり、送信を押すと、それはmysqlデータベースに保存されます。アイデアは、リアルタイムの更新を送信し、実際の会話をすることです。 ;)そのためにnodeJSを使用します。

PHPコードについては説明しませんが、ここでは本当に単純であり、ここでは面白くありません。私がお見せしたいのは、nodeJSコードを統合する方法です。

私はexpressとSocket.IOを使用していますので、これらのモジュールは必ずnpmでインストールしてください。次に、単純なnodeJSサーバーを作成します。

var socket = require( 'socket.io' );
var express = require( 'express' );
var http = require( 'http' );

var app = express();
var server = http.createServer( app );

var io = socket.listen( server );

io.sockets.on( 'connection', function( client ) {
    console.log( "New client !" );

    client.on( 'message', function( data ) {
        console.log( 'Message received ' + data.name + ":" + data.message );

        io.sockets.emit( 'message', { name: data.name, message: data.message } );
    });
});

server.listen( 8080 );

新しいユーザーが接続されたときにイベントコールバックを登録しました。メッセージ(チャットメッセージを表す)を受信するたびに、接続されているすべてのユーザーにメッセージをブロードキャストします。さて、トリッキーな部分:クライアント側!これはほとんどの時間を費やした部分です。nodeServerなしでSocket.IOコードを実行できるスクリプトがわからないためです(クライアントページはApacheによって提供されるため)。

しかし、すべてはすでに完了しています。 npmでSocket.IOモジュールをインストールすると、/node_modules/socket.io/node_modules/socket.io-client/dist/socket.io.jsでスクリプトが利用可能になります。私の場合、PHPページに含めるスクリプト:

    <script src="js/node_modules/socket.io/node_modules/socket.io-client/dist/socket.io.js"></script>
    <script src="js/nodeClient.js"></script>

最後に、nodeClient.jsでノードサーバーに接続し、イベントがページを更新するのを待ちます。 ;)

var socket = io.connect( 'http://localhost:8080' );

$( "#messageForm" ).submit( function() {
    var nameVal = $( "#nameInput" ).val();
    var msg = $( "#messageInput" ).val();

    socket.emit( 'message', { name: nameVal, message: msg } );

    // Ajax call for saving datas
    $.ajax({
        url: "./ajax/insertNewMessage.php",
        type: "POST",
        data: { name: nameVal, message: msg },
        success: function(data) {

        }
    });

    return false;
});

socket.on( 'message', function( data ) {
    var actualContent = $( "#messages" ).html();
    var newMsgContent = '<li> <strong>' + data.name + '</strong> : ' + data.message + '</li>';
    var content = newMsgContent + actualContent;

    $( "#messages" ).html( content );
});

できるだけ早くコードを更新して改善しようとしますが、すべてのクールなものにすでに開放されていると思います!私はこのことについてアドバイスやレビューを本当に受け付けています。それを行う良い方法ですか?

これが一部の人々に役立つことを願っています!

130

私には非常にうまく機能する別のソリューションがありますが、実際のサーバーでテストする機会が(まだ)ないので、それがどれほど効果的かについて誰かにコメントしてもらいたいです。

次にnode-jsコードを示します。このコードをnodeserver.jsというファイルに入れます。

var http = require('http');

http.createServer(function (req, res) {
    res.writeHead(200, {'Content-Type': 'text/html'});

    var knall = new Object();
    knall.totten = "4 tomtar";
    knall.theArr = new Array();
    knall.theArr.Push("hoppla")
    knall.theArr.Push("hej")
    var strKnall = JSON.stringify(knall);

    res.end(strKnall);
}).listen(process.env.PORT);  

そして、これはphpの簡単なコードです。file_get_contents()の助けを借りてnode-jsサーバーを呼び出します:

$json = file_get_contents('http://localhost:3002/knall.json');
$obj = json_decode($json);

Php-pageをロードすると、nodeserver.jsページが呼び出され、knall-objectがjsonifyされます。

Windows 10のiisで2つのlocalhost-installationが実行されており、1つの標準php-serverがあり、nodejs-serverはきちんとした iisnode パッケージで動作します。

「実」サーバーは、ubuntuで実行されます。

これは2つのサーバー間の通信のためのきちんとした簡単なソリューションだと思いますが、誰かがそれについてコメントしているのではないでしょうか?

2
Snorvarg

同様に試すか、ブログで nodejsの完全なサンプルコード を確認できます


ページ側で:

  • ソケットJSのロード

https://cdnjs.cloudflare.com/ajax/libs/socket.io/2.2.0/socket.io.js

  • ソケットのオブジェクトを作成する

var socket = io();

  • emit関数を使用して、nodeserverにデータを送信します。

socket.emit( 'new_notification'、{
message: 'message'、
title: 'title'、
icon: 'icon'、
});

これで、コードは次のようになります

<script src="https://cdnjs.cloudflare.com/ajax/libs/socket.io/2.2.0/socket.io.js"></script>

var socket = io(); 

$(document).ready(function($) {
  $('.rules-table').on('click', '.runRule', function(event) {
    event.preventDefault();
    /* Act on the event */
    var ruleID = $(this).parents('tr').attr('id');

    // send notification before going to post 
    socket.emit('new_notification', {
        message: 'Messge is ready to sent',
        title: title,
        icon: icon,
    });
    $.ajax({
      url: '/ajax/run-rule.php',
      type: 'POST',
      dataType: 'json',
      data: {
        ruleID: ruleID
      },
    })
    .done(function(data) {
      console.log(data);

      // send notification when post success 
      socket.emit('new_notification', {
        message: 'Messge was sent',
        title: title,
        icon: icon,
      });

    })
    .fail(function() {
      console.log("error");

      // send notification when post failed 
      socket.emit('new_notification', {
        message: 'Messge was failed',
        title: title,
        icon: icon,
      });
    })
    .always(function() {
      console.log("complete");
    });

  });
});

Nodeサーバー側では、リクエストのハンドラーを作成してリクエストを取得し、接続されているすべてのデバイス/ブラウザー(server.js)にメッセージを送信します。

var app = require('express')();
var http = require('http').Server(app);
var io = require('socket.io')(http);

app.get('/', function(req, res) {
   res.sendfile('index.html');
});


io.on('connection', function (socket) {
  socket.on( 'new_notification', function( data ) {
    console.log(data.title,data.message);

    // Now Emit this message to all connected devices
    io.sockets.emit( 'show_notification', { 
      title: data.title, 
      message: data.message, 
      icon: data.icon, 
    });
  });
});

http.listen(3000, function() {
   console.log('listening on localhost:3000');
});

これで、クライアント/ブラウザ/クライアント側は、ノードサーバーからソケットメッセージを受信するレシーバーを作成します。

<script src="https://cdnjs.cloudflare.com/ajax/libs/socket.io/2.2.0/socket.io.js"></script>   

var socket = io();

/**
 * Set Default Socket For Show Notification
 * @param {type} data
 * @returns {undefined}
 */
socket.on('show_notification', function (data) {
    showDesktopNotification(data.title, data.message, data.icon);
});
/**
 * Set Notification Request
 * @type type
 */
function setNotification() {
    showDesktopNotification('Lokesh', 'Desktop Notification..!', '/index.jpeg');
    sendNodeNotification('Lokesh', 'Browser Notification..!', '/index.jpeg');
}
/**
 * Check Browser Notification Permission
 * @type window.Notification|Window.Notification|window.webkitNotification|Window.webkitNotification|Window.mozNotification|window.mozNotification
 */
var Notification = window.Notification || window.mozNotification || window.webkitNotification;
Notification.requestPermission(function (permission) {
});
/**
 * Request Browser Notification Permission 
 * @type Arguments
 */
function requestNotificationPermissions() {
    if (Notification.permission !== 'denied') {
        Notification.requestPermission(function (permission) {
        });
    }
}
/**
 * Show Desktop Notification If Notification Allow
 * @param {type} title
 * @param {type} message
 * @param {type} icon
 * @returns {undefined}
 */
function showDesktopNotification(message, body, icon, sound, timeout) {
    if (!timeout) {
        timeout = 4000;
    }
    requestNotificationPermissions();
    var instance = new Notification(
            message, {
                body: body,
                icon: icon,
                sound: sound
            }
    );
    instance.onclick = function () {
        // Something to do
    };
    instance.onerror = function () {
        // Something to do
    };
    instance.onshow = function () {
        // Something to do
    };
    instance.onclose = function () {
        // Something to do
    };
    if (sound)
    {
        instance.sound;
    }
    setTimeout(instance.close.bind(instance), timeout);
    return false;
}
0
vikujangid