我想匹配包含除指定字符之外的所有内容的行[I|V|X|M|C|D|L]
。
new Regex(@"^(.*) is (?![I|V|X|M|C|D|L].*)$")
应该匹配除OR
列表中提到的字符之外的所有内容。
应该匹配 -
name is a
不应该匹配 -
edition is I
试试这个模式:
^[^IVXMCDL]*$
这将匹配字符串的开头,后跟零个或多个字符类中指定的字符以外的字符,然后是字符串的结尾。换句话说,它不会匹配任何包含这些字符的字符串。
另请注意,根据您使用它的方式,您可能会使用如下更简单的模式:
[IVXMCDL]
并拒绝任何与模式匹配的字符串。
private bool IsValid(String input)
{
bool isValid = false;
// Here we call Regex.Match.
Match match = Regex.Match(input, @"^[^IVXMCDL]*$");
// Here we check the Match instance.
if (match.Success)
{
isValid = true;
}
else
{
isValid = false;
}
return isValid;
}