View on GitHub

Go Lang Notes

Compilations of Go Lang sample code along with AWS examples. Topped with notes on related topics.

Using MySQL with Go Lang

Visitors

MySQL Windows Setup

Download Link: Download

Go with mysql-installer-web-community-X.X.X.X.msi and download the installer and install it before proceeding else you won’t be able to test the code on local setup. We won’t be covering the setup procedure in this document, in case of any issues refer this video. You can even use your own MySQL server settings instead of local server, just keep those server details handy.

Note: Before Proceeding ahead ensure you have an active MySQL Server running and accessible from your machine

Required MySQL Server Details

Note down above details as we will be needing it ahead

Go Code

Important Note: Below code isn’t meant for Copy Paste Use, you will have to write your own correct code in order to execute the code. Below I have just explained important parts of the code

Import Required Libraries

For MySQL operations we will be using following libraries

import (
"database/sql"
_ "github.com/go-sql-driver/mysql"
)

"github.com/go-sql-driver/mysql" should be imported with _ (underscore)

Establish Connection with MySQL Server

Here below we use function: func Open(driverName, dataSourceName string), The Open function should be called just once.

    // Open our database connection.
    db, err := sql.Open("mysql", "username:password@tcp(127.0.0.1:3306)/testschema")
    // if there is an error opening the connection, handle it
    if err != nil {
        panic(err.Error()) // proper error handling instead of panic in your app
    }
    // Open may just validate its arguments without creating a connection
    // to the database. To verify that the data source name is valid, call
    // Ping.
    err = db.Ping()
    if err != nil {
        panic(err.Error()) // proper error handling instead of panic in your app
    }
    // defer the close till after the main function has finished
    defer db.Close()

Repeating this because it can be important, sql.Open may just validate its arguments without creating a connection to the database. So to verify that the data source name is valid, call function Ping on db object.

    err = db.Ping()
    if err != nil {
        panic(err.Error()) // proper error handling instead of panic in your app
    }

Performing required operations

For other operations you can refer to this link

Troubleshooting

Reference

Visitors