我试图创建一个方法,根据常规表达式检查字符串并返回寄存器类型(mips)。问题是我似乎无法创建正确的正则表达式。 请看一下并提出建议。感谢
public static RegisterType CheckRegex(this string source)
{
var tempMatch = new Regex("$t0|$t1|$t2|$t3|$t4|$t5|$t6|$t7|$t8|$t9|").Match(source); //$t0 - $t9
if(tempMatch.Length == source.Length)
return RegisterType.Temporary;
var storeMatch = new Regex(@"(^\$s)+[0-9]").Match(source); //$s0 - $s9
if (storeMatch.Length == source.Length)
return RegisterType.Store;
var reservedMatch = new Regex(@"").Match(source); //$k0 - $k1
if (reservedMatch.Length == source.Length)
return RegisterType.OSReserved;
var constantMatch = new Regex(@"0-9").Match(source); //Any integer
if (constantMatch.Length == source.Length)
return RegisterType.Constant;
var memoryMatch = new Regex("").Match(source);
if (memoryMatch.Length == source.Length)
return RegisterType.Memory;
return RegisterType.Invalid;
}
更新:现在一切正常,不包括我的记忆正则表达式
public static RegisterType GetRegisterType(this string source)
{
if (Regex.IsMatch(source, @"\$t[0-9]"))
return RegisterType.Temporary; // $t0 - $t9
if (Regex.IsMatch(source, @"\$s[0-9]"))
return RegisterType.Store; // $s0 - $s9
if (Regex.IsMatch(source, @"\$k[0-1]"))
return RegisterType.OSReserved; // $k0 - $k1
if (Regex.IsMatch(source, @"[-+]?\b\d+\b"))
return RegisterType.Constant;
if (Regex.IsMatch(source, @"\$zero"))
return RegisterType.Special;
if (Regex.IsMatch(source, @"[a-zA-Z0-9]+\b\:"))
return RegisterType.Label;
if (Regex.IsMatch(source, @"\d+\b\(\$[s-t]\b[0-9])"))
return RegisterType.Memory;
return RegisterType.Invalid;
}
答案 0 :(得分:3)
$
是正则表达式中的特殊字符,在行尾处匹配。如果您想匹配$
字面值,请使用转义(\$)
答案 1 :(得分:3)
正如其他人所说的那样,你需要在"$t0|$t1|$t2|$t3|$t4|$t5|$t6|$t7|$t8|$t9|"
中通过在反对前加上前缀来逃避美元符号。此外,您可以更简洁地写为@"\$t[0-9]"
。这将匹配一个美元符号,后跟't'
后跟一位数。
答案 2 :(得分:1)
如果你的source
只是一个注册/内存位置,你可以将这个简化为这样的东西:
public static RegisterType CheckRegex(this string source)
{
if (Regex.IsMatch(@"\$\t\d")) return RegisterType.Temporary; // $t0 - $t9
if (Regex.IsMatch(@"\$\s\d")) return RegisterType.Store; // $s0 - $s9
if (Regex.IsMatch(@"\$\k\[0-1]")) return RegisterType.OSReserved; // $k0 - $k1
if (Regex.IsMatch(source, @"\d")) return RegisterType.Constant;
// Don't remember the pattern for Memory, if you post an update I can update this
return RegisterType.Invalid;
}