如何将 if 语句中的值 return 转换为函数 golang

How to return a value from if-statement into a function golang

我在 Python 之后开始使用 Golang 时遇到了问题。在 Python 中,如果语句在函数内部,则在 if 语句内部声明的变量对于 function/method 是可见的。

from pydantic import BaseModel

class sometype(BaseModel):
    """
    A model describes new data structure which will be used
    """
    sometype1: str

def someaction(somedata:sometype):
    """
    do some action
    :param somedata: a sometype instance
    :return:
    """
    print("%s" % somedata.sometype1 )

def somefunc(somedata:int, somebool:bool, anydata:sometype):
    """
    It is a function
    :param somedata: some random int
    :param somebool: thing that should be True (else there will be an error)
    :param anydata: sometype instance
    :return:
    """
    if somebool==True:
        somenewdata=anydata
    someaction(somenewdata)

if __name__=="__main__":
    print("some")
    thedata :sometype = sometype(sometype1="stringtypedata")
    somefunc(1, True, thedata)

一个IDE只能警告你(“局部变量'...'可能在赋值之前被引用”)在某些情况下不能引用它(准确地说 - 不会有变量如果“somebool”为 False,则命名为“somenewdata”)。

当我尝试在 Go 中做类似的事情时 - 我无法在 if 语句之外使用变量。

// main package for demo
package main

import "fmt"

//sometype organizes dataflow
type sometype struct {
    sometype1 string
}

//someaction does action
func someaction(somedata sometype) {
    fmt.Printf("%v", somedata)
}

//somefunc is a function
func somefunc(somedata int, somebool bool, anydata sometype) {
    if somebool == true {
        somenewdata = anydata
    }
    someaction(somenewdata)
}

func main() {
    fmt.Println("some")
    thedata := sometype{"stringtype"}
    somefunc(1, true, thedata)

}

此错误(“未解析的引用“...””)将出现在 IDE 中并且代码将无法编译。 我的问题是——为什么会这样?

我在这个问题上苦苦挣扎,因为我没有意识到这意味着 if-function 中使用的变量对于函数不可见。

答案很简单 - 在这种情况下,您不需要 return 该值,因为您只需填写该值即可。所以,你需要在函数内部的 if-statement 之前引入它,它对函数和语句都可见。

// main package for demo
package main

import "fmt"

//sometype organizes dataflow
type sometype struct {
    sometype1 string
}

//someaction does action
func someaction(somedata sometype) {
    fmt.Printf("%v", somedata)
}

//somefunc is a function
func somefunc(somedata int, somebool bool, anydata sometype) {
    //introduce the variable
    var somenewdata sometype 
    if somebool == true {
        //fill the variable with data
        somenewdata = anydata
    }
    someaction(somenewdata)
}

func main() {
    fmt.Println("some")
    thedata := sometype{"stringtype"}
    somefunc(1, true, thedata)

}