我正在使用带有std::string
键的地图,虽然一切正常,但我没有获得预期的性能。我搜索了一些可以优化和改进的地方,这时一位同事说,“那个字符串键会很慢。”
我读了几十个问题,他们一直说:
“不要使用 a
char *
作为密钥”
“std::string
密钥永远不是你的瓶颈” “a和 a
之间的性能差异是一个神话。”char *
std::string
我很不情愿地试了一把char *
钥匙,结果有区别,很大的区别。
我把问题归结为一个简单的例子:
#include <stdio.h>
#include <stdlib.h>
#include <map>
#ifdef USE_STRING
#include <string>
typedef std::map<std::string, int> Map;
#else
#include <string.h>
struct char_cmp {
bool operator () (const char *a,const char *b) const
{
return strcmp(a,b)<0;
}
};
typedef std::map<const char *, int, char_cmp> Map;
#endif
Map m;
bool test(const char *s)
{
Map::iterator it = m.find(s);
return it != m.end();
}
int main(int argc, char *argv[])
{
m.insert( Map::value_type("hello", 42) );
const int lcount = atoi(argv[1]);
for (int i=0 ; i<lcount ; i++) test("hello");
}
首先是 std::string 版本:
$ g++ -O3 -o test test.cpp -DUSE_STRING
$ time ./test 20000000
real 0m1.893s
接下来是 'char *' 版本:
g++ -O3 -o test test.cpp
$ time ./test 20000000
real 0m0.465s
这是一个相当大的性能差异,与我在更大的程序中看到的差异大致相同。
使用char *
钥匙来释放钥匙是一件很痛苦的事情,而且感觉不对。C ++专家我错过了什么?有什么想法或建议吗?