session.go 1.6 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889
  1. package session
  2. import (
  3. "crypto/sha1"
  4. "encoding/json"
  5. "fmt"
  6. "math/rand"
  7. "net/http"
  8. "os"
  9. "time"
  10. )
  11. type vars struct {
  12. Bool map[string]bool
  13. Int map[string]int
  14. String map[string]string
  15. }
  16. type Session struct {
  17. w http.ResponseWriter
  18. r *http.Request
  19. d string
  20. v *vars
  21. c bool
  22. i string
  23. }
  24. func New(w http.ResponseWriter, r *http.Request, tmpdir string) *Session {
  25. sess := Session{w: w, r: r, d: tmpdir, v: &vars{}, c: false, i: ""}
  26. cookie, err := r.Cookie("session")
  27. if err == nil && len(cookie.Value) == 40 {
  28. // Load from file
  29. sess.i = cookie.Value
  30. f, err := os.Open(sess.d + string(os.PathSeparator) + sess.i)
  31. if err == nil {
  32. defer f.Close()
  33. dec := json.NewDecoder(f)
  34. err = dec.Decode(&sess.v)
  35. if err == nil {
  36. return &sess
  37. }
  38. }
  39. } else {
  40. // Create new
  41. rand.Seed(time.Now().Unix())
  42. sign := r.RemoteAddr + r.Header.Get("User-Agent") + fmt.Sprintf("%d", int64(time.Now().Unix())) + fmt.Sprintf("%d", int64(rand.Intn(9999999-99)+99))
  43. sess.i = fmt.Sprintf("%x", sha1.Sum([]byte(sign)))
  44. http.SetCookie(w, &http.Cookie{
  45. Name: "session",
  46. Value: sess.i,
  47. Path: "/",
  48. Expires: time.Now().Add(7 * 24 * time.Hour),
  49. HttpOnly: true,
  50. })
  51. }
  52. // Init empty
  53. sess.v = &vars{
  54. Bool: map[string]bool{},
  55. Int: map[string]int{},
  56. String: map[string]string{},
  57. }
  58. return &sess
  59. }
  60. func (this *Session) Close() bool {
  61. if !this.c {
  62. return false
  63. }
  64. r, err := json.Marshal(this.v)
  65. if err == nil {
  66. f, err := os.Create(this.d + string(os.PathSeparator) + this.i)
  67. if err == nil {
  68. defer f.Close()
  69. _, err = f.Write(r)
  70. if err == nil {
  71. this.c = false
  72. return true
  73. }
  74. }
  75. }
  76. return false
  77. }