Is it possible to do something like this in Golang?
package main
import "fmt"
type myFunType func(x int) int
var myFun myFunType = myFunType { return x }  // (1) 
func doSomething(f myFunType) {
    fmt.Println(f(10))
}
func main() {
    doSomething(myFun)
}
In other words, is it possible to declare a function type variable using a function type alias, without repeating the signature? Or, alternatively, is there a way not to always retype the whole function-signature, whenever creating a variable of a function-type?
The above code sample, which I would expect to be equivalent to the one below (replace line (1) with line (2)), results in the compilation error syntax error: unexpected return, expecting expression.
package main
import "fmt"
type myFunType func(x int) int 
var myFun myFunType = func(x int) int { return 2 * x } // (2)
func doSomething(f myFunType) {
    fmt.Println(f(10))
}
func main() {
    doSomething(myFun)
}