我需要一种简单的方法来检查发送到我的函数的字符串是否具有以下形式:
(x + n)(x + m)
//the +'s can be minus'
//n and m represent a double
//x represents the char 'x'
是否有一种简单的字符串格式可用于检查这是否为表单。而不是单独检查每个角色。
将删除空白以避免任何混淆。
此致
劳埃德
答案 0 :(得分:4)
这是一个RegEx示例......
var pattern = @"^(\(x[+-]\d+(\.\d+)?\)){2}$";
var input = "(x-0.123)(x+5)";
var result = System.Text.RegularExpressions.Regex.IsMatch(input, pattern);
if (result) {
Console.Write("YAY IT MATCHES");
}
答案 1 :(得分:2)
您可以使用regular expressions进行检查。
答案 2 :(得分:1)
!正则表达式
使用此功能,您将不会遇到2个问题;)
class Program
{
static void Main(string[] args)
{
Console.WriteLine(IsGood1("+x(3)-)x-5+"));
Console.WriteLine(IsGood1("(x * n)(x + m)"));
Console.WriteLine(IsGood1(" ( x + 12.9) (x+33.9)"));
}
private static bool IsOrdered(string s) // bad idea
{
var ind = new List<int>();
ind.Add(s.IndexOf('('));
ind.Add(s.IndexOfAny(new char[] { '+', '-' }));
ind.Add(s.IndexOf(')'));
ind.Add(s.LastIndexOf('('));
ind.Add(s.LastIndexOfAny(new char[] { '+', '-' }));
ind.Add(s.LastIndexOf(')'));
bool order = true;
for (int i = 0; i < ind.Count - 1; i++)
{
order = order && (ind[i] < ind[i + 1]);
}
return order;
}
public static bool IsGood1(string s)
{
if (!IsOrdered(s)) return false;
double m = 0;
int c = 0;
foreach (var item in s.Split(new char[] { '+', '-', '(', ')' }))
{
var xx = item.Trim();
if (xx != "")
switch (c)
{
case 0:
case 2:
if (xx == "x") c++;
break;
case 1:
case 3:
if (double.TryParse(xx, out m)) c++;
break;
}
}
return c == 4;
}
}
答案 3 :(得分:1)
在这种情况下,我认为正则表达式很有意义。与C ++不同,C#没有办法(我知道)使用字符串格式作为解析字符串的一部分。
这是聪明的吗?不,很美?没有。 短?不,根据 说明书
我希望如此,但我还没有完全测试过它。 虽然看起来很不错。
static bool testJoin(string x)
{
string[] s = x.Split(new char[] { ' ' }, StringSplitOptions.RemoveEmptyEntries);
if (s.Length != 3) return false;
if (s[1] != "+" && s[1] != "-") return false;
if (s[0] != "x") return false;
double tmp;
return Double.TryParse(s[2], out tmp);
}
static bool testString(string x)
{
if (x.Length < 2) return false;
if (x[0] != '(' || x[x.Length-1]!=')') return false;
string[] y = x.Substring(1,x.Length-2).Split(new string[] { ")(" }, StringSplitOptions.None);
if (y.Length != 2) return false;
return testJoin(y[0]) && testJoin(y[1]);
}