英文:
Passing argument to Go IIFE (following javascript example)
问题
我习惯用JavaScript编程,在那里我可以通过以下方式将参数传递给立即调用的函数表达式:
(function(twoSeconds) {
// 在这里使用"twoSeconds"
})(2 * 1000);
所以我期望在Go语言中也能够做类似的事情,如下所示。然而,这似乎不起作用。
func (twoSeconds) {
// 构建错误:"twoSeconds" 未定义
}(time.Second * 2)
所以我不得不这样做:
func () {
twoSeconds := time.Second * 2
}()
因此,我的问题是如何将参数传递给Go语言的立即调用函数表达式?如果不可能的话,为什么不行?
英文:
I'm used to programming in javascript where I can do the following to pass an argument into an immediately-invoked function expression:
(function(twoSeconds) {
// do something with "twoSeconds" here
})(2 * 1000);
So I expected to be able to do something similar in Go, as below. However, it doesn't seem to work.
func (twoSeconds) {
// build error: "twoSeconds" undefined
}(time.Second * 2)
So I have to do this instead:
func () {
twoSeconds := time.Second * 2
}()
Therefore, my question is how can I pass an argument into a Go IIFE? And if it's not possible, why not?
答案1
得分: 10
在Go语言中,函数参数需要指定类型。所以按照以下方式编写代码:
func(twoSeconds time.Duration) {
// 使用 twoSeconds
}(time.Second * 2)
这段代码的作用是定义一个匿名函数,并将 time.Second * 2
作为参数传递给 twoSeconds
。在函数体内,你可以使用 twoSeconds
这个变量。
英文:
Function arguments in Go need types. So do the following:
func(twoSeconds time.Duration) {
// use twoSeconds
}(time.Second * 2)
通过集体智慧和协作来改善编程学习和解决问题的方式。致力于成为全球开发者共同参与的知识库,让每个人都能够通过互相帮助和分享经验来进步。
评论