在List中查找值的第一个索引

时间:2013-03-06 14:12:25

标签: c# linq list

在文字中,我有一些相同的单词,我希望得到每个单词的位置。 使用这样的结构:

fullText = File.ReadAllText(fileName);  
List<string> arr = fullText.Split(' ').ToList();
List<string> result = arr.
    Where(x => string.Equals(x, "set", StringComparison.OrdinalIgnoreCase)).
    ToList();

for (int i = 0; i < result.Count; i++)
{
     Console.WriteLine(arr.IndexOf(result[i]));
}

我只获得每个单词的最后位置。例如,我有:

**LOAD SUBCASE1  SUBTITLE2 LOAD SUBCASE3 SUBTITLE4 load Load Load** 

我必须得到

**LOAD : position 1 
LOAD : position 4
load : position 7
Load: position 8 
Load : position 8**

3 个答案:

答案 0 :(得分:2)

要获取索引,请尝试这样的操作;

List<string> result = arr.Select((s,rn) => new {position = rn+1, val = s})
         .Where(s => string.Equals(s.val, "LOAD", StringComparison.OrdinalIgnoreCase))
         .Select(s => s.val + " : position " + s.position.ToString()) 
         .ToList();

以上查询不会返回**LOADLoad**。要在**结束时获得预期结果,我认为您可以使用s.val.Contains(),如下所示;

List<string> result = arr.Select((s, rn) => new { position = rn + 1, val = s })
     .Where(s => s.val.ToLower().Contains("load"))
     .Select(s => 
        s.val.EndsWith("**") ? s.val.Substring(0, s.val.Length - 2) + 
        " : position " + s.position.ToString() + "**" : s.val + " : position " + 
        s.position.ToString())
     .ToList();

答案 1 :(得分:0)

  

您的词汇表中没有“设置”。 ....我错了,反而必须   “装载”

您正在使用Equals进行比较。这意味着你想要比较整个单词,而不是单词的一部分,因此将省略“** LOAD”。这是期望的吗?否则使用IndexOf

但是,您可以使用此查询:

var words = fullText.Split().Select((w, i) => new{Word = w, Index = i});
var matches = words.Where(w =>  StringComparer.OrdinalIgnoreCase.Equals("load", w.Word));
foreach(var match in matches)
{
    Console.WriteLine("Index: {0}", match.Index);
}

DEMO

Index: 4
Index: 7
Index: 8

IndexOf方法是:

var partialMatches =  words.Where(w =>  w.Word.IndexOf("load", StringComparison.OrdinalIgnoreCase) != -1);
foreach (var partialMatch in partialMatches)
{
    Console.WriteLine("Index: {0}", partialMatch.Index);
}

DEMO

Index: 0
Index: 4
Index: 7
Index: 8
Index: 9

答案 2 :(得分:0)

这是一个完成工作的扩展方法:

public static class Extensions
{
    public static IEnumerable<int> IndecesOf(this string text, string pattern)
    {
        var items = text.Split(' ');
        for(int i = 0; i < items.Count(); i++)
            if(items[i].ToLower().Contains(pattern));
                yield return i + 1;
    }
}

用法:

var fullText = "**LOAD SUBCASE1 SUBTITLE2 LOAD SUBCASE3 SUBTITLE4 load Load Load**";
foreach(int i in fullText.IndecesOf("load"))
    Console.WriteLine(i);

输出:

  

1 4 7 8 9

请注意,我从example-string中删除了双倍空格,当使用双空格时,split会在数组中添加一个空字符串。