我有这个代码,CBString只是我用于某些处理的字符串类
char * scrummyconfigure::dosub(strtype input)
{
CBString tstring;
tstring = input;
uint begin;
uint end;
begin = tstring.findchr('$');
end = tstring.findchr('}',begin);
CBString k = tstring.midstr(begin+2,end-2); // this is BASE
strtype vname = (strtype) ((const unsigned char*)k);
strtype bvar = (strtype) "BASE";
assert(strcmp(bvar,vname) == 0); // this never fails
// theconf is just a struct with the map subvars
// subvars is a map<const char *, const char *>
out(theconf->subvars[bvar]); // always comes up with the value
out(theconf->subvars[vname]); // always empty
uint size = end - begin;
tstring.remove(begin, size);
return (const char *)tstring; // it's OKAY! it's got an overload that does things correctly
//inline operator const char* () const { return (const char *)data; } <-- this is how it is declared in the header of the library
}
为什么strcmp总是说字符串是相同的,但只有我声明为bvar的变量才会返回任何内容?
答案 0 :(得分:5)
// subvars是
map<const char *, const char *>
此映射的键不是字符串per-say,而是内存地址。相应的检查将是
assert( bvar == vname);
可能会失败。您需要将密钥类型更改为字符串类(std::string
或CBString
才能有意义地使用地图。
答案 1 :(得分:5)
我假设strtype
的定义方式如下:
typedef char * strtype
您的问题是您假设vname和bvar具有相同的值,实际上,它们具有不同的值,每个值都指向包含相同数据的内存块。
std::map
愚蠢地将它们与==进行比较,我打赌你会发现,如果你将它们与==进行比较,你会得到假的,如预期的那样。为什么你没有使用std::string
类?
编辑:我重写了你的方法,不那么可怕了:
// implied using namespace std;
string ScrummyConfigure::removeVariableOrSomething(string tstring)
{
uint begin; // I'll assume uint is a typedef to unsigned int
uint end;
begin = tstring.find('$', 0);
end = tstring.find('}', begin);
string vname = tstring.substr(begin + 2, end - 2); // this is supposedly BASE
assert(vname == "BASE"); // this should be true if vname actually is BASE
out(this->conf->subvars[bvar]); // wherever theconf used to be, its now a member
out(this->conf->subvars[vname]); // of ScrummyConfigure and its been renamed to conf
uint size = end - begin;
tstring.erase(begin, size);
return tstring; // no casting necessary
}
答案 2 :(得分:5)
仅仅因为字符串是相同的并不意味着std :: map会将它们视为相同的键。这取决于std :: map使用的Compare类,默认为less<KeyType>
- 这会产生与应用less-than运算符相同的结果。
您可以定义一个定义operator()
的类,以便对您的strtype进行正确的比较,并在定义std :: map时将其作为第三个模板参数传递。或者,如建议的那样,使用std :: string作为strtype。