从 "std::istringstream" 初始化 "const std::string"
Initializing "const std::string" from "std::istringstream"
我正在尝试解析 Key<whitespace>Value
格式的文件。我正在读取 std::istringstream
对象中的文件行,并从中提取 Key
字符串。我想通过使 const
.
不小心更改此 Key
字符串的值
我最好的尝试是初始化一个临时 VariableKey
对象,然后从中创建一个常量对象。
std::ifstream FileStream(FileLocation);
std::string FileLine;
while (std::getline(FileStream, FileLine))
{
std::istringstream iss(FileLine);
std::string VariableKey;
iss >> VariableKey;
const std::string Key(std::move(VariableKey));
// ...
// A very long and complex parsing algorithm
// which uses `Key` in a lot of places.
// ...
}
如何直接初始化常量 Key
字符串对象?
可以说,将文件 I/O 与处理分开更好,而不是在同一函数内创建 const
Key
- 调用一个采用 [= 的行处理函数13=] 参数.
也就是说,如果您想继续使用当前模型,只需使用:
const std::string& Key = VariableKey;
无需在任何地方复制或移动任何内容。只有 const
std::string
成员函数可以通过 Key
.
访问
您可以通过将输入提取到函数中来避免 "scratch" 变量:
std::string get_string(std::istream& is)
{
std::string s;
is >> s;
return s;
}
// ...
while (std::getline(FileStream, FileLine))
{
std::istringstream iss(FileLine);
const std::string& Key = get_string(iss);
// ...
(将函数的结果绑定到 const 引用可延长其生命周期。)
我正在尝试解析 Key<whitespace>Value
格式的文件。我正在读取 std::istringstream
对象中的文件行,并从中提取 Key
字符串。我想通过使 const
.
Key
字符串的值
我最好的尝试是初始化一个临时 VariableKey
对象,然后从中创建一个常量对象。
std::ifstream FileStream(FileLocation);
std::string FileLine;
while (std::getline(FileStream, FileLine))
{
std::istringstream iss(FileLine);
std::string VariableKey;
iss >> VariableKey;
const std::string Key(std::move(VariableKey));
// ...
// A very long and complex parsing algorithm
// which uses `Key` in a lot of places.
// ...
}
如何直接初始化常量 Key
字符串对象?
可以说,将文件 I/O 与处理分开更好,而不是在同一函数内创建 const
Key
- 调用一个采用 [= 的行处理函数13=] 参数.
也就是说,如果您想继续使用当前模型,只需使用:
const std::string& Key = VariableKey;
无需在任何地方复制或移动任何内容。只有 const
std::string
成员函数可以通过 Key
.
您可以通过将输入提取到函数中来避免 "scratch" 变量:
std::string get_string(std::istream& is)
{
std::string s;
is >> s;
return s;
}
// ...
while (std::getline(FileStream, FileLine))
{
std::istringstream iss(FileLine);
const std::string& Key = get_string(iss);
// ...
(将函数的结果绑定到 const 引用可延长其生命周期。)