在C#中有时候会遇到需要循环输出的情况,比如这样:

  1. using Syatem
  2. using System.Collections;
  3. using System.Collections.Generic;
  4. class one {
  5. int[] A = { 1, 2, 3, 4, 5 };
  6. void Main()
  7. {
         //for
  8. for (int i = 0; i < A.Length; i++)
  9. Console.WriteLine(A[i]);
         //foreach
  10. foreach (int i in A)
  11. Console.WriteLine(i);
  12. }
  13. }

可以看出,当不需要麻烦的操作的时候,不需要针对第 i 元素进行奇怪的操作时,foreach提高了写代码的整洁和效率;


1.foreach中的 i 就是A中的元素,如果A是字符串,则应该写为

  1. foreach (char i in A)
  2. Console.WriteLine(i);

2.不要在foreach中试图增删,这样会报异常!需使用for!

3.List中有一个ForEach,可以实现在循环内增删,关于此还有挺多可以说的:

  List中ForEach是有委托的:要对 Action<T> 的每个元素执行的 List<T> 委托

标准写法: public void ForEach (Action<T> action); ,然后官方给出了一个示例,由此就可以看出用法了:

  1. 1 using System;
  2. 2 using System.Collections.Generic;
  3. 3
  4. 4 class Program
  5. 5 {
  6. 6 static void Main()
  7. 7 {
  8. 8 List<String> names = new List<String>();
  9. 9 names.Add("Bruce");
  10. 10 names.Add("Alfred");
  11. 11 names.Add("Tim");
  12. 12 names.Add("Richard");
  13. 13
  14. 14 // Display the contents of the list using the Print method.
  15. 15 names.ForEach(Print);
  16. 16
  17. 17 // The following demonstrates the anonymous method feature of C#
  18. 18 // to display the contents of the list to the console.
  19. 19 names.ForEach(delegate(String name)
  20. 20 {
  21. 21 Console.WriteLine(name);
  22. 22 });
  23. 23 }
  24. 24
  25. 25 private static void Print(string s)
  26. 26 {
  27. 27 Console.WriteLine(s);
  28. 28 }
  29. 29 }
  30. 30 /* This code will produce output similar to the following:
  31. 31 * Bruce
  32. 32 * Alfred
  33. 33 * Tim
  34. 34 * Richard
  35. 35 * Bruce
  36. 36 * Alfred
  37. 37 * Tim
  38. 38 * Richard
  39. 39 */

点击查看全部示范代码

by the way,此操作是O(n)操作。

版权声明:本文为wayne-tao原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。
本文链接:https://www.cnblogs.com/wayne-tao/p/11313670.html