在Go中对多个返回值进行转换/类型断言的惯用方法

时间:2012-07-09 20:58:23

标签: casting go return-value

在Go中投射多个返回值的惯用方法是什么?

你可以在一行中完成,还是需要使用临时变量,例如我在下面的例子中所做的那样?

package main

import "fmt"

func oneRet() interface{} {
    return "Hello"
}

func twoRet() (interface{}, error) {
    return "Hejsan", nil
}

func main() {
    // With one return value, you can simply do this
    str1 := oneRet().(string)
    fmt.Println("String 1: " + str1)

    // It is not as easy with two return values
    //str2, err := twoRet().(string) // Not possible
    // Do I really have to use a temp variable instead?
    temp, err := twoRet()
    str2 := temp.(string)
    fmt.Println("String 2: " + str2 )


    if err != nil {
        panic("unreachable")
    }   
}

顺便说一下,当谈到接口时,它被称为casting吗?

i := interface.(int)

4 个答案:

答案 0 :(得分:62)

你无法在一行中完成。 你的临时变量方法是可行的方法。

  

顺便说一下,当涉及到界面时它被称为铸造吗?

它实际上被称为type assertion。 类型 cast 转换是不同的:

var a int
var b int64

a = 5
b = int64(a)

答案 1 :(得分:28)

func silly() (interface{}, error) {
    return "silly", nil
}

v, err := silly()
if err != nil {
    // handle error
}

s, ok := v.(string)
if !ok {
    // the assertion failed.
}

但更有可能的是你真正想要的是使用类型开关,比如这个:

switch t := v.(type) {
case string:
    // t is a string
case int :
    // t is an int
default:
    // t is some other type that we didn't name.
}

Go更多的是关于正确性,而不是关于简洁性。

答案 2 :(得分:12)

template.Must是标准库在一个语句中仅返回第一个返回值的方法。可以针对您的情况进行类似的操作:

func must(v interface{}, err error) interface{} {
    if err != nil {
        panic(err)
    }
    return v
}

// Usage:
str2 := must(twoRet()).(string)

通过使用must你基本上说应该永远不会有错误,如果有,那么程序就不能(或者至少不应该)继续运行,而是会发生恐慌。

答案 3 :(得分:10)

或者只是在一个if:

if v, ok := value.(migrater); ok {
    v.migrate()
}

Go将处理if子句中的强制转换,并允许您访问已转换类型的属性。