2

以下程序:

#include <boost/container/string.hpp>
#include <boost/lexical_cast.hpp>
#include <folly/FBString.h>
#include <iostream>

class foo { };

std::ostream& operator<<(std::ostream& stream, const foo&) {
  return stream << "hello world!\n";
}

int main() {
  std::cout << boost::lexical_cast<std::string>(foo{});
  std::cout << boost::lexical_cast<boost::container::string>(foo{});
  std::cout << boost::lexical_cast<folly::fbstring>(foo{});
  return 0;
}

给出这个输出:

hello world!
hello world!
terminate called after throwing an instance of 'boost::bad_lexical_cast'
  what():  bad lexical cast: source type value could not be interpreted as target

这是因为lexical_cast没有意识到这fbstring是一个string-like 类型,而只是将stream << in; stream >> out;其转换为通常的类型。但是operator>>对于字符串在第一个空格处停止,lexical_cast检测到整个输入没有被消耗,并抛出异常。

有什么方法可以教授lexical_castfbstring或更一般地说,任何string类似的类型)?

4

1 回答 1

1

从查看lexical_cast文档看来,这std::string显然是唯一允许正常词法转换语义的类似字符串的异常,以使转换的含义尽可能简单,并尽可能多地捕获可能的转换错误。该文档还说,对于其他情况,可以使用替代方案,例如std::stringstream.

在你的情况下,我认为一种to_fbstring方法是完美的:

template <typename T>
fbstring to_fbstring(const T& item)
{
    std::ostringstream os;

    os << item;

    return fbstring(os.str());
}
于 2016-05-09T18:18:31.210 回答