Go 中的无限循环

Infinite loop in Go

我想让“for 循环”循环 3 次或直到用户输入整数以外的内容。下面是我的代码,尽管它运行了无数次并打印出用户输入的第一个值。

package main

import "fmt"
import "bufio"
import "strconv"
import "os"
import "sort"

func main(){
    emptySlice := make([]int, 3) // Capacity of 3
    fmt.Println(cap(emptySlice))
    scanner := bufio.NewScanner(os.Stdin) // Creating scanner object
    fmt.Printf("Please enter a number: ")
    scanner.Scan() // Will always scan in a string regardless if its a number

    for i := 0; i < cap(emptySlice); i++ { // Should this not run 3 times?
            input, err := strconv.ParseInt(scanner.Text(), 10, 16)
                    if err != nil{
                        fmt.Println("Not a valid entry! Ending program")
                        break
                    }
                emptySlice = append(emptySlice, int(input)) // adds input to the slice
                sort.Ints(emptySlice) // sorts the slice
                fmt.Println(emptySlice) // Prints the slice
    }   
    
}

我认为有几个小错误,但这个版本应该可以正常工作:

package main

import "fmt"
import "bufio"
import "strconv"
import "os"
import "sort"

func main() {
    emptySlice := make([]int, 3) // Capacity of 3
    fmt.Println(cap(emptySlice))
    scanner := bufio.NewScanner(os.Stdin) // Creating scanner object

    for i := 0; i < cap(emptySlice); i++ { // Should this not run 3 times?
        fmt.Printf("Please enter a number: ")
        scanner.Scan() // Will always scan in a string regardless if its a number

        input, err := strconv.ParseInt(scanner.Text(), 10, 16)
        if err != nil {
            fmt.Println("Not a valid entry! Ending program")
            break
        }
        // emptySlice = append(emptySlice, int(input)) // adds input to the slice
        emptySlice[i] = int(input)
    }

    sort.Ints(emptySlice)   // sorts the slice
    fmt.Println(emptySlice) // Prints the slice

}

我已将提示移入循环中,并将附加调用替换为对先前分配的切片条目的直接赋值。否则调用 append 只会增加切片的大小。

我已将排序和打印移到循环之外,因为它们似乎也放置不正确。

题中的程序以cap(emptySlice) == 3开始。鉴于循环的每次完整迭代都会向空切片附加一个新值,我们知道cap(emptySlice) >= 3 + i。由此可见,循环并没有终止。

我的家庭作业略有不同:读取最多三个整数并按排序打印它们。这是我的做法:

func main() {
    var result []int
    scanner := bufio.NewScanner(os.Stdin)
    for i := 0; i < 3; i++ {
        fmt.Printf("Please enter a number: ")
        if !scanner.Scan() {
            // Exit on EOF or other errors.
            break
        }

        n, err := strconv.Atoi(scanner.Text())
        if err != nil {
            // Exit on bad input.
            fmt.Println(err)
            break
        }
        result = append(result, n)
    }

    sort.Ints(result)
    fmt.Println(result)
}