在這周的一次討論中,有人說(a+(b+c)) 等於 ((a+b)+c) ,當a, b,c 全部都是簡單數據類型,例如int,float,double ...
在數學上當然如此,但是在代碼上卻並非如此,首先考慮下System.Int32 以及下面的test.cs:
using System;
class Program
{
static void Main(string[] args)
{
int a = int.MaxValue;
int b = 1;
int c = -a;
try { Console.WriteLine(a+(b+c)); }
catch(Exception e) { Console.WriteLine(e.Message); }
try { Console.WriteLine((a+b)+c); }
catch(Exception e) { Console.WriteLine(e.Message); }
}
}
使用csc.exe test.cs 編譯代碼,運行test.exe,結果如下:
1
1
很容易理解。現在使用csc.exe /checked test.cs來進行編譯,運行test.exe,結果如下:
1
Arithmetic operation resulted in an overflow.
所以,操作的順序的確產生了差異,現在考慮下一個更有意思的例子,浮點數數字..float
using System;
class Program
{
static void Main(string[] args)
{
float a = float.MaxValue;
float b = -a;
float c = -1;
Console.WriteLine(a+(b+c));
Console.WriteLine((a+b)+c);
}
}
使用csc.exe test.cs進行編譯,運行test.exe,結果如下:
0
-1
現在問你一個問題:
如果使用csc.exe /checked test.cs 進行編譯,運行test.exe 那麼結果是什麼呢,為什麼?
原文鏈接:When (a+b)+c != a+(b+c)...
作者:LoveJenny