Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Return only the first result of a multiple return values in golang

Tags:

go

Absolute newbie question here.

Some functions in Go return more than one value (normally, the value and an error). I was writing a func who return the return value of one of those functions, and even if it is very easy to put the values on variables and return only the first one, I have the doubt if I could do the same in only one line without the extra variable. This is something often uses in other languages like C, Java, C#, Ruby, etc

func someFunc (param string) int {
   // do something with the string, not very important
   return strconv.Atoi(param) 
}

I know this works

func someFunc (param string) int {
   // do something with the string, not very important
   var result int
   result, _ = strconv.Atoi(param)
   return result 
}

It is this possible in Go? It is considered a "good practice" (like in Java*)

Note: Before someone say that this technique is not a good practice in Java, clarify that is not important for the question, but some people (like the ones in the company I work) encourage that style.

like image 423
Mangano Avatar asked Oct 27 '18 03:10

Mangano


1 Answers

Use a short variable declaration for the shortest code to accomplish this goal:

func SomeFunc(parm string) int {
    result, _ := strconv.Atoi(param)
    return result
}

There is no one line solution without introducing a helper function that accepts two arguments and returns the first. One of these helper functions would be needed for each combination of types where you want to ignore a value.

like image 51
Bayta Darell Avatar answered Oct 07 '22 00:10

Bayta Darell