MSDN说,从ulong
到double
的转换可以隐式完成:https://msdn.microsoft.com/en-us/library/y5b434w4.aspx。但是当我尝试编译以下内容时:
public static double arraySum(double[] arrN)
{
double sum = 0;
foreach (double k in arrN)
sum += k;
return sum;
}
ulong[] chessArray = new ulong[64]
//filling values of chessArray, 1st element is 1, 2nd is 2, 3rd is 4 etc.
ulong a = arraySum(chessArray);
我得到编译器错误CS1503"无法从ulong []转换为double []"。原因是什么?我的猜测是,在这种特殊情况下,最后一个数组元素的值非常高,即chessArray [63]甚至更高(乘以1),然后是ulong
的最大值:18,446,744,073,709,551,615。
答案 0 :(得分:2)
您正尝试将ulong
数组转换为double
数组,这是不可能的。
尝试转换方法中的每个值,而不是:
public static double arraySum(ulong[] arrN)
{
double sum = 0;
foreach (ulong k in arrN){
sum+=(double)k;
}
return sum;
}
ulong[] chessArray = new ulong[64]
//filling values of chessArray, 1st element is 1, 2nd is 2, 3rd is 4 etc.
ulong a = arraySum(chessArray);
答案 1 :(得分:0)
您可以从ulong转换为double,但不能从double转换为ulong。当您尝试转换数组时,也必须进行后一次转换,因为数组是可写的。
只看一个显示有问题后果的例子:
ulong[] chessArray = new ulong[64];
double[] doubleArray = chessArray; // let's assume it is allowed
doubleArray[0] = 1.23; // what should happen here with chessArray[0]?