我很久以前在Borland C++中编码,现在我正试图理解"新的"(对我来说)C+11(我知道,我们在2015年,有一个C+14……但我正在做一个C++11项目)
现在我有几种方法可以为字符串赋值。
#include <iostream>
#include <string>
int main ()
{
std::string test1;
std::string test2;
test1 = "Hello World";
test2.assign("Hello again");
std::cout << test1 << std::endl << test2;
return 0;
}
他们都工作。我从http://www.cplusplus.com/reference/string/string/assign/有另外一种使用CCD_ 1的方法。但是对于简单的字符串赋值,哪一个更好?我必须用每个8个std:string填充100多个结构,我正在寻找最快的机制(我不在乎内存,除非有很大的区别)
两者速度相同,但= "..."
更清晰。
如果你真的想要快速,使用assign
并指定大小:
test2.assign("Hello again", sizeof("Hello again") - 1); // don't copy the null terminator!
// or
test2.assign("Hello again", 11);
这样,只需要一个分配。(你也可以提前.reserve()
足够的内存来获得同样的效果。)
我尝试了这两种方法进行基准测试。
static void string_assign_method(benchmark::State& state) {
std::string str;
std::string base="123456789";
// Code inside this loop is measured repeatedly
for (auto _ : state) {
str.assign(base, 9);
}
}
// Register the function as a benchmark
BENCHMARK(string_assign_method);
static void string_assign_operator(benchmark::State& state) {
std::string str;
std::string base="123456789";
// Code before the loop is not measured
for (auto _ : state) {
str = base;
}
}
BENCHMARK(string_assign_operator);
这是图形比较解决方案。这两种方法似乎都同样快。赋值运算符具有更好的结果。
仅当必须指定基础字符串中的特定位置时,才使用字符串:赋值。