C# - 通过其复杂结构的值查找数组中的键

时间:2016-11-06 06:43:17

标签: c# arrays key

C#中有一个方法可以通过“subvalue”找到数组中项的键吗?一些假设的函数“findKeyofCorrespondingItem()”?

struct Items
{
 public string itemId;
 public string itemName;
}

 int len = 18;
 Items[] items = new Items[len];

items[0].itemId = "684656"; 
items[1].itemId = "411666"; 
items[2].itemId = "125487"; 
items[3].itemId = "756562"; 
// ...
items[17].itemId = "256569"; 

int key = findKeyofCorrespondingItem(items,itemId,"125487"); // returns 2

2 个答案:

答案 0 :(得分:1)

您可以使用Array.FindIndex。见https://msdn.microsoft.com/en-us/library/03y7c6xy(v=vs.110).aspx

using System.Linq
...
Array.FindIndex(items, (e) => e.itemId == "125487"));

答案 1 :(得分:0)

public static int findKeyofCorrespondingItem(Items[] items, string searchValue)
    {
        for (int i = 0; i < items.Length; i++)
        {
            if (items[i].itemId == searchValue)
            {
                return i;
            }
        }

        return -1;
    }

您可以运行循环并检查itemId是否等于您要搜索的值。如果没有项与值匹配,则返回-1。

Linq的解决方案:

public static int findKeyofCorrespondingItem(Items[] items, string searchValue)
{
    return Array.FindIndex(items, (e) => e.itemId == searchValue);
}