mirror of
https://github.com/vlang/v.git
synced 2023-08-10 21:13:21 +03:00
2.7 KiB
2.7 KiB
ORM
Attributes
Structs
[table: 'name']
sets a custom table name
Fields
[primary]
sets the field as the primary key[unique]
sets the field as unique[unique: 'foo']
adds the field to a unique group[nonull]
set the field as not null[skip]
or[sql: '-']
field will be skipped[sql: type]
wheretype
is a V type such asint
orf64
, or special typeserial
[sql: 'name']
sets a custom column name for the field[sql_type: 'SQL TYPE']
sets the sql type which is used in sql[default: 'sql defaults']
sets the default value or function when create a new table[fkey: 'parent_id']
sets foreign key for an field which holds an array
Usage
import time
struct Foo {
id int [primary; sql: serial]
name string [nonull]
created_at time.Time [sql_type: 'DATETIME']
updated_at string [sql_type: 'DATETIME']
deleted_at time.Time
children []Child [fkey: 'parent_id']
}
struct Child {
id int [primary; sql: serial]
parent_id int
name string
}
Create
sql db {
create table Foo
}!
Drop
sql db {
drop table Foo
}!
Insert
foo := Foo{
name: 'abc'
created_at: time.now()
updated_at: time.now()
deleted_at: time.now()
children: [
Child{
name: 'abc'
},
Child{
name: 'def'
},
]
}
sql db {
insert foo into Foo
}!
Update
sql db {
update Foo set name = 'cde', updated_at = time.now() where name == 'abc'
}!
Delete
sql db {
delete from Foo where id > 10
}!
Select
result := sql db {
select from Foo where id == 1
}!
result := sql db {
select from Foo where id > 1 && name != 'lasanha' limit 5
}!
result := sql db {
select from Foo where id > 1 order by id
}!
Example
import db.pg
struct Member {
id string [default: 'gen_random_uuid()'; primary; sql_type: 'uuid']
name string
created_at string [default: 'CURRENT_TIMESTAMP'; sql_type: 'TIMESTAMP']
}
fn main() {
db := pg.connect(pg.Config{
host: 'localhost'
port: 5432
user: 'user'
password: 'password'
dbname: 'dbname'
})!
defer {
db.close()
}
sql db {
create table Member
}!
new_member := Member{
name: 'John Doe'
}
sql db {
insert new_member into Member
}!
selected_members := sql db {
select from Member where name == 'John Doe' limit 1
}!
john_doe := selected_members.first()
sql db {
update Member set name = 'Hitalo' where id == john_doe.id
}!
}