-
Notifications
You must be signed in to change notification settings - Fork 923
/
Copy pathinit.sql
99 lines (84 loc) · 2.54 KB
/
init.sql
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
create unlogged table cliente (
id integer primary key not null,
saldo integer not null,
limite integer not null);
create unlogged table transacao (
id serial primary key not null,
cliente_id integer not null,
tipo char(1) not null,
valor integer not null,
realizada_em timestamptz not null,
descricao varchar(10) not null);
create index ix_transacao_cliente_data on transacao(cliente_id, realizada_em desc);
insert into cliente(id, limite, saldo) values
(1, 100000, 0),
(2, 80000, 0),
(3, 1000000, 0),
(4, 10000000, 0),
(5, 500000, 0);
create type inserir_transacao_result as (
result_code int,
result_message varchar(100),
saldo integer,
limite integer);
/*
* 0: OK
* 1: Cliente inválido.
* 2: Saldo e limite insuficiente para executar a operação.
*/
-- data type
create or replace function inserir_transacao_credito(
cliente_id int,
valor int,
descricao varchar(10))
returns inserir_transacao_result as $func$
declare
cli cliente%rowtype;
result inserir_transacao_result;
begin
/* Se for crédito, não valida estouro de limite*/
update cliente
set saldo = saldo + valor
where id = cliente_id
returning *
into cli;
if not found then
select 1, 'Cliente inválido.', null, null into result;
return result;
end if;
insert into transacao(cliente_id, tipo, valor, realizada_em, descricao)
values (cliente_id, 'c', valor, now(), descricao);
select 0, null, cli.saldo, cli.limite into result;
return result;
end;
$func$ language plpgsql;
create or replace function inserir_transacao_debito(
cliente_id int,
valor int,
descricao varchar(10))
returns inserir_transacao_result as $func$
declare
cli cliente%rowtype;
result inserir_transacao_result;
begin
/* Se for débito, valida estouro de limite*/
update cliente
set saldo = saldo - valor
where id = cliente_id
and saldo - valor + limite >= 0
returning *
into cli;
if not found then
if not exists(select 1 from cliente where id = cliente_id) then
select 1, 'Cliente inválido.', null, null into result;
return result;
end if;
select 2, 'Saldo e limite insuficiente para executar a operação.', null, null into result;
return result;
end if;
insert into transacao(cliente_id, tipo, valor, realizada_em, descricao)
values (cliente_id, 'd', valor, now(), descricao);
select 0, null, cli.saldo, cli.limite into result;
return result;
end;
$func$ language plpgsql;