在C#中查找字符串中的数字索引

时间:2010-09-17 05:17:15

标签: c#

形成以下字符串我想得到起始编号的索引。请告诉我如何在C#.net中完成。

例如

University of California, 1980-85.  
University of Colorado, 1999-02 

3 个答案:

答案 0 :(得分:67)

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;

namespace IndexOfAny
{
    class Program
    {
        static void Main(string[] args)
        {
            Console.WriteLine("University of California, 1980-85".IndexOfAny("0123456789".ToCharArray()));
        }
    }
}

答案 1 :(得分:8)

以下可能会帮助您完成任务

Regex re = new Regex(@"\d+");
Match m = re.Match(txtFindNumber.Text);
if (m.Success) 
{
    lblResults.Text = string.Format("RegEx found " + m.Value + " at position " + m.Index.ToString());
}
else 
{
    lblResults.Text = "You didn't enter a string containing a number!";
}

答案 2 :(得分:6)

不确定这是否是最快的方式(我认为它必须比Regex更快),但你可以使用内置字符串方法IndexOfAny来实现1个班轮:

string yourString = "University of California, 1980-85";
int index = yourString.IndexOfAny(new char[]
    { '0', '1', '2', '3', '4', '5', '6', '7', '8', '9' });
// index = 26
// if nothing found it would be -1

编辑:在我做的简单测试中,我的方法似乎要快得多:

string test = "University of California, 1980-85";

System.Diagnostics.Stopwatch watch = new System.Diagnostics.Stopwatch();
long totalTicks1 = 0;
long totalTicks2 = 0;
char[] testChars = new char[] { '0', '1', '2', '3', '4', '5', '6', '7', '8', '9' };
Regex re = new Regex(@"\d+");
for (int i = 0; i < 1000; i++)
{
    watch.Reset();
    watch.Start();
    Match m = re.Match(test);
    watch.Stop();
    totalTicks1 += watch.ElapsedTicks;

    watch.Reset();
    watch.Start();
    int index = test.IndexOfAny(testChars);
    watch.Stop();
    totalTicks2 += watch.ElapsedTicks;
}

运行结果1:

Regex totalTicks1 = 4851
IndexOfAny totalTicks2 = 1472

运行结果2:

Regex totalTicks1 = 5578
IndexOfAny totalTicks2 = 1470

运行结果3:

Regex totalTicks1 = 5441
IndexOfAny totalTicks2 = 1481

这看起来很重要。我想知道它会受到不同长度字符串的影响...我试图远离Regex,除非我真正寻找某种类型的复杂模式,因为它总是看起来很慢。 / p>

编辑2:修正了测试,使其在循环外预定义char[]Regex时更准确。