auth.go 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572
  1. package auth
  2. /*
  3. ArOZ Online Authentication Module
  4. author: tobychui
  5. This system make use of sessions (similar to PHP SESSION) to remember the user login.
  6. See https://gowebexamples.com/sessions/ for detail.
  7. Auth database are stored as the following key
  8. auth/login/{username}/passhash => hashed password
  9. auth/login/{username}/permission => permission level
  10. Other system variables related to auth
  11. auth/users/usercount => Number of users in the system
  12. Pre-requirement: imuslab.com/arozos/mod/database
  13. */
  14. import (
  15. "crypto/sha512"
  16. "errors"
  17. "net/http"
  18. "strconv"
  19. "strings"
  20. "sync"
  21. "encoding/hex"
  22. "log"
  23. "time"
  24. "github.com/gorilla/sessions"
  25. "imuslab.com/arozos/mod/auth/accesscontrol/blacklist"
  26. "imuslab.com/arozos/mod/auth/accesscontrol/whitelist"
  27. "imuslab.com/arozos/mod/auth/authlogger"
  28. "imuslab.com/arozos/mod/auth/explogin"
  29. db "imuslab.com/arozos/mod/database"
  30. "imuslab.com/arozos/mod/network"
  31. "imuslab.com/arozos/mod/utils"
  32. )
  33. type AuthAgent struct {
  34. //Session related
  35. SessionName string
  36. SessionStore *sessions.CookieStore
  37. Database *db.Database
  38. LoginRedirectionHandler func(http.ResponseWriter, *http.Request)
  39. //Token related
  40. ExpireTime int64 //Set this to 0 to disable token access
  41. tokenStore sync.Map
  42. terminateTokenListener chan bool
  43. mutex *sync.Mutex
  44. //Autologin Related
  45. AllowAutoLogin bool
  46. autoLoginTokens []*AutoLoginToken
  47. //Exponential Delay Retry Handler
  48. ExpDelayHandler *explogin.ExpLoginHandler
  49. //IPLists manager
  50. WhitelistManager *whitelist.WhiteList
  51. BlacklistManager *blacklist.BlackList
  52. //Account Switcher
  53. SwitchableAccountManager *SwitchableAccountPoolManager
  54. //Logger
  55. Logger *authlogger.Logger
  56. }
  57. type AuthEndpoints struct {
  58. Login string
  59. Logout string
  60. Register string
  61. CheckLoggedIn string
  62. Autologin string
  63. }
  64. // Constructor
  65. func NewAuthenticationAgent(sessionName string, key []byte, sysdb *db.Database, allowReg bool, loginRedirectionHandler func(http.ResponseWriter, *http.Request)) *AuthAgent {
  66. store := sessions.NewCookieStore(key)
  67. err := sysdb.NewTable("auth")
  68. if err != nil {
  69. log.Println("Failed to create auth database. Terminating.")
  70. panic(err)
  71. }
  72. //Creat a ticker to clean out outdated token every 5 minutes
  73. ticker := time.NewTicker(300 * time.Second)
  74. done := make(chan bool)
  75. //Create a exponential login delay handler
  76. expLoginHandler := explogin.NewExponentialLoginHandler(2, 10800)
  77. //Create a new whitelist manager
  78. thisWhitelistManager := whitelist.NewWhitelistManager(sysdb)
  79. //Create a new blacklist manager
  80. thisBlacklistManager := blacklist.NewBlacklistManager(sysdb)
  81. //Create a new logger for logging all login request
  82. newLogger, err := authlogger.NewLogger()
  83. if err != nil {
  84. panic(err)
  85. }
  86. //Create a new AuthAgent object
  87. newAuthAgent := AuthAgent{
  88. SessionName: sessionName,
  89. SessionStore: store,
  90. Database: sysdb,
  91. LoginRedirectionHandler: loginRedirectionHandler,
  92. tokenStore: sync.Map{},
  93. ExpireTime: 120,
  94. terminateTokenListener: done,
  95. mutex: &sync.Mutex{},
  96. //Auto login management
  97. AllowAutoLogin: false,
  98. autoLoginTokens: []*AutoLoginToken{},
  99. //Blacklist management
  100. WhitelistManager: thisWhitelistManager,
  101. BlacklistManager: thisBlacklistManager,
  102. ExpDelayHandler: expLoginHandler,
  103. //Switchable Account Pool Manager
  104. Logger: newLogger,
  105. }
  106. poolManager := NewSwitchableAccountPoolManager(sysdb, &newAuthAgent)
  107. newAuthAgent.SwitchableAccountManager = poolManager
  108. //Create a timer to listen to its token storage
  109. go func(listeningAuthAgent *AuthAgent) {
  110. for {
  111. select {
  112. case <-done:
  113. return
  114. case <-ticker.C:
  115. listeningAuthAgent.ClearTokenStore()
  116. }
  117. }
  118. }(&newAuthAgent)
  119. //Return the authAgent
  120. return &newAuthAgent
  121. }
  122. // Close the authAgent listener
  123. func (a *AuthAgent) Close() {
  124. //Stop the token listening
  125. a.terminateTokenListener <- true
  126. //Close the auth logger database
  127. a.Logger.Close()
  128. }
  129. // This function will handle an http request and redirect to the given login address if not logged in
  130. func (a *AuthAgent) HandleCheckAuth(w http.ResponseWriter, r *http.Request, handler func(http.ResponseWriter, *http.Request)) {
  131. if a.CheckAuth(r) {
  132. //User already logged in
  133. handler(w, r)
  134. } else {
  135. //User not logged in
  136. a.LoginRedirectionHandler(w, r)
  137. }
  138. }
  139. // Handle login request, require POST username and password
  140. func (a *AuthAgent) HandleLogin(w http.ResponseWriter, r *http.Request) {
  141. //Get username from request using POST mode
  142. username, err := utils.PostPara(r, "username")
  143. if err != nil {
  144. //Username not defined
  145. log.Println("[System Auth] Someone trying to login with username: " + username)
  146. //Write to log
  147. a.Logger.LogAuth(r, false)
  148. sendErrorResponse(w, "Username not defined or empty.")
  149. return
  150. }
  151. //Get password from request using POST mode
  152. password, err := utils.PostPara(r, "password")
  153. if err != nil {
  154. //Password not defined
  155. a.Logger.LogAuth(r, false)
  156. sendErrorResponse(w, "Password not defined or empty.")
  157. return
  158. }
  159. //Get rememberme settings
  160. rememberme := false
  161. rmbme, _ := utils.PostPara(r, "rmbme")
  162. if rmbme == "true" {
  163. rememberme = true
  164. }
  165. //Check Exponential Login Handler
  166. ok, nextRetryIn := a.ExpDelayHandler.AllowImmediateAccess(username, r)
  167. if !ok {
  168. //Too many request! (maybe the account is under brute force attack?)
  169. a.ExpDelayHandler.AddUserRetrycount(username, r)
  170. sendErrorResponse(w, "Too many request! Next retry in "+strconv.Itoa(int(nextRetryIn))+" seconds")
  171. return
  172. }
  173. //Check the database and see if this user is in the database
  174. passwordCorrect, rejectionReason := a.ValidateUsernameAndPasswordWithReason(username, password)
  175. //The database contain this user information. Check its password if it is correct
  176. if passwordCorrect {
  177. //Password correct
  178. //Check if this request origin is allowed to access
  179. ok, reasons := a.ValidateLoginRequest(w, r)
  180. if !ok {
  181. sendErrorResponse(w, reasons.Error())
  182. return
  183. }
  184. // Set user as authenticated
  185. a.LoginUserByRequest(w, r, username, rememberme)
  186. //Reset user retry count if any
  187. a.ExpDelayHandler.ResetUserRetryCount(username, r)
  188. //Print the login message to console
  189. log.Println(username + " logged in.")
  190. a.Logger.LogAuth(r, true)
  191. sendOK(w)
  192. } else {
  193. //Password incorrect
  194. log.Println(username + " login request rejected: " + rejectionReason)
  195. //Add to retry count
  196. a.ExpDelayHandler.AddUserRetrycount(username, r)
  197. sendErrorResponse(w, rejectionReason)
  198. a.Logger.LogAuth(r, false)
  199. return
  200. }
  201. }
  202. func (a *AuthAgent) ValidateUsernameAndPassword(username string, password string) bool {
  203. succ, _ := a.ValidateUsernameAndPasswordWithReason(username, password)
  204. return succ
  205. }
  206. // validate the username and password, return reasons if the auth failed
  207. func (a *AuthAgent) ValidateUsernameAndPasswordWithReason(username string, password string) (bool, string) {
  208. hashedPassword := Hash(password)
  209. var passwordInDB string
  210. err := a.Database.Read("auth", "passhash/"+username, &passwordInDB)
  211. if err != nil {
  212. //User not found or db exception
  213. //log.Println("[System Auth] " + username + " login with incorrect password")
  214. return false, "Invalid username or password"
  215. }
  216. if passwordInDB == hashedPassword {
  217. return true, ""
  218. } else {
  219. return false, "Invalid username or password"
  220. }
  221. }
  222. // Validate the user request for login, return true if the target request original is not blocked
  223. func (a *AuthAgent) ValidateLoginRequest(w http.ResponseWriter, r *http.Request) (bool, error) {
  224. //Get the ip address of the request
  225. clientIP, err := network.GetIpFromRequest(r)
  226. if err != nil {
  227. return false, nil
  228. }
  229. return a.ValidateLoginIpAccess(clientIP)
  230. }
  231. func (a *AuthAgent) ValidateLoginIpAccess(ipv4 string) (bool, error) {
  232. ipv4 = strings.ReplaceAll(ipv4, " ", "")
  233. //Check if the account is whitelisted
  234. if a.WhitelistManager.Enabled && !a.WhitelistManager.IsWhitelisted(ipv4) {
  235. //Whitelist enabled but this IP is not whitelisted
  236. return false, errors.New("Your IP is not whitelisted on this host")
  237. }
  238. //Check if the account is banned
  239. if a.BlacklistManager.Enabled && a.BlacklistManager.IsBanned(ipv4) {
  240. //This user is banned
  241. return false, errors.New("Your IP is banned by this host")
  242. }
  243. return true, nil
  244. }
  245. // Login the user by creating a valid session for this user
  246. func (a *AuthAgent) LoginUserByRequest(w http.ResponseWriter, r *http.Request, username string, rememberme bool) {
  247. session, _ := a.SessionStore.Get(r, a.SessionName)
  248. session.Values["authenticated"] = true
  249. session.Values["username"] = username
  250. session.Values["rememberMe"] = rememberme
  251. //Check if remember me is clicked. If yes, set the maxage to 1 week.
  252. if rememberme == true {
  253. session.Options = &sessions.Options{
  254. MaxAge: 3600 * 24 * 7, //One week
  255. Path: "/",
  256. }
  257. } else {
  258. session.Options = &sessions.Options{
  259. MaxAge: 3600 * 1, //One hour
  260. Path: "/",
  261. }
  262. }
  263. session.Save(r, w)
  264. }
  265. // Handle logout, reply OK after logged out. WILL NOT DO REDIRECTION
  266. func (a *AuthAgent) HandleLogout(w http.ResponseWriter, r *http.Request) {
  267. username, _ := a.GetUserName(w, r)
  268. if username != "" {
  269. log.Println(username + " logged out.")
  270. }
  271. // Revoke users authentication
  272. err := a.Logout(w, r)
  273. if err != nil {
  274. sendErrorResponse(w, "Logout failed")
  275. return
  276. }
  277. w.Write([]byte("OK"))
  278. }
  279. func (a *AuthAgent) Logout(w http.ResponseWriter, r *http.Request) error {
  280. session, err := a.SessionStore.Get(r, a.SessionName)
  281. if err != nil {
  282. return err
  283. }
  284. session.Values["authenticated"] = false
  285. session.Values["username"] = nil
  286. session.Save(r, w)
  287. return nil
  288. }
  289. // Get the current session username from request
  290. func (a *AuthAgent) GetUserName(w http.ResponseWriter, r *http.Request) (string, error) {
  291. if a.CheckAuth(r) {
  292. //This user has logged in.
  293. session, _ := a.SessionStore.Get(r, a.SessionName)
  294. return session.Values["username"].(string), nil
  295. } else {
  296. //This user has not logged in.
  297. return "", errors.New("User not logged in")
  298. }
  299. }
  300. // Check if the user has logged in, return true / false in JSON
  301. func (a *AuthAgent) CheckLogin(w http.ResponseWriter, r *http.Request) {
  302. if a.CheckAuth(r) {
  303. sendJSONResponse(w, "true")
  304. } else {
  305. sendJSONResponse(w, "false")
  306. }
  307. }
  308. // Handle new user register. Require POST username, password, group.
  309. func (a *AuthAgent) HandleRegister(w http.ResponseWriter, r *http.Request) {
  310. userCount := a.GetUserCounts()
  311. //Get username from request
  312. newusername, err := utils.PostPara(r, "username")
  313. if err != nil {
  314. sendTextResponse(w, "Error. Missing 'username' paramter")
  315. return
  316. }
  317. //Get password from request
  318. password, err := utils.PostPara(r, "password")
  319. if err != nil {
  320. sendTextResponse(w, "Error. Missing 'password' paramter")
  321. return
  322. }
  323. //Set permission group to default
  324. group, err := utils.PostPara(r, "group")
  325. if err != nil {
  326. sendTextResponse(w, "Error. Missing 'group' paramter")
  327. return
  328. }
  329. //Check if the number of users in the system is == 0. If yes, there are no need to login before registering new user
  330. if userCount > 0 {
  331. //Require login to create new user
  332. if a.CheckAuth(r) == false {
  333. //System have more than one person and this user is not logged in
  334. sendErrorResponse(w, "Login is needed to create new user")
  335. return
  336. }
  337. }
  338. //Ok to proceed create this user
  339. err = a.CreateUserAccount(newusername, password, []string{group})
  340. if err != nil {
  341. sendErrorResponse(w, err.Error())
  342. return
  343. }
  344. //Return to the client with OK
  345. sendOK(w)
  346. log.Println("[System Auth] New user " + newusername + " added to system.")
  347. return
  348. }
  349. // Check authentication from request header's session value
  350. func (a *AuthAgent) CheckAuth(r *http.Request) bool {
  351. session, _ := a.SessionStore.Get(r, a.SessionName)
  352. // Check if user is authenticated
  353. if auth, ok := session.Values["authenticated"].(bool); !ok || !auth {
  354. return false
  355. }
  356. return true
  357. }
  358. // Handle de-register of users. Require POST username.
  359. // THIS FUNCTION WILL NOT CHECK FOR PERMISSION. PLEASE USE WITH PERMISSION HANDLER
  360. func (a *AuthAgent) HandleUnregister(w http.ResponseWriter, r *http.Request) {
  361. //Check if the user is logged in
  362. if !a.CheckAuth(r) {
  363. //This user has not logged in
  364. sendErrorResponse(w, "Login required to remove user from the system.")
  365. return
  366. }
  367. //Check for permission of this user.
  368. /*
  369. if !system_permission_checkUserIsAdmin(w,r){
  370. //This user is not admin. No permission to access this function
  371. sendErrorResponse(w, "Permission denied")
  372. }
  373. */
  374. //Get username from request
  375. username, err := utils.PostPara(r, "username")
  376. if err != nil {
  377. sendErrorResponse(w, "Missing 'username' paramter")
  378. return
  379. }
  380. err = a.UnregisterUser(username)
  381. if err != nil {
  382. sendErrorResponse(w, err.Error())
  383. return
  384. }
  385. //Return to the client with OK
  386. sendOK(w)
  387. log.Println("[system_auth] User " + username + " has been removed from the system.")
  388. return
  389. }
  390. func (a *AuthAgent) UnregisterUser(username string) error {
  391. //Check if the user exists in the system database.
  392. if !a.Database.KeyExists("auth", "passhash/"+username) {
  393. //This user do not exists.
  394. return errors.New("This user does not exists.")
  395. }
  396. //OK! Remove the user from the database
  397. a.Database.Delete("auth", "passhash/"+username)
  398. a.Database.Delete("auth", "group/"+username)
  399. a.Database.Delete("auth", "acstatus/"+username)
  400. a.Database.Delete("auth", "profilepic/"+username)
  401. //Remove the user's autologin tokens
  402. a.RemoveAutologinTokenByUsername(username)
  403. //Remove user from switchable accounts
  404. a.SwitchableAccountManager.RemoveUserFromAllSwitchableAccountPool(username)
  405. return nil
  406. }
  407. // Get the number of users in the system
  408. func (a *AuthAgent) GetUserCounts() int {
  409. entries, _ := a.Database.ListTable("auth")
  410. usercount := 0
  411. for _, keypairs := range entries {
  412. if strings.Contains(string(keypairs[0]), "passhash/") {
  413. //This is a user registry
  414. usercount++
  415. }
  416. }
  417. if usercount == 0 {
  418. log.Println("There are no user in the database.")
  419. }
  420. return usercount
  421. }
  422. // List all username within the system
  423. func (a *AuthAgent) ListUsers() []string {
  424. entries, _ := a.Database.ListTable("auth")
  425. results := []string{}
  426. for _, keypairs := range entries {
  427. if strings.Contains(string(keypairs[0]), "group/") {
  428. username := strings.Split(string(keypairs[0]), "/")[1]
  429. results = append(results, username)
  430. }
  431. }
  432. return results
  433. }
  434. // Check if the given username exists
  435. func (a *AuthAgent) UserExists(username string) bool {
  436. userpasswordhash := ""
  437. err := a.Database.Read("auth", "passhash/"+username, &userpasswordhash)
  438. if err != nil || userpasswordhash == "" {
  439. return false
  440. }
  441. return true
  442. }
  443. // Update the session expire time given the request header.
  444. func (a *AuthAgent) UpdateSessionExpireTime(w http.ResponseWriter, r *http.Request) bool {
  445. session, _ := a.SessionStore.Get(r, a.SessionName)
  446. if session.Values["authenticated"].(bool) {
  447. //User authenticated. Extend its expire time
  448. rememberme := session.Values["rememberMe"].(bool)
  449. //Extend the session expire time
  450. if rememberme {
  451. session.Options = &sessions.Options{
  452. MaxAge: 3600 * 24 * 7, //One week
  453. Path: "/",
  454. }
  455. } else {
  456. session.Options = &sessions.Options{
  457. MaxAge: 3600 * 1, //One hour
  458. Path: "/",
  459. }
  460. }
  461. session.Save(r, w)
  462. return true
  463. } else {
  464. return false
  465. }
  466. }
  467. // Create user account
  468. func (a *AuthAgent) CreateUserAccount(newusername string, password string, group []string) error {
  469. key := newusername
  470. hashedPassword := Hash(password)
  471. err := a.Database.Write("auth", "passhash/"+key, hashedPassword)
  472. if err != nil {
  473. return err
  474. }
  475. //Store this user's usergroup settings
  476. err = a.Database.Write("auth", "group/"+newusername, group)
  477. if err != nil {
  478. return err
  479. }
  480. return nil
  481. }
  482. // Hash the given raw string into sha512 hash
  483. func Hash(raw string) string {
  484. h := sha512.New()
  485. h.Write([]byte(raw))
  486. return hex.EncodeToString(h.Sum(nil))
  487. }