Websockets Using Asio C++ Library For The Server And Javascript As Client
I have written server code in C++ using the asio library. I know that the server code works, because I tested it with a client also written in C++ and using asio. The problem is t
Solution 1:
Your's javascript code is sending header which you pointed and waiting header like:
HTTP/1.1 101 Switching Protocols
Upgrade: websocketConnection: UpgradeSec-WebSocket-Accept: 5A4gqmvwM2kbopObEm+Kr6zBrNw=Sec-WebSocket-Protocol: echo-protocol
But you send back same header that has gotten. It is not correct. So you are getting "Connection closed...". You should make header with correct value for Sec-WebSocket-Accept.
For example, do_write method may look
voiddo_write(std::size_t length){
autoself(shared_from_this());
std::stringstream handshake;
std::string tmp(data_);
tmp.erase(0, tmp.find("Sec-WebSocket-Key: ") + strlen("Sec-WebSocket-Key: "));
auto key = tmp.substr(0, tmp.find("\r\n"));
auto sha1 = SimpleWeb::Crypto::SHA1(key + ws_magic_string);
handshake << "HTTP/1.1 101 Switching Protocols\r\n";
handshake << "Upgrade: websocket\r\n";
handshake << "Connection: Upgrade\r\n";
handshake << "Sec-WebSocket-Accept: " << SimpleWeb::Crypto::Base64::encode(sha1) << "\r\n";
handshake << "Sec-WebSocket-Protocol: echo-protocol\r\n";
handshake << "\r\n";
boost::asio::async_write(socket_, boost::asio::buffer(handshake.str().c_str(), handshake.str().size()),
[this, self](boost::system::error_code ec, std::size_t/*length*/)
{
if (!ec)
{
do_read();
}
});
}
Here i used Crypto's methods from project https://github.com/eidheim/Simple-WebSocket-Server, there defined ws_magic_string as
const std::string ws_magic_string = "258EAFA5-E914-47DA-95CA-C5AB0DC85B11";
Good luck.
Post a Comment for "Websockets Using Asio C++ Library For The Server And Javascript As Client"