2019-08-20 16:32:39 +02:00
|
|
|
module main
|
|
|
|
|
2020-03-26 09:23:54 +01:00
|
|
|
import pg
|
2019-08-20 16:32:39 +02:00
|
|
|
|
|
|
|
struct Customer {
|
|
|
|
id int
|
|
|
|
name string
|
|
|
|
nr_orders int
|
|
|
|
country string
|
|
|
|
}
|
|
|
|
|
|
|
|
fn main() {
|
2019-12-05 20:31:56 +01:00
|
|
|
db := pg.connect(pg.Config{
|
|
|
|
host: 'localhost' //'127.0.0.1'
|
|
|
|
user: 'postgres'
|
|
|
|
dbname: 'customerdb'
|
|
|
|
}) or {
|
|
|
|
println('failed to connect')
|
|
|
|
println(err)
|
|
|
|
return
|
|
|
|
}
|
|
|
|
|
2019-08-20 16:32:39 +02:00
|
|
|
nr_customers := db.select count from Customer
|
|
|
|
println('Total customers: $nr_customers')
|
2019-12-05 20:31:56 +01:00
|
|
|
|
2019-08-20 16:32:39 +02:00
|
|
|
// V syntax can be used to build queries
|
2019-12-05 20:31:56 +01:00
|
|
|
println('----------------------------------------------------------------')
|
2019-12-09 22:06:24 +01:00
|
|
|
bg_country := 'Bulgaria'
|
|
|
|
bg_customers := db.select from Customer where country == bg_country && id != 2
|
2019-08-20 16:32:39 +02:00
|
|
|
for customer in bg_customers {
|
|
|
|
println('$customer.country | $customer.id - $customer.name')
|
|
|
|
}
|
2019-12-05 20:31:56 +01:00
|
|
|
|
|
|
|
println('----------------------------------------------------------------')
|
2019-08-22 21:33:57 +02:00
|
|
|
ru_customers := db.select from Customer where country == 'Russia'
|
2019-08-20 16:32:39 +02:00
|
|
|
for customer in ru_customers {
|
|
|
|
println('$customer.country | $customer.id - $customer.name')
|
|
|
|
}
|
2019-12-05 20:31:56 +01:00
|
|
|
|
2019-08-20 16:32:39 +02:00
|
|
|
// by adding `limit 1` we tell V that there will be only one object
|
2019-12-05 20:31:56 +01:00
|
|
|
println('----------------------------------------------------------------')
|
|
|
|
existing := db.select from Customer where id == 1 limit 1 or { panic(err) }
|
2019-08-20 16:32:39 +02:00
|
|
|
println('Existing customer name: $existing.name')
|
|
|
|
println('Existing customer full information:')
|
|
|
|
println(existing)
|
2019-12-05 20:31:56 +01:00
|
|
|
|
2019-08-20 16:32:39 +02:00
|
|
|
println('------------------------------------------------------------------------')
|
2019-12-05 20:31:56 +01:00
|
|
|
q := Customer{}
|
|
|
|
// It's easy to handle queries that don't return any data
|
|
|
|
if anon := db.select from Customer where id == 12345 && name == q.name &&
|
|
|
|
nr_orders > q.nr_orders limit 1 {
|
2019-08-20 16:32:39 +02:00
|
|
|
println('Non existing customer name: $anon.name')
|
|
|
|
}
|
2019-12-05 20:31:56 +01:00
|
|
|
// Insert a new customer
|
2019-08-20 16:32:39 +02:00
|
|
|
nc := Customer{
|
|
|
|
name: 'John Doe'
|
|
|
|
nr_orders: 10
|
|
|
|
}
|
|
|
|
db.insert(nc)
|
|
|
|
}
|
2020-03-26 09:23:54 +01:00
|
|
|
|
|
|
|
|