始:数据录入需要进行数据个数进行校验,可以根据业务写校验规则,更机智的选择是应用正则表达式。这边的需求是校验文件路径和文件名称
坑:如下代码在用正则表达式校验英文的文件路径和文件名时无问题
bool leachDir(std::string linuxDirPath)
{
std::string dir= linuxDirPath;
try
{
std::regex r("^/([\\w\\s]+/?)+$");
bool bValid = std::regex_match(dir, r);
if (!bValid) {
return false;
}
}
catch (const std::exception& e)
{
return false;
}
return true;
}
bool leachFile(std::string linuxFileName)
{
std::string file= linuxFileName;
try
{
std::regex r("^([\\w]+?)+$");
bool bValid = std::regex_match(file, r);
if (!bValid) {
return false;
}
}
catch (const std::exception& e)
{
return false;
}
return true;
}
将std::regex r("^/([\\w\\s]+/?)+$"); 追加 中文校验 std::regex r("^/([\\w\\u4e00-\\u9fa5\\s]+/?)+$");
代码奔溃,提示?escaped error。不知起所以然。 解决:搜索了些许资料,了解到中文字符是unicode编码,且看到网上许多人都用的是std::wregex,猜想正则里需要编码对应,然改代码如下解决对中文路径和中文名的正则校验
bool leachDir(std::wstring linuxDirPath)
{
std::wstring dir = linuxDirPath;
try
{
std::wregex r(L"^/([\\w\\u4e00-\\u9fa5\\s]+/?)+$");
bool bValid = std::regex_match(dir, r);
if (!bValid) {
return false;
}
}
catch (const std::exception& e)
{
return false;
}
return true;
}
bool leachFile(std::wstring linuxFileName)
{
std::wstring file= linuxFileName;
try
{
std::wregex r(L"^([\\w\\u4e00-\\u9fa5]+?)+$");
bool bValid = std::regex_match(file, r);
if (!bValid) {
return false;
}
}
catch (const std::exception& e)
{
return false;
}
return true;
}
终:正则有自己的规则,想要使用的好不仅要了解对应的表达式,还要了解正则相关的运行机制
|