当前位置: 首页 > news >正文

外贸建站哪家企业信息管理系统erp

外贸建站哪家,企业信息管理系统erp,全国建设网站,wordpress 免签约支付宝文章目录 前言一、整体目录结构二、driver包1、驱动相关driver.Driver2、驱动连接#xff1a;driver.Conn3、预处理结构#xff1a;Stmt4、执行结果 driver.Result5、查询结果#xff1a;driver.Rows6、driver.RowsAffected7、driver.Value8、Value定义转换相关 三、sql包1、… 文章目录 前言一、整体目录结构二、driver包1、驱动相关driver.Driver2、驱动连接driver.Conn3、预处理结构Stmt4、执行结果 driver.Result5、查询结果driver.Rows6、driver.RowsAffected7、driver.Value8、Value定义转换相关 三、sql包1、Open方法2、驱动注册sql.Register3、dsn驱动连接器dsnConnector3、OpenDB方法4、数据库实例sql.DB5、ExecContext6、QueryContext7、连接建立db.conn8、连接重置resetSession9、连接池相关可配置参数10、可监控指标 二、结语三、参考 前言 在golang中我们比较熟悉的mysql相关的库就是database/sql这是golang的内置库该标准库没有具体实现只列出第三方库需要实现的具体内容。也就是说这个库只是定义了接口并没有具体的实现。Go语言为开发数据库驱动定义了一些标准接口使用标准接口开发的代码在迁移数据库时不需要做任何修改当然双方数据库都遵守标准接口。下面我将基于golang1.19的源码探究这个库的实现。 源码地址https://github.com/golang/go/tree/release-branch.go1.19/src/database/sql 一、整体目录结构 整个目录结构就是这样包含两个包sql和driver这两个包必须一起配合着使用sql包中主要包含着数据库具体实例、驱动的注册、结果集读取、转换各种定义类型结构等。driver包中主要是与数据库打交道的部分增删改查的接口定义就在这里面。 sql包 driver包 二、driver包 在driver包中主要有如下的接口定义 Connector抽象的数据库连接器需要具备创建数据库连接以及返回从属的数据库驱动的能力。Driver抽象的数据库驱动具备创建数据库连接的能力。Conn抽象的数据库连接具备预处理 sql 以及开启事务的能力。Tx抽象的事务具备提交和回滚的能力。Statement抽象的请求预处理状态. 具备实际执行 sql 并返回执行结果的能力。Result/Row抽象的 sql 执行结果。 1、驱动相关driver.Driver Driver是一个数据库驱动的接口定义了 Open(name string) ,该方法返回一个数据库的Conn接口: // Driver is the interface that must be implemented by a database // driver. // // Database drivers may implement DriverContext for access // to contexts and to parse the name only once for a pool of connections, // instead of once per connection. type Driver interface {// Open returns a new connection to the database.// The name is a string in a driver-specific format.//// Open may return a cached connection (one previously// closed), but doing so is unnecessary; the sql package// maintains a pool of idle connections for efficient re-use.//// The returned connection is only used by one goroutine at a// time.Open(name string) (Conn, error) }在上面的源码中我们可以清晰知道Driver接口是必须要被所有的数据库驱动程序实现的提供而一个Open方法用于返回一个连接这个连接可能是缓存的有效的也可能是新建的连接。同时也提供了一个DriverContext接口数据库驱动程序可以实现DriverContext以访问上下文并仅为连接池解析一次名称而不是每个连接解析一次。 DriverContext接口提供了一个OpenConnector方法用于返回一个连接器在连接器中去获取对应的连接。连接器接口Connector提供了两个方法Connect和Driver其中Connect用于获取连接并且可以附带参数ctxDriver用于获取当前这个连接器的的驱动程序。 // If a Driver implements DriverContext, then sql.DB will call // OpenConnector to obtain a Connector and then invoke // that Connectors Connect method to obtain each needed connection, // instead of invoking the Drivers Open method for each connection. // The two-step sequence allows drivers to parse the name just once // and also provides access to per-Conn contexts. type DriverContext interface {// OpenConnector must parse the name in the same format that Driver.Open// parses the name parameter.OpenConnector(name string) (Connector, error) }// A Connector represents a driver in a fixed configuration // and can create any number of equivalent Conns for use // by multiple goroutines. // // A Connector can be passed to sql.OpenDB, to allow drivers // to implement their own sql.DB constructors, or returned by // DriverContexts OpenConnector method, to allow drivers // access to context and to avoid repeated parsing of driver // configuration. // // If a Connector implements io.Closer, the sql packages DB.Close // method will call Close and return error (if any). type Connector interface {// Connect returns a connection to the database.// Connect may return a cached connection (one previously// closed), but doing so is unnecessary; the sql package// maintains a pool of idle connections for efficient re-use.//// The provided context.Context is for dialing purposes only// (see net.DialContext) and should not be stored or used for// other purposes. A default timeout should still be used// when dialing as a connection pool may call Connect// asynchronously to any query.//// The returned connection is only used by one goroutine at a// time.Connect(context.Context) (Conn, error)// Driver returns the underlying Driver of the Connector,// mainly to maintain compatibility with the Driver method// on sql.DB.Driver() Driver }2、驱动连接driver.Conn 在驱动连接driver.Conn中包含着预处理结构statement、网络连接的关闭、以及开启一个事务的方式。 type Conn interface {// Prepare returns a prepared statement, bound to this connection.Prepare(query string) (Stmt, error)// Close invalidates and potentially stops any current// prepared statements and transactions, marking this// connection as no longer in use.//// Because the sql package maintains a free pool of// connections and only calls Close when theres a surplus of// idle connections, it shouldnt be necessary for drivers to// do their own connection caching.//// Drivers must ensure all network calls made by Close// do not block indefinitely (e.g. apply a timeout).Close() error// Begin starts and returns a new transaction.//// Deprecated: Drivers should implement ConnBeginTx instead (or additionally).Begin() (Tx, error) } Prepare返回与当前连接相关的执行SQL语句的准备状态Stmt可以进行查询、删除等操作。 Close关闭当前的链接执行释放连接拥有的资源等清理工作。 Begin: // 返回一个代表事务处理的Tx,通过它可以进行查询、更新等操作或者对事务进行回滚、递交。 新版本中Begin方法已经不推荐了被ConnBeginTx代替了, 新版本中的Begin方法多提供了入参ctx和额外的可选参数opts便于扩展和控制。 // ConnBeginTx enhances the Conn interface with context and TxOptions. type ConnBeginTx interface {// BeginTx starts and returns a new transaction.// If the context is canceled by the user the sql package will// call Tx.Rollback before discarding and closing the connection.//// This must check opts.Isolation to determine if there is a set// isolation level. If the driver does not support a non-default// level and one is set or if there is a non-default isolation level// that is not supported, an error must be returned.//// This must also check opts.ReadOnly to determine if the read-only// value is true to either set the read-only transaction property if supported// or return an error if it is not supported.BeginTx(ctx context.Context, opts TxOptions) (Tx, error) }3、预处理结构Stmt // Stmt is a prepared statement. It is bound to a Conn and not // used by multiple goroutines concurrently. type Stmt interface {// Close closes the statement.//// As of Go 1.1, a Stmt will not be closed if its in use// by any queries.//// Drivers must ensure all network calls made by Close// do not block indefinitely (e.g. apply a timeout).Close() error// NumInput returns the number of placeholder parameters.//// If NumInput returns 0, the sql package will sanity check// argument counts from callers and return errors to the caller// before the statements Exec or Query methods are called.//// NumInput may also return -1, if the driver doesnt know// its number of placeholders. In that case, the sql package// will not sanity check Exec or Query argument counts.NumInput() int// Exec executes a query that doesnt return rows, such// as an INSERT or UPDATE.//// Deprecated: Drivers should implement StmtExecContext instead (or additionally).Exec(args []Value) (Result, error)// Query executes a query that may return rows, such as a// SELECT.//// Deprecated: Drivers should implement StmtQueryContext instead (or additionally).Query(args []Value) (Rows, error) }// StmtExecContext enhances the Stmt interface by providing Exec with context. type StmtExecContext interface {// ExecContext executes a query that doesnt return rows, such// as an INSERT or UPDATE.//// ExecContext must honor the context timeout and return when it is canceled.ExecContext(ctx context.Context, args []NamedValue) (Result, error) }// StmtQueryContext enhances the Stmt interface by providing Query with context. type StmtQueryContext interface {// QueryContext executes a query that may return rows, such as a// SELECT.//// QueryContext must honor the context timeout and return when it is canceled.QueryContext(ctx context.Context, args []NamedValue) (Rows, error) }Close关闭当前的连接状态但如果当前正在执行query,query还是会有效返回rows数据。 NumInput返回当前预留参数的个数当返回0时数据库驱动会智能检查调用者的参数。 当数据库驱动包不知道预留参数的时候返回-1。 Exec执行Prepare准备好的SQL,传入参数执行Update/Insert等操作返回Result数据Result中包含最后插入的自增主键序号LastInsertId和受影响的行数RowAffected。 Query执行Prepare准备好的SQL,传入需要的参数执行select操作返回Rows结果集。 4、执行结果 driver.Result // Result is the result of a query execution. type Result interface {// LastInsertId returns the databases auto-generated ID// after, for example, an INSERT into a table with primary// key.LastInsertId() (int64, error)// RowsAffected returns the number of rows affected by the// query.RowsAffected() (int64, error) }5、查询结果driver.Rows // Rows is an iterator over an executed querys results. type Rows interface {// 该函数返回查询数据库表的字段信息这个返回的slice和SQL查询的字段一一对应// 而不是返回整张表的所有字段。Columns() []string// 用来关闭Rows迭代器Close() error// 该函数用来返回下一条数据把数据赋值给dest .// dest里面元素必须是driver.Value的值string除外,返回的数据里面所有的 string 都必须转换成// []byte.如果最后没有数据了Next 函数返回 io.EOF。Next(dest []Value) error }可以看到在新版的源码中Exec和Query已经被单独拎出去定义了接口方法中只是为了增加ctx参数这也是golang为了保持向下兼容而做的试想如果直接在原有的接口定义的加入ctx升级golang版本的时候这块儿肯定得花很大功夫去改造。 6、driver.RowsAffected RowsAffected 不是别的东西实际上只是 int64 的别名但它实现了Result接口用于底层实现 Result 的表示方式构建Exec方法返回的结果集。 // RowsAffected implements Result for an INSERT or UPDATE operation // which mutates a number of rows. type RowsAffected int64var _ Result RowsAffected(0)func (RowsAffected) LastInsertId() (int64, error) {return 0, errors.New(LastInsertId is not supported by this driver) }func (v RowsAffected) RowsAffected() (int64, error) {return int64(v), nil }7、driver.Value Value 其实是一个空接口可以容纳任何的数据。 // diver 的 Value 是驱动必须能够操作的 Value,Value要么是nil,要么是下面任意一种: // // int64 // float64 // bool // []byte // string [*] 除了Rows.Next返回的不能是string // time.Time // type Value interface{}8、Value定义转换相关 在driver/types.go中还定义了ValueConverter将一个普通的值any转换成driver.Value的接口、Valuer接口用于获取driver.Value等就不逐个展开了。 // ValueConverter is the interface providing the ConvertValue method. // // Various implementations of ValueConverter are provided by the // driver package to provide consistent implementations of conversions // between drivers. The ValueConverters have several uses: // // - converting from the Value types as provided by the sql package // into a database tables specific column type and making sure it // fits, such as making sure a particular int64 fits in a // tables uint16 column. // // - converting a value as given from the database into one of the // driver Value types. // // - by the sql package, for converting from a drivers Value type // to a users type in a scan. type ValueConverter interface {// ConvertValue converts a value to a driver Value.ConvertValue(v any) (Value, error) }// Valuer is the interface providing the Value method. // // Types implementing Valuer interface are able to convert // themselves to a driver Value. type Valuer interface {// Value returns a driver Value.// Value must not panic.Value() (Value, error) }三、sql包 在sql包中包含着我们最熟悉的Open方法返回一个DB实例这个DB实例对应为数据库的具象化实例。内部维护着连接池相关的信息。 1、Open方法 Open方法返回一个db实例且这个DB实例是可以在多个gorountine中使用的当调用Open方法的时候会先从一个全局的驱动注册器drivers中获取对应的驱动如果没注册对应的驱动则会出错。如果这个驱动实现了DriverContext接口则会调用OpenConnector方法创建一个对应的连接器用于连接数据库。否则调用dsnConnector结构组装返回一个对应的db实例。 // Open opens a database specified by its database driver name and a // driver-specific data source name, usually consisting of at least a // database name and connection information. // // Most users will open a database via a driver-specific connection // helper function that returns a *DB. No database drivers are included // in the Go standard library. See https://golang.org/s/sqldrivers for // a list of third-party drivers. // // Open may just validate its arguments without creating a connection // to the database. To verify that the data source name is valid, call // Ping. // // The returned DB is safe for concurrent use by multiple goroutines // and maintains its own pool of idle connections. Thus, the Open // function should be called just once. It is rarely necessary to // close a DB. func Open(driverName, dataSourceName string) (*DB, error) {driversMu.RLock()driveri, ok : drivers[driverName]driversMu.RUnlock()if !ok {return nil, fmt.Errorf(sql: unknown driver %q (forgotten import?), driverName)}if driverCtx, ok : driveri.(driver.DriverContext); ok {connector, err : driverCtx.OpenConnector(dataSourceName)if err ! nil {return nil, err}return OpenDB(connector), nil}return OpenDB(dsnConnector{dsn: dataSourceName, driver: driveri}), nil }2、驱动注册sql.Register 在各种驱动的实现中一般都会在init方法中调用database/sql提供的注册方法注册对应的驱动。但同时只允许注册一种类型的驱动否则会panic。 全局驱动注册器 driversMu sync.RWMutex drivers make(map[string]driver.Driver) // 驱动注册 func Register(name string, driver driver.Driver) {driversMu.Lock()defer driversMu.Unlock()if driver nil {panic(sql: Register driver is nil)}if _, dup : drivers[name]; dup {panic(sql: Register called twice for driver name)}drivers[name] driver }3、dsn驱动连接器dsnConnector 该结构很简单的实现了两个方法一个是调用驱动的Open方法创建一个连接另一个则是返回当前的驱动实例。 sql.go dsn驱动连接器 type dsnConnector struct {dsn stringdriver driver.Driver }func (t dsnConnector) Connect(_ context.Context) (driver.Conn, error) {return t.driver.Open(t.dsn) }func (t dsnConnector) Driver() driver.Driver {return t.driver }3、OpenDB方法 从上面我们知道最终获得连接器后都会调用这个方法创建一个db实例返回。 // OpenDB opens a database using a Connector, allowing drivers to // bypass a string based data source name. // // Most users will open a database via a driver-specific connection // helper function that returns a *DB. No database drivers are included // in the Go standard library. See https://golang.org/s/sqldrivers for // a list of third-party drivers. // // OpenDB may just validate its arguments without creating a connection // to the database. To verify that the data source name is valid, call // Ping. // // The returned DB is safe for concurrent use by multiple goroutines // and maintains its own pool of idle connections. Thus, the OpenDB // function should be called just once. It is rarely necessary to // close a DB. func OpenDB(c driver.Connector) *DB {ctx, cancel : context.WithCancel(context.Background())db : DB{connector: c,openerCh: make(chan struct{}, connectionRequestQueueSize),lastPut: make(map[*driverConn]string),connRequests: make(map[uint64]chan connRequest),stop: cancel,}go db.connectionOpener(ctx)return db }同时我们还注意到OpenDB方法中除了正常的构建一个DB实例外还起了一个协程并且传入ctx作为入参这个协程主要作用就是在接收到通道 openerCh 有数据在真正执行query、exec时候发现连接不够用或者driver.ErrBadConn错误时候给这个通道发送消息的时候调用openNewConnection创建一个新的连接。传入ctx主要是为了便于控制协程的退出。因此从这里我们知道连接池中的连接并不是一开始就创建好了的而是在真正执行sql的时候才会创建因此不必担心调用多次Open方法创建多个DB实例会导致创建很多连接。 // Runs in a separate goroutine, opens new connections when requested. func (db *DB) connectionOpener(ctx context.Context) {for {select {case -ctx.Done():returncase -db.openerCh:db.openNewConnection(ctx)}} } ///openNewConnection// // Open one new connection func (db *DB) openNewConnection(ctx context.Context) {// maybeOpenNewConnections has already executed db.numOpen before it sent// on db.openerCh. This function must execute db.numOpen-- if the// connection fails or is closed before returning.ci, err : db.connector.Connect(ctx)db.mu.Lock()defer db.mu.Unlock()if db.closed {if err nil {ci.Close()}db.numOpen--return}if err ! nil {db.numOpen--db.putConnDBLocked(nil, err)db.maybeOpenNewConnections()return}dc : driverConn{db: db,createdAt: nowFunc(),returnedAt: nowFunc(),ci: ci,}if db.putConnDBLocked(dc, err) {db.addDepLocked(dc, dc)} else {db.numOpen--ci.Close()} } /maybeOpenNewConnections///// Assumes db.mu is locked. // If there are connRequests and the connection limit hasnt been reached, // then tell the connectionOpener to open new connections. func (db *DB) maybeOpenNewConnections() {numRequests : len(db.connRequests)if db.maxOpen 0 {numCanOpen : db.maxOpen - db.numOpenif numRequests numCanOpen {numRequests numCanOpen}}for numRequests 0 {db.numOpen // optimisticallynumRequests--if db.closed {return}db.openerCh - struct{}{}} } 4、数据库实例sql.DB 整个DB实例是sql包中非常核心的部分其中有几个主要的字段其他字段大部分都是和连接池参数相关的整体围绕着连接池进行设计方便复用连接 connector用于创建数据库连接的抽象连接器由第三方数据库提供具体实现。freeConn数据库连接池缓存可用的连接以供后续复用。connRequests唤醒通道集合和阻塞等待连接的协程是一对一的关系。openerCh创建连接信号通道. 用于向连接创建协程 opener goroutine 发送信号。stop连接创建协程 opener goroutine 的终止器用于停止该协程。 // DB is a database handle representing a pool of zero or more // underlying connections. Its safe for concurrent use by multiple // goroutines. // // The sql package creates and frees connections automatically; it // also maintains a free pool of idle connections. If the database has // a concept of per-connection state, such state can be reliably observed // within a transaction (Tx) or connection (Conn). Once DB.Begin is called, the // returned Tx is bound to a single connection. Once Commit or // Rollback is called on the transaction, that transactions // connection is returned to DBs idle connection pool. The pool size // can be controlled with SetMaxIdleConns. type DB struct {// Atomic access only. At top of struct to prevent mis-alignment// on 32-bit platforms. Of type time.Duration.waitDuration int64 // Total time waited for new connections.connector driver.Connector// numClosed is an atomic counter which represents a total number of// closed connections. Stmt.openStmt checks it before cleaning closed// connections in Stmt.css.numClosed uint64mu sync.Mutex // protects following fieldsfreeConn []*driverConn // free connections ordered by returnedAt oldest to newestconnRequests map[uint64]chan connRequestnextRequest uint64 // Next key to use in connRequests.numOpen int // number of opened and pending open connections// Used to signal the need for new connections// a goroutine running connectionOpener() reads on this chan and// maybeOpenNewConnections sends on the chan (one send per needed connection)// It is closed during db.Close(). The close tells the connectionOpener// goroutine to exit.openerCh chan struct{}closed booldep map[finalCloser]depSetlastPut map[*driverConn]string // stacktrace of last conns put; debug onlymaxIdleCount int // zero means defaultMaxIdleConns; negative means 0maxOpen int // 0 means unlimitedmaxLifetime time.Duration // maximum amount of time a connection may be reusedmaxIdleTime time.Duration // maximum amount of time a connection may be idle before being closedcleanerCh chan struct{}waitCount int64 // Total number of connections waited for.maxIdleClosed int64 // Total number of connections closed due to idle count.maxIdleTimeClosed int64 // Total number of connections closed due to idle time.maxLifetimeClosed int64 // Total number of connections closed due to max connection lifetime limit.stop func() // stop cancels the connection opener. }DB结构主要作用如下 DB实例中关乎我们sql执行的最重要的两个方法Exec和Query下面将介绍它们。 5、ExecContext ExecContext主要用于执行delete、update、insert等语句可以看到在该方法中会对连接进行重试如果连接过期了exec方法返回了driver.ErrBadConn错误那么将会重试。重试过程中携带的连接建立策略是cachedOrNewConn如果重试次数达到上限并且连接被标记为isBadConn 一般是mysql server主动断开连接使得连接失效那么将直接调用exec方法将连接的建立策略修改为alwaysNewConn。 // ExecContext executes a query without returning any rows. // The args are for any placeholder parameters in the query. func (db *DB) ExecContext(ctx context.Context, query string, args ...any) (Result, error) {var res Resultvar err errorvar isBadConn boolfor i : 0; i maxBadConnRetries; i {res, err db.exec(ctx, query, args, cachedOrNewConn)isBadConn errors.Is(err, driver.ErrBadConn)if !isBadConn {break}}if isBadConn {return db.exec(ctx, query, args, alwaysNewConn)}return res, err }连接建立策略 alwaysNewConn表示强制请求建立一个新的数据库连接。cachedOrNewConn表示从连接池中获取如果没有那么将会阻塞等待连接可用或者也可以请求创建一个新的连接。 // connReuseStrategy determines how (*DB).conn returns database connections. type connReuseStrategy uint8const (// alwaysNewConn forces a new connection to the database.alwaysNewConn connReuseStrategy iota// cachedOrNewConn returns a cached connection, if available, else waits// for one to become available (if MaxOpenConns has been reached) or// creates a new database connection.cachedOrNewConn )/ 核心exec方法 func (db *DB) exec(ctx context.Context, query string, args []any, strategy connReuseStrategy) (Result, error) {dc, err : db.conn(ctx, strategy)if err ! nil {return nil, err}return db.execDC(ctx, dc, dc.releaseConn, query, args) } 6、QueryContext Query方法也是类似这里不再赘述。 // QueryContext executes a query that returns rows, typically a SELECT. // The args are for any placeholder parameters in the query. func (db *DB) QueryContext(ctx context.Context, query string, args ...any) (*Rows, error) {var rows *Rowsvar err errorvar isBadConn boolfor i : 0; i maxBadConnRetries; i {rows, err db.query(ctx, query, args, cachedOrNewConn)isBadConn errors.Is(err, driver.ErrBadConn)if !isBadConn {break}}if isBadConn {return db.query(ctx, query, args, alwaysNewConn)}return rows, err }核心query func (db *DB) query(ctx context.Context, query string, args []any, strategy connReuseStrategy) (*Rows, error) {dc, err : db.conn(ctx, strategy)if err ! nil {return nil, err}return db.queryDC(ctx, nil, dc, dc.releaseConn, query, args) }在 queryDC 、execDC方法中主要都是依赖于具体的驱动实现来完成请求的执行主要完成下面几个动作 首先通过连接将 sql 预处理成 statement。向数据库发包执行请求并返回对应的结果。最后需要将连接放回连接池倘若连接池已满或者连接已过期则需要关闭连接。 // queryDC executes a query on the given connection. // The connection gets released by the releaseConn function. // The ctx context is from a query method and the txctx context is from an // optional transaction context. func (db *DB) queryDC(ctx, txctx context.Context, dc *driverConn, releaseConn func(error), query string, args []any) (*Rows, error) {queryerCtx, ok : dc.ci.(driver.QueryerContext)var queryer driver.Queryerif !ok {queryer, ok dc.ci.(driver.Queryer)}if ok {var nvdargs []driver.NamedValuevar rowsi driver.Rowsvar err errorwithLock(dc, func() {nvdargs, err driverArgsConnLocked(dc.ci, nil, args)if err ! nil {return}rowsi, err ctxDriverQuery(ctx, queryerCtx, queryer, query, nvdargs)})if err ! driver.ErrSkip {if err ! nil {releaseConn(err)return nil, err}// Note: ownership of dc passes to the *Rows, to be freed// with releaseConn.rows : Rows{dc: dc,releaseConn: releaseConn,rowsi: rowsi,}rows.initContextClose(ctx, txctx)return rows, nil}}var si driver.Stmtvar err errorwithLock(dc, func() {si, err ctxDriverPrepare(ctx, dc.ci, query)})if err ! nil {releaseConn(err)return nil, err}ds : driverStmt{Locker: dc, si: si}rowsi, err : rowsiFromStatement(ctx, dc.ci, ds, args...)if err ! nil {ds.Close()releaseConn(err)return nil, err}// Note: ownership of ci passes to the *Rows, to be freed// with releaseConn.rows : Rows{dc: dc,releaseConn: releaseConn,rowsi: rowsi,closeStmt: ds,}rows.initContextClose(ctx, txctx)return rows, nil }7、连接建立db.conn 从上面我们知道无论是query还是exec都会进行连接的建立并且还有策略的区别。下面我们将进行两种策略下连接建立的探索。 从上面我们知道连接的获取有两种策略一种是alwaysNewConn一种是cachedOrNewConn。 在cachedOrNewConn策略下a如果有空闲连接可用那么将从连接池中获取连接并调用expire方法检查连接是否有效如果失效就返回driver.ErrBadConn接下来会调用resetSession方法检查这个连接是否需要重置session信息如果需要则重置重制失败并且返回driver.ErrBadConn会关闭当前连接然后再进行重试。b如果没有连接可用且连接达到上限db.numOpen db.maxOpen则会将当前协程挂起建立对应的 channel 添加到 connRequests map 中等待有连接释放时被唤醒。在alwaysNewConn策略下a如果没有连接可用且连接达到上限db.numOpen db.maxOpen则会将当前协程挂起建立对应的 channel 添加到 connRequests map 中等待有连接释放时被唤醒。b如果连接数未达上限则会调用第三方驱动的 connector 完成新连接的创建。 // conn returns a newly-opened or cached *driverConn. func (db *DB) conn(ctx context.Context, strategy connReuseStrategy) (*driverConn, error) {db.mu.Lock()if db.closed {db.mu.Unlock()return nil, errDBClosed}// Check if the context is expired.select {default:case -ctx.Done():db.mu.Unlock()return nil, ctx.Err()}lifetime : db.maxLifetime// Prefer a free connection, if possible.last : len(db.freeConn) - 1if strategy cachedOrNewConn last 0 {// Reuse the lowest idle time connection so we can close// connections which remain idle as soon as possible.conn : db.freeConn[last]db.freeConn db.freeConn[:last]conn.inUse trueif conn.expired(lifetime) {db.maxLifetimeCloseddb.mu.Unlock()conn.Close()return nil, driver.ErrBadConn}db.mu.Unlock()// Reset the session if required.if err : conn.resetSession(ctx); errors.Is(err, driver.ErrBadConn) {conn.Close()return nil, err}return conn, nil}// Out of free connections or we were asked not to use one. If were not// allowed to open any more connections, make a request and wait.if db.maxOpen 0 db.numOpen db.maxOpen {// Make the connRequest channel. Its buffered so that the// connectionOpener doesnt block while waiting for the req to be read.req : make(chan connRequest, 1)reqKey : db.nextRequestKeyLocked()db.connRequests[reqKey] reqdb.waitCountdb.mu.Unlock()waitStart : nowFunc()// Timeout the connection request with the context.select {case -ctx.Done():// Remove the connection request and ensure no value has been sent// on it after removing.db.mu.Lock()delete(db.connRequests, reqKey)db.mu.Unlock()atomic.AddInt64(db.waitDuration, int64(time.Since(waitStart)))select {default:case ret, ok : -req:if ok ret.conn ! nil {db.putConn(ret.conn, ret.err, false)}}return nil, ctx.Err()case ret, ok : -req:atomic.AddInt64(db.waitDuration, int64(time.Since(waitStart)))if !ok {return nil, errDBClosed}// Only check if the connection is expired if the strategy is cachedOrNewConns.// If we require a new connection, just re-use the connection without looking// at the expiry time. If it is expired, it will be checked when it is placed// back into the connection pool.// This prioritizes giving a valid connection to a client over the exact connection// lifetime, which could expire exactly after this point anyway.if strategy cachedOrNewConn ret.err nil ret.conn.expired(lifetime) {db.mu.Lock()db.maxLifetimeCloseddb.mu.Unlock()ret.conn.Close()return nil, driver.ErrBadConn}if ret.conn nil {return nil, ret.err}// Reset the session if required.if err : ret.conn.resetSession(ctx); errors.Is(err, driver.ErrBadConn) {ret.conn.Close()return nil, err}return ret.conn, ret.err}}db.numOpen // optimisticallydb.mu.Unlock()ci, err : db.connector.Connect(ctx)if err ! nil {db.mu.Lock()db.numOpen-- // correct for earlier optimismdb.maybeOpenNewConnections()db.mu.Unlock()return nil, err}db.mu.Lock()dc : driverConn{db: db,createdAt: nowFunc(),returnedAt: nowFunc(),ci: ci,inUse: true,}db.addDepLocked(dc, dc)db.mu.Unlock()return dc, nil }8、连接重置resetSession resetSession方法是用于重置数据库会话的方法。当调用resetSession方法时会话将被重置为初始状态包括清除任何未提交的事务、关闭任何打开的连接以及清除任何会话级别的设置。这可以帮助确保会话处于干净的状态以便进行下一个操作或查询。 // resetSession checks if the driver connection needs the // session to be reset and if required, resets it. func (dc *driverConn) resetSession(ctx context.Context) error {dc.Lock()defer dc.Unlock()if !dc.needReset {return nil}if cr, ok : dc.ci.(driver.SessionResetter); ok {return cr.ResetSession(ctx)}return nil }9、连接池相关可配置参数 func (db *DB) SetConnMaxIdleTime(d time.Duration) // 空闲连接生存的最长时间 func (db *DB) SetConnMaxLifetime(d time.Duration) // 连接存活的最长时间也就是这个连接能够重复使用的最长时间。设置为0表示永久复用但可能真正执行的时候会收到BadConn的错误日志因为mysql server可能设置了wait_timeout、超时后将主动断开这个连接。 func (db *DB) SetMaxOpenConns(n int) // 最大连接数 func (db *DB) SetMaxIdleConns(n int) // 最大空闲连接数最大不能超过MaxOpenConns10、可监控指标 在sql包中还有一个结构叫DBStats其中的字段主要都是描述整体连接的一些使用情况并且可以通过Stats方法能够获取这些指标方便我们对这块儿进行一些监控等。 // DBStats contains database statistics. type DBStats struct {MaxOpenConnections int // Maximum number of open connections to the database.// Pool StatusOpenConnections int // The number of established connections both in use and idle.InUse int // The number of connections currently in use.Idle int // The number of idle connections.// CountersWaitCount int64 // The total number of connections waited for.WaitDuration time.Duration // The total time blocked waiting for a new connection.MaxIdleClosed int64 // The total number of connections closed due to SetMaxIdleConns.MaxIdleTimeClosed int64 // The total number of connections closed due to SetConnMaxIdleTime.MaxLifetimeClosed int64 // The total number of connections closed due to SetConnMaxLifetime. }// Stats returns database statistics. func (db *DB) Stats() DBStats {wait : atomic.LoadInt64(db.waitDuration)db.mu.Lock()defer db.mu.Unlock()stats : DBStats{MaxOpenConnections: db.maxOpen,Idle: len(db.freeConn),OpenConnections: db.numOpen,InUse: db.numOpen - len(db.freeConn),WaitCount: db.waitCount,WaitDuration: time.Duration(wait),MaxIdleClosed: db.maxIdleClosed,MaxIdleTimeClosed: db.maxIdleTimeClosed,MaxLifetimeClosed: db.maxLifetimeClosed,}return stats }最后我们借助参考中的第二篇文献中的两张图总结请求的执行流程、连接获取。 创建数据库实例 * 请求执行流程数据库连接的获取 连接的清理 二、结语 本章中我们基于go1.19阅读了golang中database/sql的源码了解了整个database/sql最大的特点就是定义接口不做具体实现从而让使用方去方便使用不同的驱动实现。同时提供了DB实例内置连接池方便管理连接的创建和销毁。 最后非常感谢知乎小徐大佬的图画的太赞了传送链接Golang sql 标准库源码解析 三、参考 1、Go database/sql连接池 - 源码学习 2、强烈推荐看这篇Golang sql 标准库源码解析
http://www.w-s-a.com/news/63311/

相关文章:

  • 湖北专业的网瘾学校哪家口碑好seo百度百科
  • 保定网站制作软件网页制作工具程
  • o2o网站建设教程计算机培训班培训费用
  • 赤峰网站制作php智能建站系统
  • 做高防鞋 哪个网站能上架net网站开发net网站开发
  • 做网站公司郑州推广计划步骤
  • 网站建设计无形资产外国做美食视频网站
  • 创立一个网站需要什么网推技巧
  • 网站的会员功能怎么做wordpress主题开拓右边栏
  • 做个一般的网站要多少钱nas 建网站
  • 网页设计作品源代码彼岸花坊网站seo测评
  • 用什么软件做动漫视频网站好环保网站设计价格
  • 合肥网站设计服投稿网站源码
  • 为什么很多网站用php做上海口碑最好的装修公司排名
  • 运城网站推广找人做小程序要多少钱
  • 做外链哪个网站好seo诊断网站
  • 网站建设与管理考查方案上海公司免费起名
  • 哪个网站做h5好做汽车网站
  • 汝州网站制作住房和城乡建设部官网进行查询
  • 怎么做整人点不完的网站获取网站访客qq号码源码
  • 自建网站软件网站如何减少404跳转
  • 我想学制作网站吗公司起名网站十大排名
  • 广州白云手机网站建设淘宝店铺怎么推广
  • 青海省住房与城乡建设厅网站珠海高端网站制作公司
  • 深圳个性化建网站公司简便网站建设
  • 网站安全狗十大免费ppt网站在线
  • 进网站后台显示空白图片模板 网站源码
  • dedecms 英文网站怎么在网站上做模式题库
  • 轻网站怎么建立国外做评论的网站
  • 拉米拉网站建设乐清网站网站建设