As we have covered Golang ‘language fundamentals’ in our Third Chapter, let’s explore ‘Control Flow’ and ‘Functions’ in this chapter.
The golang control flow statements are used to break the flow of execution by branching, looping, decision making statements by enabling the program to execute code based on the conditions. All programmers must know the control flows like if-else, switch case, for loop, break, continue, return.
The if statement is similar to other programming languages. If statement is expecting some condition and based on the condition it will execute the code.
if condition { //Executable code }
if condition { //Executable code }else { //Executable code }
if condition //Executable code }else if condition{ //Executable code } else{ //Executable code }
Note: use else/else if just after closing of if statement’s closing bracket “}“ otherwise you will get compile time error.
main.go package main import ( "fmt" ) func main() { no := 56 if true { fmt.Println("This will work") } if false { fmt.Println("This will not work") } if !true { fmt.Println("This will not work") } if !false { fmt.Println("This will work") } n := 45 if n%2 == 0 { fmt.Println("even") } else { //use else just after “}” end of if fmt.Println("odd") } //If with short statement if computer := "Dell"; no > 50 { fmt.Println(computer) } }
Demo Screenshot –
Golang has only one loop which for a loop. Like other programming languages, it doesn’t have while and do while loop. But we can use for loop as while loop.
for initialization;condition;increment/decrement{ //Executable code }
package main import ( "fmt" ) func main() { //Nested for loop for i := 1; i <= 5; i++ { for j := 1; j <= 10; j++ { fmt.Print("\t") fmt.Println(j * i) } } //for as a while loop k := 0 for k < 10 { fmt.Println(k) if k >= 10 { break //break statement is used to break the control if cond occurs } k++ } //for with no condition m := 0 for { fmt.Println(m) if m >= 10 { break } m++ } for i := 65; i <= 122; i++ { fmt.Printf("%v - %v - %v \n", i, string(i), []byte(string(i))) //converted int type to string and []byte } }
Most programming languages have switch case to avoid complex if-else if statements.
switch value/cond { case ‘value/cond’: executable code case ‘value/cond’: executable code ….. default : default statements if all above fails. }
“fallthrough” is optional in switch case. This keyword is used in case statement and when it is encountered, it will go to next case even if next case is failing condition. So it is optional in this switch case.
We can specify multiple values in the case statement. Also, we can return a value based on switch cases.
main.go package main import ( "fmt" ) func main() { test("one") } func test(str string) { val := str switch val { case "zero",”Zero”: fmt.Println("Zero:", val) fallthrough /*even if next condition fails it will enter into next case */ case "one",”One”: fmt.Println("One:", val) break default: fmt.Println("Wrong one !!") } }
Normally we switch on the value of a variable but Golang allows you to switch on type also.
main.go package main import ( "fmt" ) type wish struct { message string name string } func Type(x interface{}) { switch x.(type) { //this one is assert case int: fmt.Println("int") case string: fmt.Println("string") case wish: fmt.Println("wish") default: fmt.Println("Unknown Type") } } func main() { Type(7) Type(wish{"Good Morning", "User"}) }
The execution of the Go program starts from the main function itself func main(){ }. A function takes one or more parameters and returns one or more outputs. Like other programming languages, go explicitly needs to return values.
The Syntax is
func <function name>(parameters)(return types){ …………….//Executable code return <value> //If function is returning }
The function starts with keyword func and its name. The parameters need to define like var_name var_type. After this, we need to write a return type if a function is going to return. Writing of function can be difficult so a better idea is to break into manageable code, rather than going for full implementation.
func square(n int)(int){ return n*n }
The return statement is used to immediately stop and return value to its caller. Go has the capability to return multiple values.
x,y:=func(5) func(n int)(int,int) { a:=8 return a,n }
Mostly we are returning result along with error like x,err =func(). Avoid using nameless return.
This one is a special form of function which can take any arguments. It is like varargs in Java. We can pass any number of parameters to the variadic function of the same type. To make function variadic you just need to put three dots … before the arguments type. It will allow you to pass any number of arguments to the function.
func sum(args ..int)int{ //Variadic function total:=0 for value:=range args{ total+=value } return sum } func main(){ fmt.Println(sum(54,76,43,23,78)) //Passing multiple values data:=[]int{33,87,43,21} //Passing Slice of ints fmt.Println(sum(data...))
Here, you can see how the fmt.Println() is implemented in “fmt” package. func Println(a …interface{})(n int,err error)
So the Println function can take any number of arguments of any type. We can also pass a slice of ints for the variadic function.
func main(){ xs:=[]int{43,67,43,21} fmt.Println(sum(xs…)) }
We can pass a function to expression and call that function by using expression/variable name. This is the only way to have one function inside another.
If you see the type of expression then it will be a func()
func main(){ message:=func(){ fmt.Println(“Good Morning User”) } message() //calling function by expression name/var name as anonymous fun fmt.Printf(“%T”,message) //Its type will be a func()
No identifier is there and function is anonymous(nameless)
We can create a function inside functions i.e. nesting of functions.
For this purpose, Go supports anonymous function i.e. function without a name which will become local to the function.
func main(){ sum:=func (x,y int)(int){ return x+y } fmt.Println(“Sum is”,sum()) }
Closure helps us limit the scope of variables used by multiple functions. Without closure, for two or more funcs to have access to same variable, that variable would need to be in package scope.
Callbacks
Passing a function as an argument is called callback in golang. Here, we can pass a function as an argument.
func main(){ show([ ]int{43, 76, 34}, func(n int) { fmt.Println(n) }) } func show(numbers [ ]int, call func(int)) { for _, n := range numbers { call(n) } }
Here we are passing func call( ) as an argument to the func show( )
Recursion is a function which calls itself. It is like two mirrors facing to each other.
func factorial(n int) int { if n==1{ fmt.Println(n) } return n*factorial(n-1) //factorial() will call itself till it reaches to 0
Go has a special statement defer which schedules a function call to execute before function completes.
Defer is used when resources need to be freed away i.e. same like finally block in java which is used to put the resource releasing logic.
For ex. Whenever we open a file we need to make sure to close it or while connecting to the database after completion of the task we need to close the connection.
f,_:=os.Open(“filename.txt”) defer f.Close()
Strictly speaking, there is only one way to pass parameters in Go is Pass By Value. Whenever a variable is passed as a parameter, a copy of that variable is created and passed to the function and this copy will be at a different memory location.
In case, a variable is passed as a pointer argument then again a new copy of the parameter is created and that will point to the same address.
main.go package main import ( "fmt" ) type person struct { name string age int } //Pass by value func changeIt(ch person) { ch.name = "Rafel" } //Pass by value using pointer func change(ch *person) { ch.name = "Rafel" } func main() { per := person{"Roger", 64} changeIt(per) fmt.Println(per) //]Here still we are getting old values change(&per) fmt.Println(per) //Here value is changing }
But the func change() is modifying the value because &per and per are two different pointers pointing to the same struct which is stored at the same memory address.
Anonymous functions are the self-executing functions which are nameless i.e.they do not have a name. Only through anonymous function, we can do nesting of functions i.e. one function inside another.
func main(){ func( ){ fmt.Println(“Hello World...I am Anonymous Function”) } ( )
The team at Mindbowser was highly professional, patient, and collaborative throughout our engagement. They struck the right balance between offering guidance and taking direction, which made the development process smooth. Although our project wasn’t related to healthcare, we clearly benefited...
Founder, Texas Ranch Security
Mindbowser played a crucial role in helping us bring everything together into a unified, cohesive product. Their commitment to industry-standard coding practices made an enormous difference, allowing developers to seamlessly transition in and out of the project without any confusion....
CEO, MarketsAI
I'm thrilled to be partnering with Mindbowser on our journey with TravelRite. The collaboration has been exceptional, and I’m truly grateful for the dedication and expertise the team has brought to the development process. Their commitment to our mission is...
Founder & CEO, TravelRite
The Mindbowser team's professionalism consistently impressed me. Their commitment to quality shone through in every aspect of the project. They truly went the extra mile, ensuring they understood our needs perfectly and were always willing to invest the time to...
CTO, New Day Therapeutics
I collaborated with Mindbowser for several years on a complex SaaS platform project. They took over a partially completed project and successfully transformed it into a fully functional and robust platform. Throughout the entire process, the quality of their work...
President, E.B. Carlson
Mindbowser and team are professional, talented and very responsive. They got us through a challenging situation with our IOT product successfully. They will be our go to dev team going forward.
Founder, Cascada
Amazing team to work with. Very responsive and very skilled in both front and backend engineering. Looking forward to our next project together.
Co-Founder, Emerge
The team is great to work with. Very professional, on task, and efficient.
Founder, PeriopMD
I can not express enough how pleased we are with the whole team. From the first call and meeting, they took our vision and ran with it. Communication was easy and everyone was flexible to our schedule. I’m excited to...
Founder, Seeke
We had very close go live timeline and Mindbowser team got us live a month before.
CEO, BuyNow WorldWide
If you want a team of great developers, I recommend them for the next project.
Founder, Teach Reach
Mindbowser built both iOS and Android apps for Mindworks, that have stood the test of time. 5 years later they still function quite beautifully. Their team always met their objectives and I'm very happy with the end result. Thank you!
Founder, Mindworks
Mindbowser has delivered a much better quality product than our previous tech vendors. Our product is stable and passed Well Architected Framework Review from AWS.
CEO, PurpleAnt
I am happy to share that we got USD 10k in cloud credits courtesy of our friends at Mindbowser. Thank you Pravin and Ayush, this means a lot to us.
CTO, Shortlist
Mindbowser is one of the reasons that our app is successful. These guys have been a great team.
Founder & CEO, MangoMirror
Kudos for all your hard work and diligence on the Telehealth platform project. You made it possible.
CEO, ThriveHealth
Mindbowser helped us build an awesome iOS app to bring balance to people’s lives.
CEO, SMILINGMIND
They were a very responsive team! Extremely easy to communicate and work with!
Founder & CEO, TotTech
We’ve had very little-to-no hiccups at all—it’s been a really pleasurable experience.
Co-Founder, TEAM8s
Mindbowser was very helpful with explaining the development process and started quickly on the project.
Executive Director of Product Development, Innovation Lab
The greatest benefit we got from Mindbowser is the expertise. Their team has developed apps in all different industries with all types of social proofs.
Co-Founder, Vesica
Mindbowser is professional, efficient and thorough.
Consultant, XPRIZE
Very committed, they create beautiful apps and are very benevolent. They have brilliant Ideas.
Founder, S.T.A.R.S of Wellness
Mindbowser was great; they listened to us a lot and helped us hone in on the actual idea of the app. They had put together fantastic wireframes for us.
Co-Founder, Flat Earth
Ayush was responsive and paired me with the best team member possible, to complete my complex vision and project. Could not be happier.
Founder, Child Life On Call
The team from Mindbowser stayed on task, asked the right questions, and completed the required tasks in a timely fashion! Strong work team!
CEO, SDOH2Health LLC
Mindbowser was easy to work with and hit the ground running, immediately feeling like part of our team.
CEO, Stealth Startup
Mindbowser was an excellent partner in developing my fitness app. They were patient, attentive, & understood my business needs. The end product exceeded my expectations. Thrilled to share it globally.
Owner, Phalanx
Mindbowser's expertise in tech, process & mobile development made them our choice for our app. The team was dedicated to the process & delivered high-quality features on time. They also gave valuable industry advice. Highly recommend them for app development...
Co-Founder, Fox&Fork