sprechstunden-go/sqldb/sqldb.go

50 lines
1.3 KiB
Go
Raw Normal View History

2022-08-29 20:58:19 +00:00
package sqldb
import (
"database/sql"
"fmt"
"officeHours/config"
2022-08-29 20:58:19 +00:00
_ "github.com/go-sql-driver/mysql"
2022-08-29 20:58:19 +00:00
_ "github.com/mattn/go-sqlite3"
)
2022-11-04 20:15:38 +00:00
// Connect to a database using or throw an error
func Connect(config config.Config) (*sql.DB, error) {
switch config.SQL.Type {
case "SQLite":
return connectSQLite(config.SQL.SQLiteFile)
case "Mysql":
return connectMysql(config.SQL.MysqlUser,
config.SQL.MysqlPassword,
config.SQL.MysqlHost,
config.SQL.MysqlPort,
config.SQL.MysqlDatabase)
default:
return nil, fmt.Errorf("Type of database not recognised: %s", config.SQL.Type)
}
}
2022-11-04 20:15:38 +00:00
// Connect to a SQLite database and check the connection.
func connectSQLite(file string) (*sql.DB, error) {
db, err := sql.Open("sqlite3", file)
2022-08-29 20:58:19 +00:00
if err != nil {
return db, fmt.Errorf("Error opening SQLite database: %w", err)
2022-08-29 20:58:19 +00:00
}
return db, nil
2022-08-29 20:58:19 +00:00
}
2022-11-04 20:15:38 +00:00
// Connect to a Mysql database and check the connection.
func connectMysql(user string, password string, address string, port int, database string) (*sql.DB, error) {
db, err := sql.Open("mysql", fmt.Sprintf("%s:%s@tcp(%s:%d)/%s", user, password, address, port, database))
if err != nil {
return db, fmt.Errorf("Error connecting to Mysql database: %w", err)
}
err = db.Ping()
if err != nil {
return db, fmt.Errorf("Error pinging Mysql database: %w", err)
}
return db, nil
}