我有一个简单的结构,我想用它作为查找表:
public struct TileTypeSize
{
public string type;
public Size size;
public TileTypeSize(string typeIn, Size sizeIn)
{
type = typeIn;
size = sizeIn;
}
}
我这样填写:
tileTypeSizeList.Add(new TileTypeSize("W",rectangleSizeWall));
tileTypeSizeList.Add(new TileTypeSize("p",rectangleSizePill));
tileTypeSizeList.Add(new TileTypeSize("P",rectangleSizePowerPill));
tileTypeSizeList.Add(new TileTypeSize("_",rectangleSizeWall));
tileTypeSizeList.Add(new TileTypeSize("=",rectangleSizeWall));
查找给定类型的大小的最有效方法是什么?
提前致谢!
答案 0 :(得分:3)
如果你知道集合中只有一个匹配,那么你可以使用:
var size = tileTypeSizeList.Single(t => t.type == someType).size;
如果没有,你必须更加聪明才能正确处理找不到匹配项的情况:
Size size;
var match =
tileTypeSizeList
.Cast<TileTypeSize?>().FirstOrDefault(t => t.type == someType);
if(match != null) size = match.size;
但请记住,如果这是结构中唯一的数据,则有更好的方法来存储此信息。我建议Dictionary<string, Size>
。
答案 1 :(得分:3)
一般,最有效的方法是将您的数据放入Dictionary
或类似容器(SortedDictionary
和SortedList
与Dictionary
并且在某些情况下更适合):
var dict = new Dictionary<string, Size>
{
{ "W", rectangleSizeWall },
// etc
}
然后:
var size = dict["W"];
如果有理由,你当然可以按字典顺序迭代字典中的值。
如果您要查找5种类型(即问题的大小非常小),那么像您这样的直接列表可能比关联容器更快。所以:
var tileStruct = tileTypeSizeList.FirstOrDefault(s => s.type == "W");
if (tileStruct.type == "") {
// not found
}
else {
var size = tileStruct.size;
}
如果您确定永远不会有搜索错过,您可以删除“如果找到”检查。
答案 2 :(得分:2)
var type = tileTypeSizeList.FirstOrDefault(t => t.type == someType);
if(type==null) throw new NotFoundException();
return type.size;
但如果列表很大并且您需要经常查找数据,则最好使用其他答案中注意到的Dictionary
。
答案 3 :(得分:2)
使用词典而不是列表:
Dictionary<string, TileTypeSize> tileTypeSizeDictionary = Dictionary<string, TileTypeSize>();
tileTypeSizeDictionary.Add("W", new TileTypeSize("W",rectangleSizeWall));
...
您可以使用以下方法查找元素:
TileTypeSize rectangleSizeWall = tileTypeSizeDictionary["W"];
当您需要按键查找时,字典比列表更快。