猿问

可变参数函数的困难

摘自《Go 编程简介》,第 91 页,练习题 4,主题:函数:


编写一个带有一个可变参数的函数来查找数字列表中的最大数字?


到目前为止,我已经编写了这段代码,但它显示错误


package main


import (

    "fmt"

)


func findMaximum(args ...[]int) []int {

    max := args[0]

    for _, v := range args {

        if v > []args {

            max = v

        }

    }

    return args

}


func main() {

    x := []int{

        48, 96, 86, 68,

        57, 82, 63, 70,

        37, 34, 83, 27,

        19, 97, 9, 17,

    }

    fmt.Println(findMaximum(x))

}

我参考了这个程序


(第 75 页,问题编号 - 4,主题:数组、切片和映射)


编写一个程序来查找此列表中的最小数字:


x := []int{

 48,96,86,68,

 57,82,63,70,

 37,34,83,27,

 19,97, 9,17,

}

这是我为解决这个问题而编写的程序


package main


import "fmt"


func main() {

    arr := []uint{

        48, 96, 86, 68,

        57, 82, 63, 70,

        37, 34, 83, 27,

        19, 97, 9, 17,

    }


    min := arr[0] // assume first value is smallest


    for _, value := range arr {

        if value < min {

            min = value // found another value, replace previous value of min

        }

    }

    fmt.Println("The smallest value is : ", min)

}

这个问题程序正在运行,但第一个程序没有运行,我不知道为什么。


慕尼黑的夜晚无繁华
浏览 125回答 2
2回答

GCT1015

在数学和计算机编程中,可变参数函数是一种不定数量的函数,即接受可变数量的参数的函数。您的函数签名稍微不正确。func findMaximum(args ...[]int) []int这表示findMaximum接受可变数量的int切片作为参数并返回一个int切片。您试图解决的问题是要求接受可变数量的参数并返回所提供集合中最大的int单数。int调用你的函数看起来像这样:largest := findMaximum([]int{1, 2, 3}, []int{4, 5, 6}, []int{7, 8, 9})在这种情况下,largest的类型[]int表明该函数int以切片的形式返回多个值。这是没有意义的,因为应该只有一个最大值(假设没有重复项)。您需要一个如下所示的函数签名:func findMaximum(args ...int) int调用这个函数看起来像这样:largest := findMaximum(1, 2, 3, 4, 5, 6, 7, 8, 9)...或者如果你的数字在一个切片中:nums := []int{1, 2, 3, 4, 5, 6, 7, 8, 9} largest := findMaximum(nums...)在这种情况下,largest将是 类型int,这是您在此问题中寻找的正确返回值。(去游乐场)祝你好运!

PIPIONE

如果您通过https://play.golang.org/运行代码,您将看到一些语法错误。下面是在切片中找到最大值的正确版本。...正如您所注意到的,切片参数调用中有额外的内容。package mainimport (&nbsp; &nbsp; "fmt")func findMaximum(args []int) int {&nbsp; &nbsp; max := args[0]&nbsp; &nbsp; for _, v := range args {&nbsp; &nbsp; &nbsp; &nbsp; if v > max{&nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; max = v&nbsp; &nbsp; &nbsp; &nbsp; }&nbsp; &nbsp; }&nbsp; &nbsp; return max}func main() {&nbsp; &nbsp; x := []int{&nbsp; &nbsp; &nbsp; &nbsp; 48, 96, 86, 68,&nbsp; &nbsp; &nbsp; &nbsp; 57, 82, 63, 70,&nbsp; &nbsp; &nbsp; &nbsp; 37, 34, 83, 27,&nbsp; &nbsp; &nbsp; &nbsp; 19, 97, 9, 17,&nbsp; &nbsp; }&nbsp; &nbsp; fmt.Println(findMaximum(x))}
随时随地看视频慕课网APP

相关分类

Go
我要回答