是否可以像使用Golang的C#中的函数重载或可选参数一样工作?或者可能是另一种方式?
答案 0 :(得分:9)
Go中可选参数的惯用解答是包装函数:
func do(a, b, c int) {
// ...
}
func doSimply(a, b) {
do(a, b, 42)
}
有意遗漏了函数重载,因为它使代码难以阅读。
答案 1 :(得分:8)
不直接支持函数重载和可选参数。你可以解决它们构建自己的参数struct。我的意思是这样的(未经测试,可能无效......)编辑:now tested...
package main
import "fmt"
func main() {
args:=NewMyArgs("a","b") // filename is by default "c"
args.SetFileName("k")
ret := Compresser(args)
fmt.Println(ret)
}
func Compresser(args *MyArgs) string {
return args.dstFilePath + args.srcFilePath + args.fileName
}
// a struct with your arguments
type MyArgs struct
{
dstFilePath, srcFilePath, fileName string
}
// a "constructor" func that gives default values to args
func NewMyArgs(dstFilePath string, srcFilePath string) *MyArgs {
return &MyArgs{
dstFilePath: dstFilePath,
srcFilePath:srcFilePath,
fileName :"c"}
}
func (a *MyArgs) SetFileName(value string){
a.fileName=value;
}
答案 2 :(得分:3)
有一些使用可变参数的提示here,例如:
sm1 := Sum(1, 2, 3, 4) // = 1 + 2 + 3 + 4 = 10
sm2 := Sum(1, 2) // = 1 + 2 = 3
sm3 := Sum(7, 1, -2, 0, 18) // = 7 + 1 + -2 + 0 + 18 = 24
sm4 := Sum() // = 0
func Sum(numbers ...int) int {
n := 0
for _,number := range numbers {
n += number
}
return n
}
或...interface{}
适用于任何类型:
Ul("apple", 7.2, "BANANA", 5, "cHeRy")
func Ul(things ...interface{}) {
fmt.Println("<ul>")
for _,it := range things {
fmt.Printf(" <li>%v</li>\n", it)
}
fmt.Println("</ul>")
}
答案 3 :(得分:0)
我有时使用具有不同自变量的New方法构造对象的方法是使用“ flavor”伪类型。您可以在Go Playground https://play.golang.org/p/5To5AcY-MRe
上尝试package main
import "fmt"
type flavorA struct{}
type flavorB struct{}
var FlavorA = flavorA{}
var FlavorB = flavorB{}
type Something struct {
i int
f float64
}
func (flavor flavorA) NewSomething(i int) *Something {
return &Something{i:i, f:0.0}
}
func (flavor flavorB) NewSomething(f float64) *Something {
return &Something{i:0, f:f}
}
func main() {
fmt.Println(FlavorA.NewSomething(1), FlavorB.NewSomething(2))
}