我构建了一个示例程序来检查regex的值。此示例在Visual Studio 2012上运行。
但是Visual Studio 2003上不存在正则表达式。
我的问题是:如何在不使用Regex和第三方库的情况下使用Visual Studio 2003检查值?
我的源代码:
#include "stdafx.h"
#include <regex>
#include <string>
using namespace std;
int main()
{
std::string code1 = "{1N851111-8M32-2234-B83K-123456789012}";
std::regex control("^[{]{8}[A-Za-z0-9]{1}[-]{4}[A-Za-z0-9]{1}[-]{4}[A-Za-z0-9]{1}[-]{4}[A-Za-z0-9]{1}[-]{12}[A-Za-z0-9]$[}]");
std::smatch match;
if (std::regex_search(code1, match, control))
{
std::cout << "MAtch found";
}
else
{
std::cout << "Match not found";
}
return 0;
}
答案 0 :(得分:2)
好吧,如果你不想使用第三方库(为什么,顺便说一下?),你将不得不一直走到路边......(听起来很简单,不是吗?)
一开始,你的正则表达式似乎并不像你追求的那样。你试过吗?这个,至少与您的示例字符串匹配:
std::regex control("^[{][A-Za-z0-9]{8}([-][A-Za-z0-9]{4}){3}[-][A-Za-z0-9]{12}[}]$");
然后让我们来看看正则表达式(我将使用我的......):
^
- 从一开始就很好,所以我们不必搜索字符串中间的某个地方......
[{]
- 必须是一个开口支撑
[A-Za-z0-9]{8}
- 后面跟着正好八个字母数字字符
([-][A-Za-z0-9]{4}){3}
- 一个减号,然后是字母数字 - 整个东西三次
[-][A-Za-z0-9]{12}
- 另一个减去,然后是十二个字母数字
[}]$
- 最后的结束支撑
所以:
bool isValid(::std::string const& value)
{
if(value.length() != 38)
return false;
char const* v = value.c_str();
if(*v++ != '{')
return false;
for(char const* end = v + 8; v != end; ++v)
{
if(!isalnum(*v))
return false;
}
for(int i = 0; i < 3; ++i)
{
if(*v++ != '-')
return false;
for(char const* end = v + 4; v != end; ++v)
{
if(!isalnum(*v))
return false;
}
}
if(*v++ != '-')
return false;
for(char const* end = v + 12; v != end; ++v)
{
if(!isalnum(*v))
return false;
}
return *v == '}';
}