Golang : Login and logout a user after password verification and redirect example
Writing this tutorial for my own future reference. User name and password authentication is a fairly common task for any decent web application that requires the user to log in.
The code below will perform a simple user authentication by displaying a page for a user to log in. Upon login, the username will be used to retrieve a hashed password from the database and the password will be compared to the hashed password. If the password authentication is successful, store the user's credential in a session storage before redirecting the user to a dashboard page.
The dashboard or any subsequent pages that require authenticated user access can retrieve the data from the session. If the session has expired or the user did not log in, the dashboard will display error and prompt the user to log in.
IMPORTANT: If you plan to adapt this code for your own use. DO NOT use conditionsMap
as global variable and destroy/delete session storage with loggedUserSession.MaxAge(-1)
. It will cause other users to log out as well when one user logged out. Always test with multiple browsers and different login credentials to ensure each user has own session.
Here you go!
package main
import (
"github.com/gorilla/sessions"
"golang.org/x/crypto/bcrypt"
"html/template"
"log"
"net/http"
"fmt"
)
var encryptionKey = "something-very-secret"
var loggedUserSession = sessions.NewCookieStore([]byte(encryptionKey))
func init() {
loggedUserSession.Options = &sessions.Options{
// change domain to match your machine. Can be localhost
// IF the Domain name doesn't match, your session will be EMPTY!
Domain: "localhost",
Path: "/",
MaxAge: 3600 * 3, // 3 hours
HttpOnly: true,
}
}
const dashBoardPage = `<html><body>
{{if .Username}}
<p><b>{{.Username}}</b>, welcome to your dashboard! <a href="/logout">Logout!</a></p>
{{else}}
<p>Either your session has expired or you've logged out! <a href="/login">Login</a></p>
{{end}}
</body></html>`
const logUserPage = `<html><body>
{{if .LoginError}}<p style="color:red">Either username or password is not in our record! Sign Up?</p>{{end}}
<form method="post" action="/login">
{{if .Username}}
<p><b>{{.Username}}</b>, you're already logged in! <a href="/logout">Logout!</a></p>
{{else}}
<label>Username:</label>
<input type="text" name="Username"><br>
<label>Password:</label>
<input type="password" name="Password">
<span style="font-style:italic"> Enter: 'mynakedpassword'</span><br>
<input type="submit" name="Login" value="Let me in!">
{{end}}
</form>
</body></html>`
var dashboardTemplate = template.Must(template.New("").Parse(dashBoardPage))
var logUserTemplate = template.Must(template.New("").Parse(logUserPage))
func DashBoardPageHandler(w http.ResponseWriter, r *http.Request) {
conditionsMap := map[string]interface{}{}
//read from session
session, err := loggedUserSession.Get(r, "authenticated-user-session")
if err != nil {
log.Println("Unable to retrieve session data!", err)
}
log.Println("Session name : ", session.Name())
log.Println("Username : ", session.Values["username"])
conditionsMap["Username"] = session.Values["username"]
if err := dashboardTemplate.Execute(w, conditionsMap); err != nil {
log.Println(err)
}
}
func LoginPageHandler(w http.ResponseWriter, r *http.Request) {
conditionsMap := map[string]interface{}{}
// check if session is active
session, _ := loggedUserSession.Get(r, "authenticated-user-session")
if session != nil {
conditionsMap["Username"] = session.Values["username"]
}
// verify username and password
if r.FormValue("Login") != "" && r.FormValue("Username") != "" {
username := r.FormValue("Username")
password := r.FormValue("Password")
// NOTE: here is where you want to query your database to retrieve the hashed password
// for username.
// For this tutorial and simplicity sake, we will simulate the retrieved hashed password
// as $2a$10$4Yhs5bfGgp4vz7j6ScujKuhpRTA4l4OWg7oSukRbyRN7dc.C1pamu
// the plain password is 'mynakedpassword'
// see https://www.socketloop.com/tutorials/golang-bcrypting-password for more details
// on how to generate bcrypted password
hashedPasswordFromDatabase := []byte("$2a$10$4Yhs5bfGgp4vz7j6ScujKuhpRTA4l4OWg7oSukRbyRN7dc.C1pamu")
if err := bcrypt.CompareHashAndPassword(hashedPasswordFromDatabase, []byte(password)); err != nil {
log.Println("Either username or password is wrong")
conditionsMap["LoginError"] = true
} else {
log.Println("Logged in :", username)
conditionsMap["Username"] = username
conditionsMap["LoginError"] = false
// create a new session and redirect to dashboard
session, _ := loggedUserSession.New(r, "authenticated-user-session")
session.Values["username"] = username
err := session.Save(r, w)
if err != nil {
log.Println(err)
}
http.Redirect(w, r, "/dashboard", http.StatusFound)
}
}
if err := logUserTemplate.Execute(w, conditionsMap); err != nil {
log.Println(err)
}
}
func LogoutHandler(w http.ResponseWriter, r *http.Request) {
//read from session
session, _ := loggedUserSession.Get(r, "authenticated-user-session")
// remove the username
session.Values["username"] = ""
err := session.Save(r, w)
if err != nil {
log.Println(err)
}
w.Write([]byte("Logged out!"))
}
func main() {
fmt.Println("Server starting, point your browser to localhost:8080/login to start")
http.HandleFunc("/login", LoginPageHandler)
http.HandleFunc("/dashboard", DashBoardPageHandler)
http.HandleFunc("/logout", LogoutHandler)
http.ListenAndServe(":8080", nil)
}
Run the code and point your browser to localhost:8080/login
and use the word mynakedpassword
as password.
Hope this helps and happy coding!
References:
See also : Golang : How to feed or take banana with Gorilla Web Toolkit Session package
By Adam Ng
IF you gain some knowledge or the information here solved your programming problem. Please consider donating to the less fortunate or some charities that you like. Apart from donation, planting trees, volunteering or reducing your carbon footprint will be great too.
Advertisement
Tutorials
+12.3k Golang : Get absolute path to binary for os.Exec function with exec.LookPath
+8.2k Golang : Ackermann function example
+15.8k Golang : Loop each day of the current month example
+10k Golang : Simple Jawi(Yawi) to Rumi(Latin/Romanize) converter
+5.5k Linux : Disable and enable IPv4 forwarding
+10.6k Golang : Sieve of Eratosthenes algorithm
+19.2k Golang : Example for DSA(Digital Signature Algorithm) package functions
+12.4k Golang : Drop cookie to visitor's browser and http.SetCookie() example
+7.6k Golang : Get today's weekday name and calculate target day distance example
+26k Golang : Calculate future date with time.Add() function
+11.9k Golang : Simple client-server HMAC authentication without SSL example
+9.2k Golang : Accessing content anonymously with Tor