This repository was archived by the owner on Dec 29, 2018. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathdatabase.go
78 lines (63 loc) · 2.03 KB
/
database.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
package database
import (
"database/sql"
"fmt"
"log"
// Imports and registers the MySQL driver.
_ "github.com/go-sql-driver/mysql"
)
// Database represents a reusable connection to a remote MySQL database.
type Database struct {
sess *sql.DB
debug bool
}
// Open starts a new connection to a remote MySQL database using the provided credentials
func Open(credentials Credentials, options ...Option) (*Database, error) {
db := new(Database)
for _, option := range options {
option(db)
}
if db.debug {
log.Println("database [Open]:", credentials)
}
var err error
db.sess, err = sql.Open("mysql", credentials.String())
if err != nil {
return nil, fmt.Errorf("database: cannot connect to mysql: %s", err)
}
db.sess.SetMaxOpenConns(3)
db.sess.SetMaxIdleConns(0)
if err := db.sess.Ping(); err != nil {
return nil, fmt.Errorf("database: cannot ping mysql: %s", err)
}
return db, nil
}
// Collection prepares a new collection using the table name of the model. It won't
// make any query, it only prepares the structs.
func (db *Database) Collection(model Model) *Collection {
return newCollection(db, model)
}
// Close the connection. You should not use a database after closing it, nor any
// of its generated collections.
func (db *Database) Close() {
db.sess.Close()
}
// Exec runs a raw SQL query in the database and returns nothing. It is
// recommended to use Collections instead.
func (db *Database) Exec(query string, params ...interface{}) error {
_, err := db.sess.Exec(query, params...)
return err
}
// QueryRow runs a raw SQL query in the database and returns the raw row from
// MySQL. It is recommended to use Collections instead.
func (db *Database) QueryRow(query string, params ...interface{}) *sql.Row {
return db.sess.QueryRow(query, params...)
}
// Option can be passed when opening a new connection to a database.
type Option func(db *Database)
// WithDebug is a database option that enables debug logging in the library.
func WithDebug(debug bool) Option {
return func(db *Database) {
db.debug = debug
}
}