- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我已经开始聊天了,但我已经将用户的 ID 硬编码到 Chat.php 中。
当他们登录站点时,我的登录名将他们的电子邮件设置为 session ( $_SESSION['email']=$email;
)。
我可以在聊天表单中使用他们的 ID 放置一个隐藏字段并将其传递到 Chat.php,但我认为有更好的方法。
免责声明:我知道它的编码不是很好,我只是想学习它,让它工作,然后更好地编码。
chat_box.php
<?php
echo '<div id="chatbox" class="nav chatbox">',
'<div class="chatbox-1">',
'</div>',
'<div id="send_chat" class="send_chat">',
'<input type="text" class="text" id="chatsay" name="chatsay" maxlength="200" autocomplete="off">',
'<button class="submit-chatsend" id="chatsend">Send</button>',
'</div>',
'</div>';
window.connect = function () {
window.ws = $.websocket("ws://domain.com:8080/", {
open: function () {
},
close: function () {
},
events: {
fetch: function (e) {
},
single: function (e) {
var elem = e.data;
if (elem.type == "text") {
var html = "<div class='msg' id='" + elem.id + "'><div class='name'>" + elem.name + "</div><div class='msgc'>" + elem.msg.linkify() + "<div class='posted'><time class='timeago' datetime='" + elem.posted + "'>" + elem.posted + "</time></div></div></div>";
if (typeof elem.append != "undefined") {
$(".msg:last").remove();
}
if (typeof elem.earlier_msg == "undefined") {
$(".chatbox .chatbox-1").append(html);
$.scrollToBottom();
}
else {
$(".chatbox .chatbox-1 #load_earlier_messages").remove();
$(".chatbox .chatbox-1 .msg:first").before(html);
}
}
else if (elem.type == "more_messages") {
$(".chatbox .chatbox-1 .msg:first").before("<a id='load_earlier_messages'>Load Earlier Messages...</a>");
}
$("time.timeago").timeago();
}
}
});
};
$(document).ready(function () {
connect();
$(document).on("click", "#load_earlier_messages", function () {
ws.send("fetch", {"id": $(".msg:first").attr("id")});
});
$('#chatsend').click(function () { //use clicks message send button
var chatsay_val = $('#chatsay').val(); //get message text
if (chatsay_val != "") {
ws.send("send", {"type": "text", "msg": chatsay_val});
$('#chatsay').val(''); //reset text
}
});
});
<?php
namespace MyApp;
use DateTime;
use DateTimeZone;
use Exception;
use PDO;
use Ratchet\MessageComponentInterface;
use Ratchet\ConnectionInterface;
class Chat implements MessageComponentInterface
{
protected $clients=array();
private $dbh;
/**
* Chat constructor.
*/
public function __construct()
{
global $db_host;
global $db_username;
global $db_password;
global $db;
require_once BASE_PATH.'modules'.DS.'Database'.DS.'Database.php';
$database=new Database($db_host, $db, $db_username, $db_password);
$this->dbh=$database;
}
/**
* @param ConnectionInterface $conn
*/
public function onOpen(ConnectionInterface $conn)
{
$this->clients[$conn->resourceId]=$conn;
echo "New connection! ({$conn->resourceId})\n";
$this->fetchMessages($conn);
}
/**
* @param ConnectionInterface $conn
* @param int /null $id
*/
public function fetchMessages(ConnectionInterface $conn, $id=NULL)
{
$database=$this->dbh;
if($id===NULL)
{
$database->query('SELECT * FROM `chat` ORDER BY `id` ASC', array());
$msgs=$database->statement->fetchAll(PDO::FETCH_ASSOC);
$msgCount=$database->count();
if($msgCount>0)
{
# If more then 5 chat messages...
if($msgCount>5)
{
# Extract a slice of the array.
$msgs=array_slice($msgs, $msgCount-5, $msgCount);
}
foreach($msgs as $msg)
{
$date=new DateTime($msg['posted']);
$date->setTimezone(new DateTimeZone(TIMEZONE));
$user=SearchUser($msg['user_id']);
$return=array(
"id"=>$msg['id'],
"name"=>$user['staffname'],
"type"=>$msg['type'],
"msg"=>$msg['msg'],
"posted"=>$date->format("Y-m-d H:i:sP")
);
$this->send($conn, "single", $return);
}
if($msgCount>5)
{
$this->send($conn, "single", array(
"type"=>"more_messages"
));
}
}
}
else
{
$database->query('SELECT * FROM `chat` WHERE `id` < :id ORDER BY `id` DESC LIMIT 10', array(':id'=>$id));
$msgs=$database->statement->fetchAll(PDO::FETCH_ASSOC);
$msgCount=$database->count();
if($msgCount>0)
{
foreach($msgs as $msg)
{
$date=new DateTime($msg['posted']);
$date->setTimezone(new DateTimeZone(TIMEZONE));
$user=SearchUser($msg['user_id']);
$return=array(
"id"=>$msg['id'],
"name"=>$user['staffname'],
"type"=>$msg['type'],
"msg"=>$msg['msg'],
"posted"=>$date->format("Y-m-d H:i:sP"),
"earlier_msg"=>TRUE
);
$this->send($conn, "single", $return);
}
sort($msgs);
$firstID=$msgs[0]['id'];
if($firstID!="1")
{
$this->send($conn, "single", array(
"type"=>"more_messages"
));
}
}
}
}
/**
* @param ConnectionInterface $client
* @param $type
* @param $data
*/
public function send(ConnectionInterface $client, $type, $data)
{
$send=array(
"type"=>$type,
"data"=>$data
);
$send=json_encode($send, TRUE);
$client->send($send);
}
/**
* @param ConnectionInterface $conn
* @param string $data
*/
public function onMessage(ConnectionInterface $conn, $data)
{
$database=$this->dbh;
$data=json_decode($data, TRUE);
if(isset($data['data']) && count($data['data'])!=0)
{
$type=$data['type'];
# How can I get the user's ID?
$user_id=1;
$user_name=SearchUser($user_id);
$return=NULL;
if($type=="send" && isset($data['data']['type']) && $user_name!=-1)
{
$msg=htmlspecialchars($data['data']['msg']);
$date=new DateTime;
$date->setTimezone(new DateTimeZone(TIMEZONE));
if($data['data']['type']=='text')
{
$database->query('SELECT `id`, `user_id`, `msg`, `type` FROM `chat` ORDER BY `id` DESC LIMIT 1', array());
$lastMsg=$database->statement->fetch(PDO::FETCH_OBJ);
if($lastMsg->user_id==$user_id && (strlen($lastMsg->msg)<=100 || strlen($lastMsg->msg)+strlen($msg)<=100))
{
# Append message.
$msg=$lastMsg->msg."<br/>".$msg;
$database->query('UPDATE `chat` SET `msg`=:msg, `posted`=NOW() WHERE `id`=:lastmsg', array(
':msg'=>$msg,
':lastmsg'=>$lastMsg->id
));
$return=array(
"id"=>$lastMsg->id,
"name"=>$user_name['staffname'],
"type"=>"text",
"msg"=>$msg,
"posted"=>$date->format("Y-m-d H:i:sP"),
"append"=>TRUE
);
}
else
{
$database->query('INSERT INTO `chat` (`user_id`, `msg`, `type`, `posted`) VALUES (?, ?, "text", NOW())', array(
$user_id,
$msg
));
# Get last insert ID.
$get_chat_id=$database->lastInsertId();
$return=array(
"id"=>$get_chat_id,
"name"=>$user_name['staffname'],
"type"=>"text",
"msg"=>$msg,
"posted"=>$date->format("Y-m-d H:i:sP")
);
}
}
foreach($this->clients as $client)
{
$this->send($client, "single", $return);
}
}
elseif($type=="fetch")
{
# Fetch previous messages.
$this->fetchMessages($conn, $data['data']['id']);
}
}
}
/**
* @param ConnectionInterface $conn
*/
public function onClose(ConnectionInterface $conn)
{
# The connection is closed, remove it, as we can no longer send it messages.
unset($this->clients[$conn->resourceId]);
echo "Connection {$conn->resourceId} has disconnected\n";
}
/**
* @param ConnectionInterface $conn
* @param Exception $e
*/
public function onError(ConnectionInterface $conn, Exception $e)
{
echo "An error has occurred: {$e->getMessage()}\n";
$conn->close();
}
}
<?php
# Need this for the database insert.
if(!defined('DOMAIN_NAME'))
{
define('DOMAIN_NAME', 'domain.com');
}
require_once 'includes/config.php';
include_once BASE_PATH.'modules'.DS.'WS'.DS.'server.php';
<?php
use Ratchet\Server\IoServer;
use Ratchet\Http\HttpServer;
use Ratchet\WebSocket\WsServer;
use MyApp\Chat;
$ip="domain.com";
$port="8080";
# Need this for the database insert.
if(!defined('DOMAIN_NAME'))
{
define('DOMAIN_NAME', $ip);
}
require_once '../../vendor/autoload.php';
$server = IoServer::factory(
new HttpServer(
new WsServer(
new Chat()
)
),
$port,
$ip
);
$server->run();
methodToGetSessionData()
@Sherif 建议的方法
/**
* @param $sessionId
* @return mixed
*/
private function methodToGetSessionData($sessionId)
{
if(file_exists(session_save_path().'/sess_'.$sessionId))
{
$file=session_save_path().'/sess_'.$sessionId;
}
else
{
$file=sys_get_temp_dir().'/sess_'.$sessionId;
}
$contents=file_get_contents($file);
session_decode($contents);
return $_SESSION;
}
最佳答案
就像你已经在做的那样使用 session 。在您的 onOpen
方法$conn
将初始 HTTP 请求作为 GuzzleHttp 对象。您可以从中提取 session cookie 并将 session 读取到您的 websocket 服务器。
public function onOpen(ConnectionInterface $conn)
{
// get the cookies
$cookies = (string) $conn->WebSocket->request->getHeader('Cookie');
// look at each cookie to find the one you expect
$cookies = array_map('trim', explode(';', $cookies));
$sessionId = null;
foreach($cookies as $cookie) {
// If the string is empty keep going
if (!strlen($cookie)) {
continue;
}
// Otherwise, let's get the cookie name and value
list($cookieName, $cookieValue) = explode('=', $cookie, 2) + [null, null];
// If either are empty, something went wrong, we'll fail silently here
if (!strlen($cookieName) || !strlen($cookieValue)) {
continue;
}
// If it's not the cookie we're looking for keep going
if ($cookieName !== "PHPSESSID") {
continue;
}
// If we've gotten this far we have the session id
$sessionId = urldecode($cookieValue);
break;
}
// If we got here and $sessionId is still null, then the user isn't logged in
if (!$sessionId) {
return $conn->close(); // close the connection - no session!
}
// Extract the session data using the session id from the cookie
$conn->session = $this->methodToGetSessionData($sessionId);
// now you have access to things in the session
$this->clinets[] = $conn;
}
methodToGetSessionData
方法能够从该 session 存储中读取并反序列化数据。从那里您可以通过
$conn->session
访问 session 中存储的任何内容。或
$client->session
在您的 websocket 服务器中。
session.storage_path
中读取 session 文件就足够容易了。并反序列化它。我认为 Ratchet 为诸如 Redis/Memcached 之类的东西提供了一些 session 组件,您也可以轻松地将它们注入(inject)到您的 websocket 应用程序中。
关于php - 如何将用户添加到 websocket 聊天,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/39210958/
我想知道 gmail 聊天如何允许用户连接到 AIM,然后像登录到 AIM 一样聊天。 做起来容易吗?怎么做到的? 有人知道任何类似的开源工具吗? 谢谢! 最佳答案 如果你在谈论编程,这里是源代码示例
大家好,我正在尝试制作一个游戏,两个主持人联系起来,他们将“掷硬币”,并确定谁先出局。我决定从基本代码开始。但是我真的没有主意。 Thread server2 = new Thread(new Ser
我已经创建了一个只有 1 个房间的聊天室、私有(private)消息、审核以及一切,现在一切都很好!当我测试聊天时,我意识到在聊天中输入的所有消息都会被保存,如果有很多人使用聊天,它很快就会占用 Fi
当用户键入内容并出现软键盘时,我必须保持聊天回收器 View 的当前项目可见。目前,它覆盖了聊天,我需要回收器 View 项目与键盘一起显示。 我在 list 中尝试了这些: -android:win
我有一个服务器客户端应用程序集。 (家庭作业) 到目前为止,我已经弄清楚如何让多个客户端连接到服务器并让服务器聚合客户端发送的消息,以及如何让服务器将客户端的消息发送回客户端并将其显示在聊天 Pane
如何从我的应用程序发送/接收 Facebook 聊天消息?它是用 .Net、C# 编写的。 最佳答案 如果你可以使用 C,你就可以使用 libpurple (GPL) 和 pidgin-faceboo
我正在使用启用的 Ajax-Wcf 服务开发 Asp.Net 聊天。这是一个非常简单的聊天引擎,其中消息对话框意味着一对一(单个用户),但是我不知道如何管理(以最佳方式)通知新消息可用性。例如,假设有
我的任务是通过服务器构建一个客户端到客户端的聊天程序。客户端 A 将向服务器发送一条消息,然后服务器将消息转发给客户端 B,反之亦然。所有这一切都将同时发生,直到其中一个将其关闭。我有以下程序。 服务
我创建了一个聊天,用户可以在其中输入文本的输入字段。当他输入文本并按下发送(或输入)时,文本位于输入字段上方。像这样: 我想要的:我希望输入字段位于页面底部。我使用 position: absolut
出于个人兴趣,我尝试定义一个模拟 AI,它基于他学到的信息和互联网搜索,以便提供比系统知道的更多的细节。 我举了一个 child 的例子,当他出生时他需要学习一切,他听到了很多然后提出了一些答案。他的
关闭。这个问题不符合Stack Overflow guidelines .它目前不接受答案。 想改进这个问题?将问题更新为 on-topic对于堆栈溢出。 3年前关闭。 Improve this qu
我已经开始聊天了,但我已经将用户的 ID 硬编码到 Chat.php 中。 当他们登录站点时,我的登录名将他们的电子邮件设置为 session ( $_SESSION['email']=$email;
当用户点击像 Start a viber chat with us 这样的链接时,我试图找到一种方法来开始 viber 聊天。但到目前为止我没有找到正确的URI来做到这一点。例如,我知道我可以使用 s
我是 Javascript(纯 javascript)新手,我正在尝试创建一个执行以下操作的聊天 Controller 应用程序。 用户输入内容。 有人对我的知识库进行了后调用。 服务器响应消息。 目
已关闭。这个问题是 not about programming or software development 。目前不接受答案。 这个问题似乎不是关于 a specific programming
如果用户在 x 秒/分钟内处于非事件状态,我想结束聊天,以便我们的代理不必等待聊天自行关闭。我还想在结束聊天之前将标签附加到聊天中,以便我可以看到这是由于不活动造成的。 最佳答案 此内容归功于 j
我正在此网站中构建新网站,客户需要 24/7 实时客户支持。我想在网站上集成 Skype 聊天 聊天界面应该在客户端的网站上。 最佳答案 您可以通过在网站上放置 Skype 按钮来使用它。 http:
事实上,我只是开始积极练习 swing,以便我的理论知识能派上用场:) 我已经为聊天 GUI 实现做了很多工作,但最终遇到了一些问题。所以我决定从头开始重新设计聊天 GUI,但我需要为其选择正确的组件
已关闭。这个问题是 not about programming or software development 。目前不接受答案。 这个问题似乎不是关于 a specific programming
我正在尝试进行简单的聊天,其中连接到服务器的用户发送消息,其他用户接收消息。 这是我的 html: function setupEventSource()
我是一名优秀的程序员,十分优秀!