我正在编写一段应该在多个平台上运行的代码。我在使用Visual Studio 2013进行编译时没有遇到任何问题,但是现在我尝试为Android编译它,我得到了标题中提到的错误。
我正在尝试编译的代码是这样的:
#pragma once
#include <string>
class StringUtils
{
public:
static std::string readFile(const std::string& filename);
static std::string& trimStart(std::string& s);
static std::string& trimEnd(std::string& s);
static std::string& trim(std::string& s);
};
错误中提到了上述方法。例如,我尝试像这样调用trim()
方法:
std::string TRData::readValue(std::ifstream& ifs)
{
std::string line;
std::getline(ifs, line);
int colon = line.find_first_of(':');
assert(colon != std::string::npos);
return StringUtils::trim(line.substr(colon + 1));
}
错误消息指向此方法的最后一行。我该如何解决这个问题?正如我所说,它使用VS2013进行编译,但不使用默认的NDK工具链进行Android编译。
编辑:忘记粘贴确切的错误消息,这里是:
error : no matching function for call to 'StringUtils::trim(std::basic_string<char>)'
答案 0 :(得分:0)
您需要将功能签名更改为
static std::string& trim(const std::string& s);
// ^^^^^
将rvalues(例如从substr()
返回的临时值)传递给您的函数。
此外,只是通过这种方式传递价值
static std::string trim(const std::string& s);
// ^ remove the reference
我建议您为其他类似的功能这样做。
或者使用左值来调用你的函数
std::string part = line.substr(colon + 1);
return StringUtils::trim(part);