Go:从延迟返回

问题描述 投票:0回答:3

如果函数发生恐慌,我想从函数返回错误(在 Go 中):

func getReport(filename string) (rep report, err error) {
    rep.data = make(map[string]float64)

    defer func() {
        if r := recover(); r != nil {
            fmt.Println("Recovered in f", r)
            err, _ = r.(error)
            return nil, err
        }
    }()
    panic("Report format not recognized.")
    // rest of the getReport function, which can try to out-of-bound-access a slice
    ...
} 

我似乎误解了恐慌和延迟的概念。有人可以启发我吗?

go return panic defer-keyword
3个回答
81
投票

在延迟函数中,您可以更改返回的参数,但不能返回新的集合。因此,对您所拥有的进行简单的更改即可使其发挥作用。

您所写的内容还有另一个问题,即您对

string
感到恐慌,但在类型断言中期待
error

这是对这两个问题的修复(播放

defer func() {
    if r := recover(); r != nil {
        fmt.Println("Recovered in f", r)
        // find out exactly what the error was and set err
        switch x := r.(type) {
        case string:
            err = errors.New(x)
        case error:
            err = x
        default:
            err = errors.New("Unknown panic")
        }
        // invalidate rep
        rep = nil
        // return the modified err and rep
    }
}()

6
投票

看看这个

package main

import "fmt"

func iWillPanic() {
    panic("ops, panic")
}
func runner() (rtnValue string) {
    rtnValue := ""
    defer func() {
        if r := recover(); r != nil {
            // and your logs or something here, log nothing with panic is not a good idea
            rtnValue = "don't panic" // modify the return value, and it will return
        }
    }()
    iWillPanic()
    return rtnValue
}

func main() {
    fmt.Println("Return Value:", runner())
}

3
投票
func TestReturnFromPanic(t *testing.T) {
   fn := func(filename string) (rep string, err error) {
       defer func() {
           if r := recover(); r != nil {
               err = fmt.Errorf("panic in getReport %s", r)
           }
       }()
       return filename[100:], nil
   }
   t.Log(fn(``))
}

命名的返回参数

err
就是窍门。

https://play.golang.org/p/jpaCa9j2iAf

© www.soinside.com 2019 - 2024. All rights reserved.