访问数组元素的安全方法是什么,不使用IndexOutOfRangeException
,TryParse
,使用扩展方法或LINQ抛出TryRead
?
答案 0 :(得分:9)
使用System.Linq ElementAtOrDefault方法。它处理超出范围的访问而不会抛出异常。 它在索引无效的情况下返回默认值。
int[] array = { 4, 5, 6 };
int a = array.ElementAtOrDefault(0); // output: 4
int b = array.ElementAtOrDefault(1); // output: 5
int c = array.ElementAtOrDefault(-1); // output: 0
int d = array.ElementAtOrDefault(1000); // output: 0
答案 1 :(得分:7)
您可以使用以下扩展方法。
public static bool TryGetElement<T>(this T[] array, int index, out T element) {
if ( index < array.Length ) {
element = array[index];
return true;
}
element = default(T);
return false;
}
示例:
int[] array = GetSomeArray();
int value;
if ( array.TryGetElement(5, out value) ) {
...
}
答案 2 :(得分:0)
如果要安全地遍历数组中的元素,只需使用枚举器:
foreach (int item in theArray) {
// use the item variable to access the element
}
答案 3 :(得分:0)
将此扩展名设置为空检查并超出范围检查。
public static class ArraySafe
{
public static bool TryGetElement<T>(this T[] array, int index, out T element)
{
if(array == null || index < 0 || index >= array.Length)
{
element = default(T);
return false;
}
element = array[index];
return true;
}
}
用法:
public void Test()
{
int[] intAry = new Int32[10];
int v;
if (intAry.TryGetElement(6, out v))
{
//here got value
}
}