web-dev-qa-db-ja.com

List <T>をループ処理して各項目を取得する方法はありますか。

リストをループして各項目を取得する方法を教えてください。

出力を次のようにします。

Console.WriteLine("amount is {0}, and type is {1}", myMoney.amount, myMoney.type);

これが私のコードです:

static void Main(string[] args)
{
    List<Money> myMoney = new List<Money> 
    {
        new Money{amount = 10, type = "US"},
        new Money{amount = 20, type = "US"}
    };
}

class Money
{
    public int amount { get; set; }
    public string type { get; set; }
}
136
user1929393

foreach

foreach (var money in myMoney) {
    Console.WriteLine("Amount is {0} and type is {1}", money.amount, money.type);
}

MSDNリンク

代わりに、それはインデクサーメソッドList<T>を実装している[] ..であるため、通常のforループを使うこともできます。

for (var i = 0; i < myMoney.Count; i++) {
    Console.WriteLine("Amount is {0} and type is {1}", myMoney[i].amount, myMoney[i].type);
}
224
Simon Whitehead

完全を期すために、LINQ/Lambdaの方法もあります。

myMoney.ForEach((theMoney) => Console.WriteLine("amount is {0}, and type is {1}", theMoney.amount, theMoney.type));
29
acarlon

他のコレクションと同じように。 List<T>.ForEachメソッドが追加されました。

foreach (var item in myMoney)
    Console.WriteLine("amount is {0}, and type is {1}", item.amount, item.type);

for (int i = 0; i < myMoney.Count; i++)
    Console.WriteLine("amount is {0}, and type is {1}", myMoney[i].amount, myMoney[i].type);

myMoney.ForEach(item => Console.WriteLine("amount is {0}, and type is {1}", item.amount, item.type));
16
Khan

これが私がもっとfunctional wayを使って書く方法です。これがコードです:

new List<Money>()
{
     new Money() { Amount = 10, Type = "US"},
     new Money() { Amount = 20, Type = "US"}
}
.ForEach(money =>
{
    Console.WriteLine($"amount is {money.Amount}, and type is {money.Type}");
});
9
Coder Absolute

これを試して

List<int> mylist = new List<int>();   
mylist.Add(10);  
mylist.Add(100);   
mylist.Add(-1);

//リストアイテムをforeachでループすることができます。

foreach (int value in mylist )       
{       
 Console.WriteLine(value);       
}

Console.WriteLine("::DONE WITH PART 1::");

//これによりenter code hereexceptionが発生します。

foreach (int value in mylist )     
{         
 list.Add(0);      
}
0
ammad khan