Solution 2: Go Packages and Functions
Let’s solve the challenge set in the previous lesson.
We'll cover the following...
Solution
Here are the two versions of the function that sorts three int
values.
Press + to interact
package mainimport ("fmt")// Function with named return valuesfunc sortInts(a, b, c int) (x, y, z int) {// Create local variables to store the sorted valuesvar first, second, third int// Sort the input valuesif a > b {first, second = b, a} else {first, second = a, b}if second > c {second, third = c, second} else {third = c}// Set the output parametersx, y, z = first, second, thirdreturn}// Function without named return valuesfunc sortInts2(a, b, c int) (int, int, int) {if a > b {a, b = b, a}if b > c {b, c = c, b}if a > b {a, b = b, a}return a, b, c}func main() {// Testing the function with named return valuesx, y, z := sortInts(3, 1, 2)fmt.Println(x, y, z)// Testing the function without named return valuesa, b, c := sortInts2(5, 4, 6)fmt.Println(a, b, c)}
Code explanation
Lines 8–29: The
sortInts
function takes three integer argumentsa
,b
, andc
, and returns three integers:x
,y
, andz
. The function first creates three local variables—first
,second
, andthird
—to store the sorted values. It then comparesa
andb
, and the smaller ...