4

视窗,C#,VS2010。

我的应用程序有这个代码:

int[,] myArray=new int[10,2];
int result=0;
int x=0;
x++;

如下所示,如果结果在 10.0001 和 10.9999 之间;结果=10

result= (myArray[x,0]+myArray[x+1,0])/(x+1); 

我需要这个:如果结果>=10&&result<10.5 舍入到 10。如果 >=10.500&&<=10.999 之间的结果舍入到 11。

试试下面的代码。但没有奏效。

result= Math.Round((myArray[x,0]+myArray[x-1,0])/(x+1));

错误:以下方法或属性之间的调用不明确:“System.Math.Round(double)”和“System.Math.Round(decimal)”

错误:无法将类型“double”隐式转换为“int”。存在显式转换(您是否缺少演员表?)

result= Convert.ToInt32(Math.Round((myArray[x,0]+myArray[x-1,0])/(x+1)));

错误:以下方法或属性之间的调用不明确:“System.Math.Round(double)”和“System.Math.Round(decimal)”

在此先感谢,ocaccy pontes。

4

2 回答 2

7

尝试

result= (int)Math.Round((double)(myArray[x,0]+myArray[x-1,0])/(x+1));

那应该消除您的编译器错误。

第一个(“错误:以下方法或属性之间的调用不明确:'System.Math.Round(double)' 和 'System.Math.Round(decimal)'”)通过将被除数转换为 a 来解决double,它“涓涓细流”,这样除法的输出也是避免double精度损失的。

您还可以将函数参数显式转换为 adouble以获得相同的效果:

Math.Round((double)((myArray[x,0]+myArray[x-1,0])/(x+1)));

(注意括号的位置)。

第二个错误(“错误:无法将类型 'double' 隐式转换为 'int'。存在显式转换(您是否缺少强制转换?)”)通过将 的返回值显式转换Math.Roundint.

于 2013-04-30T02:54:56.627 回答
0

我知道这是一个 3 岁的问题,但这个答案似乎运作良好。也许有人会发现这些扩展方法的价值。

// Invalid for Dividend greater than 1073741823.
public static int FastDivideAndRoundBy(this int Dividend, int Divisor) {
    int PreQuotient = Dividend * 2 / Divisor;
    return (PreQuotient + (PreQuotient < 0 ? -1 : 1)) / 2;
}

// Probably slower since conversion from int to long and then back again.
public static int DivideAndRoundBy(this int Dividend, int Divisor) {
    long PreQuotient = (long)Dividend * 2 / Divisor;
    return (int)((PreQuotient + (PreQuotient < 0 ? -1 : 1)) / 2);
}
于 2016-12-10T17:29:23.353 回答