我正在使用 Boost 1.70 并发现了一个相当令人费解的问题,有时 boost::string_view 似乎指向另一个字符串。
这是创建 boost::string_view 的函数调用,如下所示:
boost::beast::string_view message = "The resource '" + target.to_string() + "' was not found.";
return prepareError(req, message, beast_http::status::not_found);
这就是prepareError() 方法,它在真正奇怪的事情发生时被调用。第一个版本在构造字符串变量时使用 message.to_string() :
template<class Body, class Allocator>
beast_http::response<beast_http::string_body> prepareError(beast_http::request<Body, beast_http::basic_fields<Allocator>>& req,
boost::beast::string_view message, beast_http::status statusCode) {
beast_http::response<beast_http::string_body> res{statusCode, req.version()};
res.set(beast_http::field::server, SERVER_VERSION_STRING);
res.set(beast_http::field::content_type, MIMETYPE_JSON);
if (_allowCrossOrigin) {
res.set(beast_http::field::access_control_allow_origin, "*");
}
res.keep_alive(req.keep_alive());
int sc = (int)statusCode;
std::string json = std::string("{\n error_code:") +
std::to_string(sc) + std::string(",\n") +
std::string(" error_description:\"") +
message.to_string() + std::string("\"\n}");
res.body() = json;
res.prepare_payload();
return res;
}
此 json 变量将包含以下字符串,例如:
Printing description of json:
(std::__1::string) json = "{\n error_code:404,\n error_description:\"{\n error_code:404,\n error_descript\"\n}"
这真的很奇怪。在调试器中,消息变量包含一个空字符串。正如您从方法调用中看到的那样,这不应该是该字符串的预期结果。
这是相同的方法,唯一的区别是将消息变量(即 string_view)临时分配给 std::string。
template<class Body, class Allocator>
beast_http::response<beast_http::string_body> prepareError(beast_http::request<Body, beast_http::basic_fields<Allocator>>& req,
boost::beast::string_view message, beast_http::status statusCode) {
beast_http::response<beast_http::string_body> res{statusCode, req.version()};
res.set(beast_http::field::server, SERVER_VERSION_STRING);
res.set(beast_http::field::content_type, MIMETYPE_JSON);
if (_allowCrossOrigin) {
res.set(beast_http::field::access_control_allow_origin, "*");
}
res.keep_alive(req.keep_alive());
int sc = (int)statusCode;
std::string msg = message.to_string();
std::string json = std::string("{\n error_code:") +
std::to_string(sc) + std::string(",\n") +
std::string(" error_description:\"") +
msg + std::string("\"\n}");
res.body() = json;
res.prepare_payload();
return res;
}
这给出了预期的字符串:
Printing description of json:
(std::__1::string) json = "{\n error_code:404,\n error_description:\"The resource '/zones' was not found.\"\n}"