0

我正在尝试查看是否有一种不同/更好的方式来解析我拥有的字符串。

字符串是“#def xyz[timer=50, fill=10]”。我试图从这个字符串中检索计时器和填充值。

我目前拥有的代码是:

string def = "#def xyz[timer=50, fill=10]";
string _timer = def.Remove(def.IndexOf(","));
_timer = _timer.Remove(0, _timer.IndexOf("=", _timer.IndexOf("timer")) + 1);

string _fill = def.Remove(def.IndexOf("]"));
_fill = _fill.Remove(0, _fill.IndexOf("=", _fill.IndexOf("fill")) + 1);

int timer = Int32.Parse(_timer);
int fill = Int32.Parse(_fill);

有什么建议么?

提前致谢!

4

3 回答 3

6

我可能会使用正则表达式。例如:

using System;
using System.Text.RegularExpressions;

class Test
{
    static void Main()
    {
        // You can create the regex once and reuse it, of course. Adjust
        // as necessary if the name isn't always "xyz" for example.
        Regex regex = new Regex(@"^#def xyz\[timer=(\d+), fill=(\d+)\]$");
        string input = "#def xyz[timer=50, fill=10]";
        Match match = regex.Match(input);
        if (match.Success)
        {
            int fill = int.Parse(match.Groups[1].Value);
            int timer = int.Parse(match.Groups[2].Value);
            Console.WriteLine("Fill={0}, timer={1}", fill, timer);
        }
    }
}

笔记:

  • 这只处理非负整数
  • 如果值超出范围,它将失败(有一个例外)int

我会说它比那些电话更清楚地表明你在做什么Remove......

于 2013-01-02T20:00:27.103 回答
1
      Match m = Regex.Match("#def xyz[timer=50, fill=10]", "timer=([0-9]+?), fill=([0-9]+?)[]]");

      string timer = m.Result("$1");
      string fill = m.Result("$2");
于 2013-01-02T20:00:47.700 回答
0

我喜欢尽可能使用 split,在大多数情况下它比正则表达式快得多——我没有测试,但我希望它在这里会更快。当然,这段代码几乎没有错误检查。

void Main()
{
  string def = "#def xyz[timer=50, fill=10]";

  string [] inBracket = def.Split("[]".ToCharArray());

  string [] elements = inBracket[1].Split(",".ToCharArray());

  int timer = int.Parse(elements[0].Split("=".ToCharArray())[1]);

  int fill = int.Parse(elements[1].Split("=".ToCharArray())[1]);

  Console.WriteLine("timer = "+timer.ToString());
  Console.WriteLine("fill = "+fill.ToString());

}
于 2013-01-03T18:45:25.337 回答