Migration vers 7.3 et supérieures¶
Schéma¶
Les versions précédentes de PostgreSQL n’ont pas de notion de « schéma ». Si vous devez exploiter un dump réalisé avec pg_dump
dans sa version 7.2
avec une version de pg_restore
supérieure, cette dernière tentera de positionner un search_path
qui sera alors faux :
search_path = pg_catalog;
au lieu de search_path = public,pg_catalog;
. Ce comportement provoque bien entendu des erreurs lors du chargement de la sauvegarde dans la version majeure supérieure.
Il est donc nécessaire de filtrer le dump SQL obtenu et modifier ce comportement. Par exemple :
$ pg_restore --data-only --single-transaction database.dump | sed -r "{
s/search_path = pg_catalog;$/search_path = public,pg_catalog;/;
}" \
| psql ...
Calcul sur les dates¶
Avant la version 7.3, il était possible de calculer une date à partir d’un timestamp
:
```sql => SELECT version(); version
PostgreSQL 7.2.8 on x86_64-unknown-linux-gnu, compiled by GCC gcc (Debian 4.4.5-8) 4.4.5 (1 row)
=> SELECT current_timestamp-1, current_timestamp;
?column? | timestamptz
------------+-------------------------------
2011-09-21 | 2011-09-22 12:26:59.269791+02
(1 row)
```
Cette opération n’ayant pas beaucoup de sens logique (sur quoi devons-nous faire l’opération ?), ce type de calcul a été supprimé en 7.3 :
=> SELECT version();
version
-------------------------------------------------------------------------------------------
PostgreSQL 7.3.21 on x86_64-unknown-linux-gnu, compiled by GCC gcc (Debian 4.4.5-8) 4.4.5
(1 row)
=> SELECT now()-1;
ERROR: Unable to identify an operator '-' for types 'timestamp with time zone' and 'integer'
You will have to retype this query using an explicit cast
Voici les solutions possibles :
=> SELECT now()::date-1;
?column?
------------
2011-09-21
(1 row)
=> SELECT current_date-1;
?column?
------------
2011-09-21
(1 row)
=> create function pg_catalog.timestamp_add(timestamp with time zone, integer) RETURNS date STRICT IMMUTABLE LANGUAGE SQL AS 'SELECT $1::date + $2;';
CREATE FUNCTION
=> create function pg_catalog.timestamp_minus(timestamp with time zone, integer) RETURNS date STRICT IMMUTABLE LANGUAGE SQL AS 'SELECT $1::date - $2;';
CREATE FUNCTION
=> CREATE OPERATOR pg_catalog.+ ( PROCEDURE = pg_catalog.timestamp_add, LEFTARG=timestamp with time zone,RIGHTARG=integer);
CREATE OPERATOR
=> CREATE OPERATOR pg_catalog.- ( PROCEDURE = pg_catalog.timestamp_minus, LEFTARG=timestamp with time zone,RIGHTARG=integer);
CREATE OPERATOR
=> SELECT now()-1, now()+10, now();
?column? | ?column? | now
------------+------------+-------------------------------
2011-09-21 | 2011-10-02 | 2011-09-22 12:31:51.567906+02
(1 row)