我写了一个小聊天插件,我需要在我的网站上使用它。它适用于 HTML 中的简单结构,如下所示:
<div id="div_chat">
<ul id="ul_chat">
</ul>
</div>
<div id="div_inputchatline">
<input type="text" id="input_chatline" name="input_chatline" value="">
<span id="span_sendchatline">Send</span>
</div>
当然,该 Span 元素上有一个“点击”绑定事件。然后,当用户插入消息并单击“Send”跨度元素时,会有一个调用 Ajax 事件的 Javascript 函数将消息插入 MySQL 数据库:
function function_write_newchatline()
{
var chatline = $('#input_chatline').val();
$.ajax
({
type: "POST",
url: "ajax-chat-writenewline.php", //1: ok, 0: errore
data: ({'chat_line': chatline}),
dataType: "text",
cache: false,
success: function(ajax_result)
{
function_get_newchatlines();
}
});
}
而且,如果消息成功插入 DB,它会调用一个函数来读取新行并将它们放入我之前发布的 HTML 结构中:
function function_get_newchatlines()
{
$.ajax
({
type: "POST",
url: "ajax-chat-loadnewlines.php", //1: ok, 0: errore
data: '',
dataType: "text",
cache: false,
success: function(ajax_result) //example of returned string: 'message1>+<message2>+<message3'
{
//explode new chat lines from returned string
var chat_rows = ajax_result.split('>+<');
for (id_row in chat_rows)
{
//insert row into html
$('#ul_chat').prepend('<li>' + chat_rows[id_row] + '</li>');
}
$('#span_sendchatline').html('Send');
}
});
}
注意:'ajax_result' 只包含 html 实体,不包含特殊字符,因此即使消息包含 '>+<',它也会在被此 JS 函数处理之前由使用 Ajax 调用的 php 脚本编码。
现在,奇怪的行为出现了:当发布新消息时,Opera、Firefox 甚至 IE8 都运行良好,正如预期的那样,如下所示:
但是,当我打开 Chrome 窗口时,我看到了这个:
如您所见,在 Chrome 中,消息会显示多次(每次增加数字,每条消息最多 8 行)。我检查了内部调试查看器,似乎没有多次调用“读取新行”函数,所以它应该是与 Jquery 事件相关的东西,或者其他东西。
希望我的解释很清楚,如果您需要其他任何内容,请告诉我:)
谢谢,埃雷诺。
编辑
正如 Shusl 所指出的,我忘了提到该函数function_get_newchatlines()
是由setInterval(function_get_newchatlines, 2000)
Javascript 定期调用的。
编辑2
这是 Ajax 调用的 PHP 文件中的一段代码,用于获取新的聊天行(我认为这里不需要像“session_start()”或 mysql 连接的东西)
//check if there's a value for "last_line", otherwise put current time (usually the first time a user logs into chat)
if (!isset($_SESSION['prove_chat']['time_last_line']) || !is_numeric($_SESSION['prove_chat']['time_last_line']) || ($_SESSION['prove_chat']['time_last_line'] <= 0))
{
$_SESSION['prove_chat']['time_last_line'] = microtime(true);
}
//get new chat lines
$result = mysql_query("select * from chat_module_lines where line_senttime > {$_SESSION['prove_chat']['time_last_line']} order by line_senttime asc; ", $conn['user']);
if(!$result || (mysql_num_rows($result) <= 0))
{
mysql_close($conn['user']); die('2-No new lines');
}
//php stuff to create the string
//....
die($string_with_chat_lines_to_be_used_into_Javascript);
无论如何,我认为,如果问题出在这个 PHP 脚本上,我也会在其他浏览器中遇到类似的错误 :)
编辑4
这是将点击事件绑定到“发送”跨度元素的代码:
$('#span_sendchatline').on('click', function()
{
//check if there's already a message being sent
if ($('#span_sendchatline').html() == 'Send')
{
//change html content of the span element (will be changed back to "send"
//when the Ajax request completes)
$('#span_sendchatline').html('Wait..');
//write new line
function_write_newchatline();
}
//else do nothing
});
(感谢 f_puras 添加缺失的标签 :)