我正在调查c ++库的可移植性,阻止对文件系统和网络的I / O访问。 看起来就像boost::filesystem
一样,boost::iostreams
和boost::asio
将在这三者之间完成工作。
要明确的是,我目前对boost::asio
的异步方面不感兴趣;我只想要一个可移植的阻塞网络接口。
深入研究,我看到boost::iostreams
有一个设备概念,每个设备都有一个关联的mode concept。双向模式特别适合手动定制,以便对全双工TCP连接进行流式访问。真棒。
boost::iostreams
似乎不支持实际打开TCP连接(与本地文件系统不同。)这很好,肯定boost::asio
会让我打开连接,将其正确地建模为双向{{} 1}},并将其包装在Device
。
..除了它不会?我看到boost::asio::ip::tcp::iostream
,它将取代boost::iostreams::stream
,但可能不会充当boost::iostreams::stream
。
我理解Device
的行为类似,但我仍然更愿意只针对一个界面而不是两个界面进行学习和编码。具体来说,处理两个错误处理机制&异常层次结构不是很可口。
所以,问题是:我是盲人吗?也许两个库之间存在一个适配器,我错过了谷歌搜索。或者有人已经发布了这样的适配器作为第三方组件我可以放入?
答案 0 :(得分:6)
我不知道直接映射。但是,如果您感兴趣,编写这样的设备是相当简单的。此版本会因非EOF错误而抛出boost::system::system_error
,但您可以选择执行其他操作。
#include <iosfwd>
#include <boost/asio/io_service.hpp>
#include <boost/asio/ip/tcp.hpp>
#include <boost/asio/buffer.hpp>
#include <boost/iostreams/categories.hpp>
#include <boost/system/system_error.hpp>
class asio_stream_device
{
public:
typedef char char_type;
typedef boost::iostreams::bidirectional_device_tag category;
explicit asio_stream_device(boost::asio::ip::tcp::socket& sock) : socket_(sock)
{
}
std::streamsize read(char* s, std::streamsize n)
{
// Read up to n characters from the underlying data source
// into the buffer s, returning the number of characters
// read; return -1 to indicate EOF
boost::system::error_code ec;
std::size_t rval = socket_.read_some(boost::asio::buffer(s, n), ec);
if (!ec)
{
return rval;
}
else if (ec == boost::asio::error::eof)
{
return -1;
}
else
{
throw boost::system::system_error(ec,"read_some");
}
}
std::streamsize write(const char* s, std::streamsize n)
{
// Write up to n characters to the underlying
// data sink into the buffer s, returning the
// number of characters written
boost::system::error_code ec;
std::size_t rval = socket_.write_some(boost::asio::buffer(s, n), ec);
if (!ec)
{
return rval;
}
else if (ec == boost::asio::error::eof)
{
return -1;
}
else
{
throw boost::system::system_error(ec,"write_some");
}
}
private:
boost::asio::ip::tcp::socket& socket_;
};
基本上,正常打开/连接套接字,然后将其传递给构造函数。该示例只是读取并输出到屏幕。
void test
{
namespace asio = boost::asio;
namespace io = boost::iostreams;
asio::io_service service;
asio::ip::tcp::socket socket(service);
asio::ip::tcp::endpoint remote - ...; ////
socket.connect(remote);
io::stream<asio_stream_device> str(socket);
std::string line;
while (std::getline(str, line)) {
std::cout << line << std::endl;
}
}