The Go language specification on the section about Constant expressions states:
A compiler may use rounding while computing untyped floating-point or complex constant expressions; see the implementation restriction in the section on constants. This rounding may cause a floating-point constant expression to be invalid in an integer context, even if it would be integral when calculated using infinite precision, and vice versa.
Does the sentence
This rounding may cause a floating-point constant expression to be invalid in an integer context
point to something like the following:
func main() {
a := 853784574674.23846278367
fmt.Println(int8(a)) // output: 0
}
The quoted part from the spec does not apply to your example, as
a
is not a constant expression but a variable, soint8(a)
is converting a non-constant expression. This conversion is covered by Spec: Conversions, Conversions between numeric types:Since you convert a non-constant expression
a
being853784574674.23846278367
to an integer, the fraction part is discarded, and since the result does not fit into anint8
, the result is not specified, it's implementation-dependent.The quoted part means that while constants are represented with a lot higher precision than the builtin types (eg.
float64
orint64
), the precision that a compiler (have to) implement is not infinite (for practical reasons), and even if a floating point literal is representable precisely, performing operations on them may be carried out with intermediate roundings and may not give mathematically correct result.The spec includes the minimum supportable precision:
For example:
This code should output
1
asx
is being 1 larger thany
. Running it on the Go Playground outputs0
because the constant expressionx - y
is executed with roundings, and the+1
is lost as a result. Bothx
andy
are integers (have no fraction part), so in integer context the result should be1
. But the number being1e100000
, representing it requires around ~333000 bits, which is not a valid requirement from a compiler (according to the spec, 256 bit mantissa is sufficient).If we lower the constants, we get correct result:
This outputs the mathematically correct
1
result. Try it on the Go Playground. Representing the number1e1000
requires around ~3333 bits which seems to be supported (and it's way above the minimum 256 bit requirement).