前言
循环语句为众多程序员们提供了很大的便利,有while、do...while、for和 foreach。而且foreach语句很简洁,但是它的优点不仅仅在于此,它的效率也是最高的。本文将详细给大家关于c#中foreach循环对比for循环的优势和劣势,下面话不多说了,来一起看看详细的介绍吧。
一、foreach循环的优势
c#支持foreach关键字,foreach在处理集合和数组相对于for存在以下几个优势:
1、foreach语句简洁
2、效率比for要高(c#是强类型检查,for循环对于数组访问的时候,要对索引的有效值进行检查)
3、不用关心数组的起始索引是几(因为有很多开发者是从其他语言转到c#的,有些语言的起始索引可能是1或者是0)
4、处理多维数组(不包括锯齿数组)更加的方便,代码如下:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
|
int [,] nvisited ={ {1,2,3}, {4,5,6}, {7,8,9} }; // use "for" to loop two-dimension array(使用for循环二维数组) console.writeline( "user 'for' to loop two-dimension array" ); for ( int i = 0; i < nvisited.getlength(0); i++) for ( int j = 0; j < nvisited.getlength(1); j++) console.write(nvisited[i, j]); console.writeline(); //use "foreach" to loop two-dimension array(使用foreach循环二维数组) console.writeline( "user 'foreach' to loop two-dimension array" ); foreach (var item in nvisited) console.write(item.tostring()); |
foreach只用一行代码就将所有元素循环了出来,而for循环则就需要很多行代码才可以.
注:foreach处理锯齿数组需进行两次foreach循环
1
2
3
4
5
6
7
8
9
10
|
int [][] nvisited = new int [3][]; nvisited[0] = new int [3] { 1, 2, 3 }; nvisited[1] = new int [3] { 4, 5, 6 }; nvisited[2] = new int [6] { 1, 2, 3, 4, 5, 6 }; //use "foreach" to loop two-dimension array(使用foreach循环二维数组) console.writeline( "user 'foreach' to loop two-dimension array" ); foreach (var item in nvisited) foreach (var val in item) console.writeline(val.tostring()); |
5、在类型转换方面foreach不用显示地进行类型转换
1
2
3
4
5
6
7
8
9
10
11
12
13
|
int [] val = { 1, 2, 3 }; arraylist list = new arraylist(); list.addrange(val); foreach ( int item in list) //在循环语句中指定当前正在循环的元素的类型,不需要进行拆箱转换 { console.writeline((2*item)); } console.writeline(); for ( int i = 0; i < list.count; i++) { int item = ( int )list[i]; //for循环需要进行拆箱 console.writeline(2 * item); } |
6、当集合元素如list<t>等在使用foreach进行循环时,每循环完一个元素,就会释放对应的资源,代码如下:
1
2
3
4
5
6
7
|
using (ienumerator<t> enumerator = collection.getenumerator()) { while (enumerator.movenext()) { this .add(enumerator.current); } } |
二、foreach循环的劣势
1、上面说了foreach循环的时候会释放使用完的资源,所以会造成额外的gc开销,所以使用的时候,请酌情考虑
2、foreach也称为只读循环,所以再循环数组/集合的时候,无法对数组/集合进行修改。
3、数组中的每一项必须与其他的项类型相等.
总结
以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作具有一定的参考学习价值,如果有疑问大家可以留言交流,谢谢大家对服务器之家的支持。
原文链接:http://www.cnblogs.com/GreenLeaves/p/7401605.html