如何使用foreach或foreach遍历IEnumerable集合
本文关键字:foreach IEnumerable 集合 遍历 何使用 | 更新日期: 2023-09-27 18:09:33
我想逐个添加值,但在for循环中我如何迭代通过一个接一个的值并将其添加到字典中。
IEnumerable<Customer> items = new Customer[]
{
new Customer { Name = "test1", Id = 111},
new Customer { Name = "test2", Id = 222}
};
我想在i=0
时加上{ Name = "test1", Id = 111}
并希望在i=1
n等时添加{ Name = "test2", Id = 222}
.
现在我在每个键中添加完整的集合。(希望使用foreach或forloop来实现)
public async void Set(IEnumerable collection)
{
RedisDictionary<object,IEnumerable <T>> dictionary = new RedisDictionary>(Settings, typeof(T).Name);
// Add collection to dictionary;
for (int i = 0; i < collection.Count(); i++)
{
await dictionary.Set(new[] { new KeyValuePair<object,IEnumerable <T> ( i ,collection) });
}
}
如果需要计数并且要维护IEnumerable,那么您可以尝试以下操作:
int count = 0;
var enumeratedCollection = collection.GetEnumerator();
while(enumeratedCollection.MoveNext())
{
count++;
await dictionary.Set(new[] { new KeyValuePair<object,T>( count,enumeratedCollection.Current) });
}
新版
var dictionary = items.Zip(Enumerable.Range(1, int.MaxValue - 1), (o, i) => new { Index = i, Customer = (object)o });
顺便说一下,dictionary对于某些变量来说是个坏名字
我用完了
string propertyName = "Id";
Type type = typeof(T);
var prop = type.GetProperty(propertyName);
foreach (var item in collection)
{
await dictionary.Set(new[] { new KeyValuePair<object, T>(prop.GetValue(item, null),item) });
}
那么您想要在for循环中将一个项从集合中移到字典中?如果您将IEnumerable
强制转换为列表或数组,则可以通过索引轻松访问它。例如:编辑:代码在每次循环时首先创建一个列表,这当然应该避免。
var list = collection.ToList(); //ToArray() also possible
for (int i = 0; i < list.Count(); i++)
{
dictionary.Add(i, list[i]);
}
我不是100%,如果这是你需要的,虽然。