Home > Article > Backend Development > How Do Named and Normal Returns in Go Differ in Handling Panics?
In Go, the difference between normal and named returns lies beyond readability. Named returns allow modifications to return values, affecting the outcomes in the event of panics.
Consider the following code:
import ( "fmt" "log" ) func catch(err *error) { if r := recover(); r != nil { *err = fmt.Errorf("recovered panic: %v", r) } } func panicIf42(n int) { if n == 42 { panic("42!") } } func NormalReturns(n int) error { var err error defer catch(&err) panicIf42(n) return err } func NamedReturns(n int) (err error) { defer catch(&err) panicIf42(n) return } func main() { err := NamedReturns(42) log.Printf("NamedReturns error: %v", err) err = NormalReturns(42) log.Printf("NormalReturns error: %v", err) }
Unexpectedly, NormalReturns returns nil, while NamedReturns returns an error. How can this behavior be explained?
In NormalReturns, the return value is initialized to nil (the zero value of error). Since the panic in panicIf42() prevents the return statement from being reached, the result variable remains set to nil.
In contrast, NamedReturns declares a named return variable err. Upon panic, the deferred catch() function modifies this variable. The named result value is preserved and returned, even though the return statement is not executed.
Named returns provide more flexibility and control over return values. They enable the modification of return values by deferred functions and ensure that specified values are returned even in the event of a panic. By understanding these nuances, developers can effectively use named returns to handle exceptional cases and accurately convey error conditions.
The above is the detailed content of How Do Named and Normal Returns in Go Differ in Handling Panics?. For more information, please follow other related articles on the PHP Chinese website!