从字符串中解析int的更好方法

时间:2013-01-02 19:55:15

标签: c# string string-parsing

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

字符串是“#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);

有什么建议吗?

提前致谢!

3 个答案:

答案 0 :(得分: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次电话更清楚地表达了什么...

答案 1 :(得分: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");

答案 2 :(得分: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());

}