Book Image

Hands-On Go Programming

By : Tarik Guney
Book Image

Hands-On Go Programming

By: Tarik Guney

Overview of this book

<p>With its C-like speed, simplicity, and power for a growing number of system-level programming domains, Go has become increasingly popular among programmers. Hands-On Go Programming teaches you the Go programming by solving commonly faced problems with the help of recipes. You will start by installing Go binaries and get familiar with the tools used for developing an application. Once you have understood these tasks, you will be able to manipulate strings and use them in built-in function constructs to create a complex value from two floating-point values. You will discover how to perform an arithmetic operation date and time, along with parsing them from string values. In addition to this, you will cover concurrency in Go, performing various web programming tasks, implementing system programming, reading and writing files, and honing many fundamental Go programming skills such as proper error handling and logging, among others. Whether you are an expert programmer or newbie, this book helps you understand how various answers are programmed in the Go language.</p>
Table of Contents (18 chapters)
Title Page
Copyright and Credits
Packt Upsell
Contributor
Preface
Index

Checking the existence of a file


We are going to start off by checking the existence of a file. So, to begin, let's create a file by clicking on New | File and naming it log.txt.

 

To start checking whether the file exists, we are going to be using the os.Stat package. It returns two values: the first one is the file info and the second one is the error. We don't need the file information but just the error itself because we are going to check the error to see whether the file exists. If the error is nil (no error occurs), then the file exists. Check out the following code:

package main
import (
  "os"
  "fmt"
)
func main(){
  if _, err := os.Stat("log.txt"); err == nil{
    fmt.Println("Log.txt file exists")
  }
}

On running the preceding code, you'll obtain the following output:

To check whether the file exists in an opposite way, we just type os.IsNotExist() and pass the err that we captured and print it to the console. Check out the following code:

package main
import (
  "os"
  "fmt"
)
func...