2

有很多关于从 int 转换为 string 的帖子,但它们实际上都只涉及打印到屏幕或使用 ostringstream。

我正在使用 ostringstream,但我的公司不希望我使用任何流,因为它有可怕的运行时。

我在 C++ 文件中执行此操作。

我的问题是,我打算在执行过程中创建数百万个流,写入缓冲区,然后将内容复制到字符串中,如下所示:

ostringstream OS;
os << "TROLOLOLOLOL";
std::string myStr = os.str();

存在冗余,因为它正在制作此缓冲区然后将其全部复制。啊!

4

4 回答 4

6

在 C++11 中:

string s = std::to_string(42);

几周前我做了一个基准测试,得到了这些结果(使用当前 Xcode 附带的 clang 和 libc++):

stringstream took 446ms
to_string took 203ms
c style took 170ms

使用以下代码:

#include <iostream>
#include <chrono>
#include <sstream>
#include <stdlib.h>

using namespace std;

struct Measure {
  chrono::time_point<chrono::system_clock> _start;
  string _name;

  Measure(const string& name) : _name(name) {
    _start = chrono::system_clock::now();
  }

  ~Measure() {
    cout << _name << " took " << chrono::duration_cast<chrono::milliseconds>(chrono::system_clock::now() - _start).count() << "ms" << endl;
  }
};



int main(int argc, const char * argv[]) {
  int n = 1000000;
  {
    Measure m("stringstream");
    for (int i = 0; i < n; ++i) {
      stringstream ss;
      ss << i;
      string s = ss.str();
    }
  }
  {
    Measure m("to_string");
    for (int i = 0; i < n; ++i) {
      string s = to_string(i);
    }
  }
  {
    Measure m("c style");
    for (int i = 0; i < n; ++i) {
      char buff[50];
      snprintf(buff, 49, "%d", i);
      string s(buff);
    }
  }
  return 0;
}
于 2012-11-13T17:31:07.120 回答
3

在 C++11 中,你有std::to_string. 尽管它可能使用了stringstream幕后技术。

于 2012-11-13T17:30:59.487 回答
0

你应该看看性能图表boost::lexical_cast

http://www.boost.org/doc/libs/1_52_0/doc/html/boost_lexical_cast/performance.html

它将 lexical_cast 与 stringstream(有和没有构造)和 scanf/printf 进行比较。

大多数情况下 boost::lexical_cast 比 scanf、printf、std::stringstream 快。

于 2012-11-13T17:39:58.943 回答
0

重用字符串流缓冲区。请注意,这不是线程安全的。

#include <sstream>
#include <iostream>
#include <string>

template<class T>
bool str_to_type(const char *str, T &value) {
  static std::stringstream strm;
  if ( str ) {
    strm << std::ends;
    strm.clear();
    strm.setf(std::ios::boolalpha);
    strm.seekp(0);
    strm.seekg(0);
    strm << str << std::ends;
    strm >> value;
    return !strm.fail();
  }
  return false;
}

int main(int argc, char *argv[])
{
  int i;
  if (!str_to_type("42", i))
    std::cout << "Error" << std::endl;
  std::cout << i << std::endl;
    return 0;
}
于 2012-11-13T18:13:39.377 回答