当前位置:   article > 正文

MySQL连接池_mysql bad conneection

mysql bad conneection

一.选用Mysql连接池的场景

       对于简单的数据库查询,由于对于数据库的访问不是很频繁,这时可以在访问数据库时,就新创建一个连接,用完后就关闭它,这样做也不会带来什么明显的性能上的开销。但是对于一个经常访问的数据库应用,情况就完全不同了。频繁的建立、关闭连接,会极大的减低系统的性能,因为对于连接的使用成了系统性能的瓶颈。
       连接复用。通过建立一个数据库连接池以及一套连接使用管理策略,使得一个数据库连接可以得到高效、安全的复用,避免了数据库连接频繁建立、关闭的开销。
     数据库连接池的基本原理是在内部对象池中维护一定数量的数据库连接,并对外暴露数据库连接获取和返回方法。(外部使用者可通过getConnection 方法获取连接,使用完毕后再通过releaseConnection方法将连接返回,注意此时连接并没有关闭,而是由连接池管理器回收,并为下一次使用做好准备。)

二.选用Mysql连接池的好处

  • 资源重用

      由于数据库连接得到重用,避免了频繁创建、释放连接引起的大量性能开销。在减少系统消耗的基础上,另一方面也增进了系统运行环境的平稳性(减少内存碎片以及数据库临时进程/线程的数量)。

  •  更快的系统响应速度

       数据库连接池在初始化过程中,往往已经创建了若干数据库连接置于池中备用。此时连接的初始化工作均已完成。对于业务请求处理而言,直接利用现有可用连接,避免了数据库连接初始化和释放过程的时间开销,从而缩减了系统整体响应时间。

  • 统一的连接管理,避免数据库连接泄漏

      在较为完备的数据库连接池实现中,可根据预先的连接占用超时设定,强制收回被占用连接。从而避免了常规数据库连接操作中可能出现的资源泄漏。一个最小化的数据库连接池实现:

三.连接池的实现原理

3.1 连接池结构

  1. type DB struct {
  2. // Atomic access only. At top of struct to prevent mis-alignment
  3. // on 32-bit platforms. Of type time.Duration.
  4. waitDuration int64 //新连接等待时间
  5. connector driver.Connector
  6. // numClosed is an atomic counter which represents a total number of
  7. // closed connections. Stmt.openStmt checks it before cleaning closed
  8. // connections in Stmt.css.
  9. numClosed uint64
  10. mu sync.Mutex //锁,操作DB成员时用到
  11. freeConn []*driverConn //空闲连接
  12. connRequests map[uint64]chan connRequest
  13. nextRequest uint64 // Next key to use in connRequests.
  14. numOpen int //已建立连接或等待建立连接数
  15. // Used to signal the need for new connections
  16. // a goroutine running connectionOpener() reads on this chan and
  17. // maybeOpenNewConnections sends on the chan (one send per needed connection)
  18. // It is closed during db.Close(). The close tells the connectionOpener
  19. // goroutine to exit.
  20. openerCh chan struct{}
  21. resetterCh chan *driverConn
  22. closed bool
  23. dep map[finalCloser]depSet
  24. lastPut map[*driverConn]string // stacktrace of last conn's put; debug only
  25. maxIdle int // 最大空闲连接数
  26. maxOpen int // 已建立连接或等待建立连接数
  27. maxLifetime time.Duration // 连接最大存活期,超过这个时间将不再复用
  28. cleanerCh chan struct{}
  29. waitCount int64 // Total number of connections waited for.
  30. maxIdleClosed int64 // Total number of connections closed due to idle.
  31. maxLifetimeClosed int64 //连接最长存活期,超过这个时间连接将不会复用
  32. stop func() // stop cancels the connection opener and the session resetter.
  33. }

3.1 获取连接 

  1. func (db *DB) conn(ctx context.Context, strategy connReuseStrategy) (*driverConn, error) {
  2. db.mu.Lock()
  3. if db.closed {
  4. db.mu.Unlock()
  5. return nil, errDBClosed
  6. }
  7. // Check if the context is expired.
  8. select {
  9. default:
  10. case <-ctx.Done():
  11. db.mu.Unlock()
  12. return nil, ctx.Err()
  13. }
  14. lifetime := db.maxLifetime
  15. //从freeCoon取一个空闲连接
  16. numFree := len(db.freeConn)
  17. if strategy == cachedOrNewConn && numFree > 0 {
  18. conn := db.freeConn[0]
  19. copy(db.freeConn, db.freeConn[1:])
  20. db.freeConn = db.freeConn[:numFree-1]
  21. conn.inUse = true
  22. db.mu.Unlock()
  23. if conn.expired(lifetime) {
  24. conn.Close()
  25. return nil, driver.ErrBadConn
  26. }
  27. // Lock around reading lastErr to ensure the session resetter finished.
  28. conn.Lock()
  29. err := conn.lastErr
  30. conn.Unlock()
  31. if err == driver.ErrBadConn {
  32. conn.Close()
  33. return nil, driver.ErrBadConn
  34. }
  35. return conn, nil
  36. }
  37. // 如果没有空闲连接,而且当前建立的连接数已达到最大限制则加入connRequest队列
  38. // 并阻塞在这里,直到其他协程将占用的连接释放或connectionOpenner创建
  39. if db.maxOpen > 0 && db.numOpen >= db.maxOpen {
  40. // Make the connRequest channel. It's buffered so that the
  41. // connectionOpener doesn't block while waiting for the req to be read.
  42. req := make(chan connRequest, 1)
  43. reqKey := db.nextRequestKeyLocked()
  44. db.connRequests[reqKey] = req
  45. db.waitCount++
  46. db.mu.Unlock()
  47. waitStart := time.Now()
  48. // Timeout the connection request with the context.
  49. select {
  50. case <-ctx.Done():
  51. // Remove the connection request and ensure no value has been sent
  52. // on it after removing.
  53. db.mu.Lock()
  54. delete(db.connRequests, reqKey)
  55. db.mu.Unlock()
  56. atomic.AddInt64(&db.waitDuration, int64(time.Since(waitStart)))
  57. select {
  58. default:
  59. case ret, ok := <-req:
  60. if ok && ret.conn != nil {
  61. db.putConn(ret.conn, ret.err, false)
  62. }
  63. }
  64. return nil, ctx.Err()
  65. case ret, ok := <-req://阻塞
  66. atomic.AddInt64(&db.waitDuration, int64(time.Since(waitStart)))
  67. if !ok {
  68. return nil, errDBClosed
  69. }
  70. if ret.err == nil && ret.conn.expired(lifetime) {//连接过期
  71. ret.conn.Close()
  72. return nil, driver.ErrBadConn
  73. }
  74. if ret.conn == nil {
  75. return nil, ret.err
  76. }
  77. // Lock around reading lastErr to ensure the session resetter finished.
  78. ret.conn.Lock()
  79. err := ret.conn.lastErr
  80. ret.conn.Unlock()
  81. if err == driver.ErrBadConn {
  82. ret.conn.Close()
  83. return nil, driver.ErrBadConn
  84. }
  85. return ret.conn, ret.err
  86. }
  87. }
  88. db.numOpen++ // optimistically
  89. db.mu.Unlock()
  90. ci, err := db.connector.Connect(ctx)
  91. if err != nil {
  92. db.mu.Lock()
  93. db.numOpen-- // correct for earlier optimism
  94. db.maybeOpenNewConnections()//通知coonectionOpener协程尝试重新建立连接
  95. db.mu.Unlock()
  96. return nil, err
  97. }
  98. db.mu.Lock()
  99. dc := &driverConn{
  100. db: db,
  101. createdAt: nowFunc(),
  102. ci: ci,
  103. inUse: true,
  104. }
  105. db.addDepLocked(dc, dc)
  106. db.mu.Unlock()
  107. return dc, nil
  108. }
  1. 取空闲连接,如果取出连接且未超时则直接复用。
  2. 如果没有空闲连接,判断当前连接数是否达到连接池上限,如果达到上限请求阻塞在这等待连接释放。创建等待连接释放管道,阻塞直到从管道中拿到释放的连接。
  3. 没有达到上限则创建新连接。

3.2 释放连接 

  1. func (db *DB) putConn(dc *driverConn, err error, resetSession bool) {
  2. db.mu.Lock()
  3. if !dc.inUse {
  4. if debugGetPut {
  5. fmt.Printf("putConn(%v) DUPLICATE was: %s\n\nPREVIOUS was: %s", dc, stack(), db.lastPut[dc])
  6. }
  7. panic("sql: connection returned that was never out")
  8. }
  9. if debugGetPut {
  10. db.lastPut[dc] = stack()
  11. }
  12. dc.inUse = false
  13. for _, fn := range dc.onPut {
  14. fn()
  15. }
  16. dc.onPut = nil
  17. //连接失效则不再放入到连接池中
  18. if err == driver.ErrBadConn {
  19. // Don't reuse bad connections.
  20. // Since the conn is considered bad and is being discarded, treat it
  21. // as closed. Don't decrement the open count here, finalClose will
  22. // take care of that.
  23. db.maybeOpenNewConnections()
  24. db.mu.Unlock()
  25. dc.Close()
  26. return
  27. }
  28. if putConnHook != nil {
  29. putConnHook(db, dc)
  30. }
  31. if db.closed {
  32. // Connections do not need to be reset if they will be closed.
  33. // Prevents writing to resetterCh after the DB has closed.
  34. resetSession = false
  35. }
  36. if resetSession {
  37. if _, resetSession = dc.ci.(driver.SessionResetter); resetSession {
  38. // Lock the driverConn here so it isn't released until
  39. // the connection is reset.
  40. // The lock must be taken before the connection is put into
  41. // the pool to prevent it from being taken out before it is reset.
  42. dc.Lock()
  43. }
  44. }
  45. //归还连接
  46. added := db.putConnDBLocked(dc, nil)
  47. db.mu.Unlock()
  48. if !added {
  49. if resetSession {
  50. dc.Unlock()
  51. }
  52. dc.Close()
  53. return
  54. }
  55. if !resetSession {
  56. return
  57. }
  58. select {
  59. default:
  60. // If the resetterCh is blocking then mark the connection
  61. // as bad and continue on.
  62. dc.lastErr = driver.ErrBadConn
  63. dc.Unlock()
  64. case db.resetterCh <- dc:
  65. }
  66. }
  1. func (db *DB) putConnDBLocked(dc *driverConn, err error) bool {
  2. if db.closed {
  3. return false
  4. }
  5. if db.maxOpen > 0 && db.numOpen > db.maxOpen {
  6. return false
  7. }
  8. //如果有等待的连接则直接将连接发给他们,没有等待的连接则放到空闲连接里面
  9. if c := len(db.connRequests); c > 0 {
  10. var req chan connRequest
  11. var reqKey uint64
  12. for reqKey, req = range db.connRequests {
  13. break
  14. }
  15. delete(db.connRequests, reqKey) // Remove from pending requests.
  16. if err == nil {
  17. dc.inUse = true
  18. }
  19. req <- connRequest{
  20. conn: dc,
  21. err: err,
  22. }
  23. return true
  24. } else if err == nil && !db.closed {
  25. if db.maxIdleConnsLocked() > len(db.freeConn) {
  26. db.freeConn = append(db.freeConn, dc)
  27. db.startCleanerLocked()
  28. return true
  29. }
  30. db.maxIdleClosed++
  31. }
  32. return false
  33. }
  1. 检查当前归还的连接是否失效,如果连接失效或连接池关闭就不放到连接池中。
  2. 检查是否有等待连接的请求,如果有将连接返回给等待请求,如果没有则放到空闲连接池,如果达到空闲连接池上限则停止释放连接。
  3. 启动协程定期检查空闲连接池中是否有过期的连接,有就清除。

 

四.连接池需要注意的地方 

 

  • 4.1 查询超时:如果查询超时要有重查、断开连接重新连接的过程。
  • 4.2 断连问题:连接失败或者Mysql重启需要重连(通过心跳监控)。
  • 4.3 外部修改数据库或者表名的安全性操作。
  • 4.4 连接池连接数量不够:一次性来临的请求将池中所有连接请求完会阻塞直到有空闲请求,自动扩容收缩机制会更好。
  • 4.5 连接池过期时间 < 数据库过期时间。

 

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/小桥流水78/article/detail/919171
推荐阅读
相关标签
  

闽ICP备14008679号