Dans Go, quelle est la meilleure stratégie pour convertir int64
à int
? J'ai du mal à comparer les deux
package main
import (
"math"
"strings"
"strconv"
)
type largestPrimeFactor struct {
N int
Result int
}
func main() {
base := largestPrimeFactor{N:13195}
max := math.Sqrt(float64(base.N))
maxStr := strconv.FormatFloat(max, 'E', 'G', 64)
maxShift := strings.Split(maxStr, ".")[0]
maxInt, err := strconv.ParseInt(maxShift, 10, 64)
if (err != nil) {
panic(err)
}
sur cette ligne suivante
for a := 2; a < maxInt; a++ {
if isPrime(a) {
if base.N % a == 0 {
base.Result = a
}
}
}
println(base)
}
func isPrime(n int) bool {
flag := false
max := math.Sqrt(float64(n))
maxStr := strconv.FormatFloat(max, 'E', 'G', 64)
maxShift := strings.Split(maxStr, ".")[0]
maxInt, err := strconv.ParseInt(maxShift, 10, 64)
if (err != nil) {
panic(err)
}
for a := 2; a < maxInt; a++ {
if (n % a == 0) {
flag := true
}
}
return flag
}
Vous les convertissez avec un type "conversion"
var a int
var b int64
int64(a) < b
Lorsque vous comparez des valeurs, vous voulez toujours convertir le type le plus petit en un plus grand. Convertir dans l'autre sens peut éventuellement tronquer la valeur:
var x int32 = 0
var y int64 = math.MaxInt32 + 1 // y == 2147483648
if x < int32(y) {
// this evaluates to false, because int32(y) is -2147483648
Ou dans votre cas, pour convertir le maxInt
int64
valeur à un int
, vous pouvez utiliser
for a := 2; a < int(maxInt); a++ {
qui ne fonctionnerait pas correctement si maxInt
dépassait la valeur maximale du type int
sur votre système.