Movatterモバイル変換


[0]ホーム

URL:


Skip to content

Navigation Menu

Search code, repositories, users, issues, pull requests...

Provide feedback

We read every piece of feedback, and take your input very seriously.

Saved searches

Use saved searches to filter your results more quickly

Sign up

HTTP Session Management for Go

License

NotificationsYou must be signed in to change notification settings

alexedwards/scs

Folders and files

NameName
Last commit message
Last commit date

Latest commit

 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 

Repository files navigation

GoDocGo report cardTest coverage

Features

  • Automatic loading and saving of session data via middleware.
  • Choice of 19 different server-side session stores including PostgreSQL, MySQL, MSSQL, SQLite, Redis and many others. Custom session stores are also supported.
  • Supports multiple sessions per request, 'flash' messages, session token regeneration, idle and absolute session timeouts, and 'remember me' functionality.
  • Easy to extend and customize. Communicate session tokens to/from clients in HTTP headers or request/response bodies.
  • Efficient design. Smaller, faster and uses less memory thangorilla/sessions.

Instructions

Installation

This package requires Go 1.12 or newer.

go get github.com/alexedwards/scs/v2

Note: If you're using the traditionalGOPATH mechanism to manage dependencies, instead of modules, you'll need togo get andimportgithub.com/alexedwards/scs without thev2 suffix.

Please useversioned releases. Code in tip may contain experimental features which are subject to change.

Basic Use

SCS implements a session management pattern following theOWASP security guidelines. Session data is stored on the server, and a randomly-generated unique session token (orsession ID) is communicated to and from the client in a session cookie.

package mainimport ("io""net/http""time""github.com/alexedwards/scs/v2")varsessionManager*scs.SessionManagerfuncmain() {// Initialize a new session manager and configure the session lifetime.sessionManager=scs.New()sessionManager.Lifetime=24*time.Hourmux:=http.NewServeMux()mux.HandleFunc("/put",putHandler)mux.HandleFunc("/get",getHandler)// Wrap your handlers with the LoadAndSave() middleware.http.ListenAndServe(":4000",sessionManager.LoadAndSave(mux))}funcputHandler(w http.ResponseWriter,r*http.Request) {// Store a new key and value in the session data.sessionManager.Put(r.Context(),"message","Hello from a session!")}funcgetHandler(w http.ResponseWriter,r*http.Request) {// Use the GetString helper to retrieve the string value associated with a// key. The zero value is returned if the key does not exist.msg:=sessionManager.GetString(r.Context(),"message")io.WriteString(w,msg)}
$ curl -i --cookie-jar cj --cookie cj localhost:4000/putHTTP/1.1 200 OKCache-Control: no-cache="Set-Cookie"Set-Cookie: session=lHqcPNiQp_5diPxumzOklsSdE-MJ7zyU6kjch1Ee0UM; Path=/; Expires=Sat, 27 Apr 2019 10:28:20 GMT; Max-Age=86400; HttpOnly; SameSite=LaxVary: CookieDate: Fri, 26 Apr 2019 10:28:19 GMTContent-Length: 0$ curl -i --cookie-jar cj --cookie cj localhost:4000/getHTTP/1.1 200 OKDate: Fri, 26 Apr 2019 10:28:24 GMTContent-Length: 21Content-Type: text/plain; charset=utf-8Hello from a session!

Configuring Session Behavior

Session behavior can be configured via theSessionManager fields.

sessionManager=scs.New()sessionManager.Lifetime=3*time.HoursessionManager.IdleTimeout=20*time.MinutesessionManager.Cookie.Name="session_id"sessionManager.Cookie.Domain="example.com"sessionManager.Cookie.HttpOnly=truesessionManager.Cookie.Path="/example/"sessionManager.Cookie.Persist=truesessionManager.Cookie.SameSite=http.SameSiteStrictModesessionManager.Cookie.Secure=truesessionManager.Cookie.Partitioned=true

Documentation for all available settings and their default values can befound here.

Working with Session Data

Data can be set using thePut() method and retrieved with theGet() method. A variety of helper methods likeGetString(),GetInt() andGetBytes() are included for common data types. Please seethe documentation for a full list of helper methods.

ThePop() method (and accompanying helpers for common data types) act like a one-timeGet(), retrieving the data and removing it from the session in one step. These are useful if you want to implement 'flash' message functionality in your application, where messages are displayed to the user once only.

Some other useful functions areExists() (which returns abool indicating whether or not a given key exists in the session data) andKeys() (which returns a sorted slice of keys in the session data).

Individual data items can be deleted from the session using theRemove() method. Alternatively, all session data can be deleted by using theDestroy() method. After callingDestroy(), any further operations in the same request cycle will result in a new session being created --- with a new session token and a new lifetime.

Behind the scenes SCS uses gob encoding to store session data, so if you want to store custom types in the session data they must beregistered with the encoding/gob package first. Struct fields of custom types must also be exported so that they are visible to the encoding/gob package. Pleasesee here for a working example.

Loading and Saving Sessions

Most applications will use theLoadAndSave() middleware. This middleware takes care of loading and committing session data to the session store, and communicating the session token to/from the client in a cookie as necessary.

If you want to customize the behavior (like communicating the session token to/from the client in a HTTP header, or creating a distributed lock on the session token for the duration of the request) you are encouraged to create your own alternative middleware using the code inLoadAndSave() as a template. An example isgiven here.

Or for more fine-grained control you can load and save sessions within your individual handlers (or from anywhere in your application).See here for an example.

Configuring the Session Store

By default SCS uses an in-memory store for session data. This is convenient (no setup!) and very fast, but all session data will be lost when your application is stopped or restarted. Therefore it's useful for applications where data loss is an acceptable trade off for fast performance, or for prototyping and testing purposes. In most production applications you will want to use a persistent session store like PostgreSQL or MySQL instead.

The session stores currently included are shown in the table below. Please click the links for usage instructions and examples.

PackageBackendEmbeddedIn-MemoryMulti-Process
badgerstoreBadgerDBYNN
boltstoreBBoltYNN
bunstoreBun ORM for PostgreSQL/MySQL/MSSQL/SQLiteNNY
buntdbstoreBuntDBYYN
cockroachdbstoreCockroachDBNNY
consulstoreConsulNYY
etcdstoreEtcdNNY
firestoreGoogle Cloud FirestoreN?Y
gormstoreGORM ORM for PostgreSQL/MySQL/SQLite/MSSQL/TiDBNNY
leveldbstoreLevelDBYNN
memstoreIn-memory (default)YYN
mongodbstoreMongoDBNNY
mssqlstoreMicrosoft SQL ServerNNY
mysqlstoreMySQLNNY
pgxstorePostgreSQL (using thepgx driver)NNY
postgresstorePostgreSQL (using thepq driver)NNY
redisstoreRedisNYY
sqlite3storeSQLite3 (using themattn/go-sqlite3 CGO-based driver)YNY

Custom session stores are also supported. Pleasesee here for more information.

Using Custom Session Stores

scs.Store defines the interface for custom session stores. Any object that implements this interface can be set as the store when configuring the session.

typeStoreinterface {// Delete should remove the session token and corresponding data from the// session store. If the token does not exist then Delete should be a no-op// and return nil (not an error).Delete(tokenstring) (errerror)// Find should return the data for a session token from the store. If the// session token is not found or is expired, the found return value should// be false (and the err return value should be nil). Similarly, tampered// or malformed tokens should result in a found return value of false and a// nil err value. The err return value should be used for system errors only.Find(tokenstring) (b []byte,foundbool,errerror)// Commit should add the session token and data to the store, with the given// expiry time. If the session token already exists, then the data and// expiry time should be overwritten.Commit(tokenstring,b []byte,expiry time.Time) (errerror)}typeIterableStoreinterface {// All should return a map containing data for all active sessions (i.e.// sessions which have not expired). The map key should be the session// token and the map value should be the session data. If no active// sessions exist this should return an empty (not nil) map.All() (map[string][]byte,error)}

Using Custom Session Stores (with context.Context)

scs.CtxStore defines the interface for custom session stores (with methods take context.Context parameter).

typeCtxStoreinterface {Store// DeleteCtx is the same as Store.Delete, except it takes a context.Context.DeleteCtx(ctx context.Context,tokenstring) (errerror)// FindCtx is the same as Store.Find, except it takes a context.Context.FindCtx(ctx context.Context,tokenstring) (b []byte,foundbool,errerror)// CommitCtx is the same as Store.Commit, except it takes a context.Context.CommitCtx(ctx context.Context,tokenstring,b []byte,expiry time.Time) (errerror)}typeIterableCtxStoreinterface {// AllCtx is the same as IterableStore.All, expect it takes a// context.Context.AllCtx(ctx context.Context) (map[string][]byte,error)}

Preventing Session Fixation

To help prevent session fixation attacks you shouldrenew the session token after any privilege level change. Commonly, this means that the session token must to be changed when a user logs in or out of your application. You can do this using theRenewToken() method like so:

funcloginHandler(w http.ResponseWriter,r*http.Request) {userID:=123// First renew the session token...err:=sessionManager.RenewToken(r.Context())iferr!=nil {http.Error(w,err.Error(),500)return}// Then make the privilege-level change.sessionManager.Put(r.Context(),"userID",userID)}

Multiple Sessions per Request

It is possible for an application to support multiple sessions per request, with different lifetime lengths and even different stores. Pleasesee here for an example.

Enumerate All Sessions

To iterate throught all sessions, SCS offers to all data stores anAll() function where they can return their own sessions.

Essentially, in your code, you pass theIterate() method a closure with the signaturefunc(ctx context.Context) error which contains the logic that you want to execute against each session. For example, if you want to revoke all sessions with contain auserID value equal to4 you can do the following:

err:=sessionManager.Iterate(r.Context(),func(ctx context.Context)error {userID:=sessionManager.GetInt(ctx,"userID")ifuserID==4 {returnsessionManager.Destroy(ctx)}returnnil})iferr!=nil {log.Fatal(err)}

Flushing and Streaming Responses

Flushing responses is supported via thehttp.NewResponseController type (available in Go >= 1.20).

funcflushingHandler(w http.ResponseWriter,r*http.Request) {sessionManager.Put(r.Context(),"message","Hello from a flushing handler!")rc:=http.NewResponseController(w)fori:=0;i<5;i++ {fmt.Fprintf(w,"Write %d\n",i)err:=rc.Flush()iferr!=nil {log.Println(err)return}time.Sleep(time.Second)}}

For a complete working example, please seethis comment.

Note that thehttp.ResponseWriter passed on by theLoadAndSave() middleware does not support thehttp.Flusher interface directly. This effectively means that flushing/streaming is only supported by SCS if you are using Go >= 1.20.

Compatibility

You may have some problems using this package with Go frameworks that do not propagate the request context from standard-library compatible middleware, likeEcho andFiber. If you are using Echo, you may wish to evaluate using theecho-scs-session package for session management.

Contributing

Bug fixes and documentation improvements are very welcome! For feature additions or behavioral changes, please open an issue to discuss the change before submitting a PR. Additional store implementations will not merged to this repository (unless there is very significant demand) --- but please feel free to host the store implementation yourself and open a PR to link to it from this README.


[8]ページ先頭

©2009-2025 Movatter.jp