118 lines
2.4 KiB
Go
118 lines
2.4 KiB
Go
package dbdrivers
|
|
|
|
import "fmt"
|
|
|
|
// Interface for a database driver. Functionality required to support a specific
|
|
// database type (eg, MySQL, Postgres etc.)
|
|
type Interface interface {
|
|
TableNames() ([]string, error)
|
|
Columns(tableName string) ([]Column, error)
|
|
PrimaryKeyInfo(tableName string) (*PrimaryKey, error)
|
|
ForeignKeyInfo(tableName string) ([]ForeignKey, error)
|
|
|
|
// TranslateColumnType takes a Database column type and returns a go column type.
|
|
TranslateColumnType(Column) Column
|
|
|
|
// Open the database connection
|
|
Open() error
|
|
|
|
// Close the database connection
|
|
Close()
|
|
}
|
|
|
|
// Table metadata from the database schema.
|
|
type Table struct {
|
|
Name string
|
|
Columns []Column
|
|
|
|
PKey *PrimaryKey
|
|
FKeys []ForeignKey
|
|
|
|
IsJoinTable bool
|
|
}
|
|
|
|
// Column holds information about a database column.
|
|
// Types are Go types, converted by TranslateColumnType.
|
|
type Column struct {
|
|
Name string
|
|
Type string
|
|
IsNullable bool
|
|
}
|
|
|
|
// PrimaryKey represents a primary key constraint in a database
|
|
type PrimaryKey struct {
|
|
Name string
|
|
Columns []string
|
|
}
|
|
|
|
// ForeignKey represents a foreign key constraint in a database
|
|
type ForeignKey struct {
|
|
Name string
|
|
Column string
|
|
|
|
ForeignTable string
|
|
ForeignColumn string
|
|
}
|
|
|
|
// Tables returns the table metadata for the given tables, or all tables if
|
|
// no tables are provided.
|
|
func Tables(db Interface, names ...string) ([]Table, error) {
|
|
var err error
|
|
if len(names) == 0 {
|
|
if names, err = db.TableNames(); err != nil {
|
|
fmt.Println("Unable to get table names.")
|
|
return nil, err
|
|
}
|
|
}
|
|
|
|
var tables []Table
|
|
for _, name := range names {
|
|
t := Table{Name: name}
|
|
|
|
if t.Columns, err = db.Columns(name); err != nil {
|
|
return nil, err
|
|
fmt.Println("Unable to get columnss.")
|
|
}
|
|
|
|
for i, c := range t.Columns {
|
|
t.Columns[i] = db.TranslateColumnType(c)
|
|
}
|
|
|
|
if t.PKey, err = db.PrimaryKeyInfo(name); err != nil {
|
|
fmt.Println("Unable to get primary key info.")
|
|
return nil, err
|
|
}
|
|
|
|
if t.FKeys, err = db.ForeignKeyInfo(name); err != nil {
|
|
fmt.Println("Unable to get foreign key info.")
|
|
return nil, err
|
|
}
|
|
|
|
setIsJoinTable(&t)
|
|
|
|
tables = append(tables, t)
|
|
}
|
|
|
|
return tables, nil
|
|
}
|
|
|
|
func setIsJoinTable(t *Table) {
|
|
if t.PKey == nil {
|
|
return
|
|
}
|
|
|
|
for _, c := range t.PKey.Columns {
|
|
found := false
|
|
for _, f := range t.FKeys {
|
|
if c == f.Column {
|
|
found = true
|
|
break
|
|
}
|
|
}
|
|
if !found {
|
|
return
|
|
}
|
|
}
|
|
|
|
t.IsJoinTable = true
|
|
}
|