DEV Community

Lane Wagner
Lane Wagner

Posted on • Originally published at qvault.io on

How to Implement “Sign In With Google” in Golang

sign in with google golang

The post How to Implement “Sign In With Google” in Golang appeared first on Qvault.

User’s love convenience. If your goal is to make it easy for users to register with your app then “Sign in with Google” should be at the top of your priority list. If you are like me, then you may find Google’s documentation on the subject to be lackluster at best, and downright confusing at worst. Here we will go step-by-step through the authentication process that our Go servers at Qvault Classroom use for Google sign in.

Front-End Stuff

We aren’t going to focus on the front-end part of the authentication process because that’s the easy part. That said, for any of this to make sense we will briefly touch on how it works.

The front-end’s job is to do some redirect OAuth magic to obtain a JWT signed by Google. This is accomplished by including Google’s SDK in your HTML, making an application in GCP, and creating a button using the proper class. I would recommend following Google’s quick tutorial to get this working.

Once you are done with all that, you should have a button on your web page. When a user clicks on the button and authorizes their Google account, you will get a JWT back in the onSignIn callback function:

function onSignIn(googleUser) {
  const googleJWT = googleUser.getAuthResponse().id_token
}
Enter fullscreen mode Exit fullscreen mode

All we care about is that JWT. We are going to create a backend function in Go that receives the JWT and ensures it’s validity before allowing the user to login to our app.

Validation Function

Let’s build a single function that validates JWT’s from Google. It has the following function signature:

// ValidateGoogleJWT -
func ValidateGoogleJWT(tokenString string) (GoogleClaims, error) {

}
Enter fullscreen mode Exit fullscreen mode

ValidateGoogleJWT takes a JWT string (that we get from the front-end) and returns the validated GoogleClaims struct if the JWT passes our checks. Otherwise, we will return an error explaining what went wrong.

Claims

JWT’s are just JSON objects that are signed with a private key to ensure they haven’t been tampered with. The signed JSON object’s fields are referred to as “claims”. We will be using the most popular JWT library in Go to build our solution: https://github.com/dgrijalva/jwt-go, and the claims that Google sends have the following shape:

// GoogleClaims -
type GoogleClaims struct {
    Email string `json:"email"`
    EmailVerified bool `json:"email_verified"`
    FirstName string `json:"given_name"`
    LastName string `json:"family_name"`
    jwt.StandardClaims
}
Enter fullscreen mode Exit fullscreen mode

Google’s Public Key

Google hosts their public key over HTTPS. Each time we need to verify a request we can go grab their public key as follows:

func getGooglePublicKey(keyID string) (string, error) {
    resp, err := http.Get("https://www.googleapis.com/oauth2/v1/certs")
    if err != nil {
        return "", err
    }
    dat, err := ioutil.ReadAll(resp.Body)
    if err != nil {
        return "", err
    }

    myResp := map[string]string{}
    err = json.Unmarshal(dat, &myResp)
    if err != nil {
        return "", err
    }
    key, ok := myResp[keyID]
    if !ok {
        return "", errors.New("key not found")
    }
    return key, nil
}
Enter fullscreen mode Exit fullscreen mode

The keyID is in the JWT header under the”kid” field. If you are confused, don’t worry, it will make sense in the next section.

Complete Validation Function

Now that we have our claims structure and a way to fetch Google’s public key we can finish our validation function:

// ValidateGoogleJWT -
func ValidateGoogleJWT(tokenString string) (GoogleClaims, error) {
    claimsStruct := GoogleClaims{}

    token, err := jwt.ParseWithClaims(
        tokenString,
        &claimsStruct,
        func(token *jwt.Token) (interface{}, error) {
            pem, err := getGooglePublicKey(fmt.Sprintf("%s", token.Header["kid"]))
            if err != nil {
                return nil, err
            }
            key, err := jwt.ParseRSAPublicKeyFromPEM([]byte(pem))
            if err != nil {
                return nil, err
            }
            return key, nil
        },
    )
    if err != nil {
        return GoogleClaims{}, err
    }

    claims, ok := token.Claims.(*GoogleClaims)
    if !ok {
        return GoogleClaims{}, errors.New("Invalid Google JWT")
    }

    if claims.Issuer != "accounts.google.com" && claims.Issuer != "https://accounts.google.com" {
        return GoogleClaims{}, errors.New("iss is invalid")
    }

    if claims.Audience != "YOUR_CLIENT_ID_HERE" {
        return GoogleClaims{}, errors.New("aud is invalid")
    }

    if claims.ExpiresAt < time.Now().UTC().Unix() {
        return GoogleClaims{}, errors.New("JWT is expired")
    }

    return *claims, nil
}
Enter fullscreen mode Exit fullscreen mode

Make sure that you have your client id (the one you used on your front-end that you got from GCP) set here in the backend as well.

If the function returns without an error then you have a struct containing a valid email, first name, and last name, all collected and verified by Google! In your login HTTP handler, you can return a valid cookie or JWT of your own that you use to identify logged-in users on your site. For example:

func (cfg config) loginHandler(w http.ResponseWriter, r *http.Request) {
    defer r.Body.Close()

    // parse the GoogleJWT that was POSTed from the front-end
    type parameters struct {
        GoogleJWT *string
    }
    decoder := json.NewDecoder(r.Body)
    params := parameters{}
    err := decoder.Decode(&params)
    if err != nil {
        respondWithError(w, 500, "Couldn't decode parameters")
        return
    }

    // Validate the JWT is valid
    claims, err := auth.ValidateGoogleJWT(*params.GoogleJWT)
    if err != nil {
        respondWithError(w, 403, "Invalid google auth")
        return
    }
    if claims.Email != user.Email {
        respondWithError(w, 403, "Emails don't match")
        return
    }

    // create a JWT for OUR app and give it back to the client for future requests
    tokenString, err := auth.MakeJWT(claims.Email, cfg.JWTSecret)
    if err != nil {
        respondWithError(w, 500, "Couldn't make authentication token")
        return
    }

    respondWithJSON(w, 200, struct {
        Token string `json:"token"`
    }{
        Token: tokenString,
    })
}
Enter fullscreen mode Exit fullscreen mode

Let me know if this guide can be improved or if you have any questions. This is roughly the process that we use at Qvault and it has worked well for us.

Thanks For Reading!

Follow us on Twitter @q_vault if you have any questions or comments

Take game-like coding courses on Qvault Classroom

Subscribe to our Newsletter for more educational articles

The post How to Implement “Sign In With Google” in Golang appeared first on Qvault.

Top comments (0)