我有一个用C ++编写的两个测试程序的例子。第一个工作正常,第一个错误。请帮我解释一下这里发生了什么。
#include <iostream>
#include <string>
#include <stdint.h>
#include <stdlib.h>
#include <fstream>
using namespace std;
string randomStrGen(int length) {
static string charset = "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ1234567890";
string result;
result.resize(length);
for (int32_t i = 0; i < length; i++)
result[i] = charset[rand() % charset.length()];
return result;
}
int main()
{
ofstream pConf;
pConf.open("test.txt");
pConf << "rpcuser=user\nrpcpassword="
+ randomStrGen(15)
+ "\nrpcport=14632"
+ "\nrpcallowip=127.0.0.1"
+ "\nport=14631"
+ "\ndaemon=1"
+ "\nserver=1"
+ "\naddnode=107.170.59.196";
pConf.close();
return 0;
}
打开'test.txt'并写入数据,没问题。但是,这不是:
#include <iostream>
#include <string>
#include <stdint.h>
#include <stdlib.h>
#include <fstream>
using namespace std;
string randomStrGen(int length) {
static string charset = "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ1234567890";
string result;
result.resize(length);
for (int32_t i = 0; i < length; i++)
result[i] = charset[rand() % charset.length()];
return result;
}
int main()
{
ofstream pConf;
pConf.open("test.txt");
pConf << "rpcuser=user\n"
+ "rpcpassword="
+ randomStrGen(15)
+ "\nrpcport=14632"
+ "\nrpcallowip=127.0.0.1"
+ "\nport=14631"
+ "\ndaemon=1"
+ "\nserver=1"
+ "\naddnode=107.170.59.196";
pConf.close();
return 0;
}
第二个程序的唯一区别是'rpcpassword'已移至下一行。
matthew@matthew-Satellite-P845:~/Desktop$ g++ test.cpp
test.cpp: In function ‘int main()’:
test.cpp:23:6: error: invalid operands of types ‘const char [14]’ and ‘const char [13]’ to binary ‘operator+’
+ "rpcpassword="
答案 0 :(得分:5)
C ++中的字符串文字("foo"
)是{em>不类型string
;它的类型为const char[x]
,其中x
是字符串文字的长度加1.字符数组不能与+
连接。但是,字符数组可以与string
连接,结果是string
,可以进一步与字符数组连接。因此,"a" + functionThatReturnsString() + "b"
有效,但"a" + "b"
没有。 (请记住+
是左关联的;它首先应用于最左边的两个操作数,然后应用于结果和第三个操作数,依此类推。)
答案 1 :(得分:4)
"rpcuser=user\nrpcpassword=" + randomStrGen(15) + "\nrpcport=14632"
组("rpcuser=user\nrpcpassword=" + randomStrGen(15)) + "\nrpcport=14632"
。这里,+
总是与类类型的参数一起使用,因此在重载解析后得到std::string::operator+
。
"rpcuser=user\n" + "rpcpassword=" + randomStrGen(15)
组("rpcuser=user\n" + "rpcpassword=") + randomStrGen(15)
。在这种情况下,第一个+
用于两个非类类型,因此它不会重载,并且语言不会为两个+
值定义const char []
。 (我来自旧的C,所以我有点没有把它们添加为char *
并在运行时给你一个很好的SIGSEGV。)