2 回答
TA贡献1856条经验 获得超5个赞
如果消息被缓冲,则两个消息同时被接收是正常的。问题出在接收端,它假设一次读取返回一条消息。
如您所见,一次阅读可能会返回多条消息。而且,一条消息可能会被拆分为多次读取。后者取决于消息大小。只有您知道消息是什么,以及它是如何定界的。
您必须实现一个返回下一条消息的函数。这是一个建议的实现,假设消息读取的状态存储在结构中。
type MessageParser struct {
buf []byte
nBytes int
conn ...
}
func NewMessageParser(conn ...) *MessageParser {
return &MessageParser{
buf: make([]byte, 256) // best gess of longest message size
conn: conn
}
}
func (m *MessageParser) NextMessage() (string, error) {
var nOpenBrakets, pos int
var inString bool
for {
// scan m.buf to locate next message
for pos < m.nBytes {
if m.buf[pos] == '{' && !inString {
nOpenBrakets++
} else if m.buf[pos] == '}' && !inString {
nOpenBrakets--
if nOpenBrakets == 0 {
// we found a full message
msg := string(m.buf[:pos+1])
m.nBytes = copy(buf, buf[pos+1:m.nBytes)
return msg, nil
}
} else if m.buf[pos] == '"' {
if !inString {
inString = true
} else if pos > 0 && m.buf[pos-1] != '\\' {
inString = false
}
}
pos++
}
// if a message is longer than the buffer capacity, grow the buffer
if m.nBytes == len(m.buf) {
temp := make([]byte, len(m.buf)*2)
copy(temp, m.buf)
m.buf = temp
}
// we didn’t find a full message, read more data
n, err := conn.Read(m.buf[m.nBytes:]
m.nBytes += n
if n == 0 && err != nil {
return "", err
}
}
}
TA贡献1813条经验 获得超2个赞
如果您查看写入功能的 gorilla WebSockets 代码
NextWriter returns a writer for the next message to send. The writer's Close
// method flushes the complete message to the network.
读者也有相同的实现。它似乎是正确的。也许正如@chmike 所建议的那样,消息可能已经被缓冲了。
至于实现,您始终可以在消息末尾添加分隔符,并在阅读时解析消息直到到达分隔符(以防消息溢出)
func writeString(conn *websocket.Conn, data []byte) {
conn.WriteMessage(1, append(data, "\r\n"...))
}
我试图重现相同的内容,但它对我不起作用。在低级别,连接api通常使用c文件编译。您可以尝试使用“-tags netgo”构建您的应用程序,以纯粹使用 go 构建它。
- 2 回答
- 0 关注
- 333 浏览
添加回答
举报