Semaphore/db/sql/SqlDb.go

344 lines
7.2 KiB
Go
Raw Normal View History

package sql
import (
"database/sql"
"fmt"
log "github.com/Sirupsen/logrus"
"github.com/ansible-semaphore/semaphore/db"
"github.com/ansible-semaphore/semaphore/util"
"github.com/go-gorp/gorp/v3"
_ "github.com/go-sql-driver/mysql" // imports mysql driver
"github.com/gobuffalo/packr"
2021-08-24 17:20:34 +02:00
_ "github.com/lib/pq"
"github.com/masterminds/squirrel"
"regexp"
2021-08-24 17:20:34 +02:00
"strconv"
"strings"
)
type SqlDb struct {
sql *gorp.DbMap
}
var initialSQL = `
create table ` + "`migrations`" + ` (
` + "`version`" + ` varchar(255) not null primary key,
` + "`upgraded_date`" + ` datetime null,
` + "`notes`" + ` text null
);
`
var dbAssets = packr.NewBox("./migrations")
2020-12-08 08:23:33 +01:00
func containsStr(arr []string, str string) bool {
for _, a := range arr {
if a == str {
return true
}
}
return false
}
func handleRollbackError(err error) {
if err != nil {
log.Warn(err.Error())
}
}
var (
2021-08-24 17:20:34 +02:00
identifierQuoteRE = regexp.MustCompile("`")
)
// validateMutationResult checks the success of the update query
func validateMutationResult(res sql.Result, err error) error {
if err != nil {
if strings.Contains(err.Error(), "foreign key") {
err = db.ErrInvalidOperation
}
return err
}
affected, err := res.RowsAffected()
2020-12-04 23:22:05 +01:00
if err != nil {
return err
}
if affected == 0 {
return db.ErrNotFound
}
return nil
}
2021-08-24 17:20:34 +02:00
func (d *SqlDb) prepareQueryWithDialect(query string, dialect gorp.Dialect) string {
switch dialect.(type) {
case gorp.PostgresDialect:
var queryBuilder strings.Builder
argNum := 1
2021-08-24 19:56:40 +02:00
for _, r := range query {
2021-08-24 17:20:34 +02:00
switch r {
case '?':
queryBuilder.WriteString("$" + strconv.Itoa(argNum))
argNum++
case '`':
queryBuilder.WriteRune('"')
default:
queryBuilder.WriteRune(r)
}
}
query = queryBuilder.String()
}
return query
}
func (d *SqlDb) prepareQuery(query string) string {
return d.prepareQueryWithDialect(query, d.sql.Dialect)
}
func (d *SqlDb) insert(primaryKeyColumnName string, query string, args ...interface{}) (int, error) {
var insertId int64
switch d.sql.Dialect.(type) {
case gorp.PostgresDialect:
query += " returning " + primaryKeyColumnName
err := d.sql.QueryRow(d.prepareQuery(query), args...).Scan(&insertId)
if err != nil {
return 0, err
}
default:
res, err := d.exec(query, args...)
if err != nil {
return 0, err
}
insertId, err = res.LastInsertId()
if err != nil {
return 0, err
}
}
return int(insertId), nil
}
2021-08-24 17:20:34 +02:00
func (d *SqlDb) exec(query string, args ...interface{}) (sql.Result, error) {
q := d.prepareQuery(query)
return d.sql.Exec(q, args...)
2021-08-24 17:20:34 +02:00
}
func (d *SqlDb) selectOne(holder interface{}, query string, args ...interface{}) error {
return d.sql.SelectOne(holder, d.prepareQuery(query), args...)
}
func (d *SqlDb) selectAll(i interface{}, query string, args ...interface{}) ([]interface{}, error) {
q := d.prepareQuery(query)
return d.sql.Select(i, q, args...)
}
func connect() (*sql.DB, error) {
cfg, err := util.Config.GetDBConfig()
if err != nil {
return nil, err
}
connectionString, err := cfg.GetConnectionString(true)
if err != nil {
return nil, err
}
2021-08-24 17:20:34 +02:00
dialect := cfg.Dialect.String()
return sql.Open(dialect, connectionString)
}
func createDb() error {
cfg, err := util.Config.GetDBConfig()
if err != nil {
return err
}
if !cfg.HasSupportMultipleDatabases() {
return nil
}
connectionString, err := cfg.GetConnectionString(false)
if err != nil {
return err
}
2021-09-05 11:44:41 +02:00
conn, err := sql.Open(cfg.Dialect.String(), connectionString)
if err != nil {
return err
}
2021-09-05 11:44:41 +02:00
_, err = conn.Exec("create database " + cfg.DbName)
if err != nil {
log.Warn(err.Error())
}
return nil
}
func (d *SqlDb) getObject(projectID int, props db.ObjectProperties, objectID int, object interface{}) (err error) {
q := squirrel.Select("*").
From(props.TableName).
Where("id=?", objectID)
if props.IsGlobal {
q = q.Where("project_id is null")
} else {
q = q.Where("project_id=?", projectID)
}
query, args, err := q.ToSql()
2020-12-07 13:13:59 +01:00
if err != nil {
return
}
2021-08-24 17:20:34 +02:00
err = d.selectOne(object, query, args...)
2020-12-07 13:13:59 +01:00
if err == sql.ErrNoRows {
err = db.ErrNotFound
2020-12-07 13:13:59 +01:00
}
return
}
func (d *SqlDb) getObjects(projectID int, props db.ObjectProperties, params db.RetrieveQueryParams, objects interface{}) (err error) {
2020-12-07 13:13:59 +01:00
q := squirrel.Select("*").
From(props.TableName+" pe").
2020-12-08 08:23:33 +01:00
Where("pe.project_id=?", projectID)
2020-12-07 13:13:59 +01:00
2020-12-08 08:23:33 +01:00
orderDirection := "ASC"
2020-12-07 13:13:59 +01:00
if params.SortInverted {
2020-12-08 08:23:33 +01:00
orderDirection = "DESC"
2020-12-07 13:13:59 +01:00
}
2021-10-27 18:22:52 +02:00
orderColumn := props.DefaultSortingColumn
if containsStr(props.SortableColumns, params.SortBy) {
2020-12-08 08:23:33 +01:00
orderColumn = params.SortBy
2020-12-07 13:13:59 +01:00
}
2021-10-27 18:22:52 +02:00
if orderColumn != "" {
q = q.OrderBy("pe." + orderColumn + " " + orderDirection)
}
2020-12-08 08:23:33 +01:00
2020-12-07 13:13:59 +01:00
query, args, err := q.ToSql()
if err != nil {
return
}
_, err = d.selectAll(objects, query, args...)
2020-12-07 13:13:59 +01:00
return
}
func (d *SqlDb) deleteObject(projectID int, props db.ObjectProperties, objectID int) error {
2020-12-07 13:13:59 +01:00
return validateMutationResult(
2021-08-24 17:20:34 +02:00
d.exec(
"delete from "+props.TableName+" where project_id=? and id=?",
2020-12-07 13:13:59 +01:00
projectID,
objectID))
}
func (d *SqlDb) deleteObjectSoft(projectID int, props db.ObjectProperties, objectID int) error {
2020-12-07 13:13:59 +01:00
return validateMutationResult(
2021-08-24 17:20:34 +02:00
d.exec(
"update "+props.TableName+" set removed=1 where project_id=? and id=?",
2020-12-07 13:13:59 +01:00
projectID,
objectID))
}
func (d *SqlDb) Close() error {
return d.sql.Db.Close()
}
func (d *SqlDb) Connect() error {
sqlDb, err := connect()
if err != nil {
return err
}
if err := sqlDb.Ping(); err != nil {
if err = createDb(); err != nil {
return err
}
sqlDb, err = connect()
if err != nil {
return err
}
if err = sqlDb.Ping(); err != nil {
return err
}
}
cfg, err := util.Config.GetDBConfig()
if err != nil {
return err
}
var dialect gorp.Dialect
switch cfg.Dialect {
case util.DbDriverMySQL:
dialect = gorp.MySQLDialect{Engine: "InnoDB", Encoding: "UTF8"}
2021-08-24 17:20:34 +02:00
case util.DbDriverPostgres:
dialect = gorp.PostgresDialect{}
}
d.sql = &gorp.DbMap{Db: sqlDb, Dialect: dialect}
d.sql.AddTableWithName(db.APIToken{}, "user__token").SetKeys(false, "id")
d.sql.AddTableWithName(db.AccessKey{}, "access_key").SetKeys(true, "id")
d.sql.AddTableWithName(db.Environment{}, "project__environment").SetKeys(true, "id")
d.sql.AddTableWithName(db.Inventory{}, "project__inventory").SetKeys(true, "id")
d.sql.AddTableWithName(db.Project{}, "project").SetKeys(true, "id")
d.sql.AddTableWithName(db.Repository{}, "project__repository").SetKeys(true, "id")
d.sql.AddTableWithName(db.Task{}, "task").SetKeys(true, "id")
d.sql.AddTableWithName(db.TaskOutput{}, "task__output").SetUniqueTogether("task_id", "time")
d.sql.AddTableWithName(db.Template{}, "project__template").SetKeys(true, "id")
d.sql.AddTableWithName(db.User{}, "user").SetKeys(true, "id")
d.sql.AddTableWithName(db.Session{}, "session").SetKeys(true, "id")
return nil
}
func getSqlForTable(tableName string, p db.RetrieveQueryParams) (string, []interface{}, error) {
if p.Offset > 0 && p.Count <= 0 {
2020-12-04 23:22:05 +01:00
return "", nil, fmt.Errorf("offset cannot be without limit")
}
q := squirrel.Select("*").
From("`" + tableName + "`")
if p.SortBy != "" {
sortDirection := "ASC"
if p.SortInverted {
sortDirection = "DESC"
}
q = q.OrderBy(p.SortBy + " " + sortDirection)
}
if p.Offset > 0 || p.Count > 0 {
2020-12-04 23:22:05 +01:00
q = q.Offset(uint64(p.Offset))
}
if p.Count > 0 {
q = q.Limit(uint64(p.Count))
}
return q.ToSql()
}
func (d *SqlDb) Sql() *gorp.DbMap {
return d.sql
}