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 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595 1596 1597 1598 1599 1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629 1630 1631 1632 1633 1634 1635 1636 1637 1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698 1699 1700 1701 1702 1703 1704 1705 1706 1707 1708 1709 1710 1711 1712 1713 1714 1715 1716 1717 1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729 1730 1731 1732 1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743 1744 1745 1746 1747 1748 1749 1750 1751 1752 1753 1754 1755 1756 1757 1758 1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769 1770 1771 1772 1773 1774 1775 1776 1777 1778 1779 1780 1781 1782 1783 1784 1785 1786 1787 1788 1789 1790 1791 1792 1793 1794 1795 1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807 1808 1809 1810 1811 1812 1813 1814 1815 1816 1817 1818 1819 1820 1821 1822 1823 1824 1825 1826 1827 1828 1829 1830 1831 1832 1833 1834 1835 1836 1837 1838 1839 1840 1841 1842 1843 1844 1845 1846 1847 1848 1849 1850 1851 1852 1853 1854 1855 1856 1857 1858 1859 1860 1861 1862 1863 1864 1865 1866 1867 1868 1869 1870 1871 1872 1873 1874 1875 1876 1877 1878 1879 1880 1881 1882 1883 1884 1885 1886 1887 1888 1889 1890 1891 1892 1893 1894 1895 1896 1897 1898 1899 1900 1901 1902 1903 1904 1905 1906 1907 1908 1909 1910 1911 1912 1913 1914 1915 1916 1917 1918 1919 1920 1921 1922 1923 1924 1925 1926 1927 1928 1929 1930 1931 1932 1933 1934 1935 1936 1937 1938 1939 1940 1941 1942 1943 1944 1945 1946 1947 1948 1949 1950 1951 1952 1953 1954 1955 1956 1957 1958 1959 1960 1961 1962 1963 1964 1965 1966 1967 1968 1969 1970 1971 1972 1973 1974 1975 1976 1977 1978 1979 1980 1981 1982 1983 1984 1985 1986 1987 1988 1989 1990 1991 1992 1993 1994 1995 1996 1997 1998 1999 2000 2001 2002 2003 2004 2005 2006 2007 2008 2009 2010 2011 2012 2013 2014 2015 2016 2017 2018 2019 2020 2021 2022 2023 2024 2025 2026 2027 2028 2029 2030 2031 2032 2033 2034 2035 2036 2037 2038 2039 2040 2041 2042 2043 2044 2045 2046 2047 2048 2049 2050 2051 2052 2053 2054 2055 2056 2057 2058 2059 2060 2061 2062 2063 2064 2065 2066 2067 2068
|
{-# LANGUAGE CPP #-}
{-# LANGUAGE DeriveDataTypeable #-}
{-# LANGUAGE FlexibleContexts #-}
{-# LANGUAGE FlexibleInstances #-}
{-# LANGUAGE GADTs #-}
{-# LANGUAGE GeneralizedNewtypeDeriving #-}
{-# LANGUAGE LambdaCase #-}
{-# LANGUAGE MultiParamTypeClasses #-}
{-# LANGUAGE NamedFieldPuns #-}
{-# LANGUAGE OverloadedStrings #-}
{-# LANGUAGE RecordWildCards #-}
{-# LANGUAGE ScopedTypeVariables #-}
{-# LANGUAGE StandaloneDeriving #-}
{-# LANGUAGE TupleSections #-}
{-# LANGUAGE TypeFamilies #-}
{-# LANGUAGE TypeOperators #-}
{-# LANGUAGE ViewPatterns #-}
#if MIN_VERSION_base(4,12,0)
{-# LANGUAGE DerivingVia #-}
{-# LANGUAGE QuasiQuotes #-}
{-# LANGUAGE TemplateHaskell #-}
{-# LANGUAGE UndecidableInstances #-}
#endif
-- | A postgresql backend for persistent.
module Database.Persist.Postgresql
( withPostgresqlPool
, withPostgresqlPoolWithVersion
, withPostgresqlPoolWithConf
, withPostgresqlPoolModified
, withPostgresqlPoolModifiedWithVersion
, withPostgresqlConn
, withPostgresqlConnWithVersion
, createPostgresqlPool
, createPostgresqlPoolModified
, createPostgresqlPoolModifiedWithVersion
, createPostgresqlPoolTailored
, createPostgresqlPoolWithConf
, module Database.Persist.Sql
, ConnectionString
, HandleUpdateCollision
, copyField
, copyUnlessNull
, copyUnlessEmpty
, copyUnlessEq
, excludeNotEqualToOriginal
, PostgresConf (..)
, PgInterval (..)
, upsertWhere
, upsertManyWhere
, openSimpleConn
, openSimpleConnWithVersion
, getServerVersion
, getSimpleConn
, tableName
, fieldName
, mockMigration
, migrateEnableExtension
, PostgresConfHooks(..)
, defaultPostgresConfHooks
, RawPostgresql(..)
, createRawPostgresqlPool
, createRawPostgresqlPoolModified
, createRawPostgresqlPoolModifiedWithVersion
, createRawPostgresqlPoolWithConf
, createBackend
) where
import qualified Database.PostgreSQL.LibPQ as LibPQ
import qualified Database.PostgreSQL.Simple as PG
import qualified Database.PostgreSQL.Simple.FromField as PGFF
import qualified Database.PostgreSQL.Simple.Internal as PG
import Database.PostgreSQL.Simple.Ok (Ok(..))
import qualified Database.PostgreSQL.Simple.Transaction as PG
import qualified Database.PostgreSQL.Simple.Types as PG
import Control.Arrow
import Control.Exception (Exception, throw, throwIO)
import Control.Monad
import Control.Monad.Except
import Control.Monad.IO.Unlift (MonadIO(..), MonadUnliftIO)
import Control.Monad.Logger (MonadLoggerIO, runNoLoggingT)
import Control.Monad.Trans.Class (lift)
import Control.Monad.Trans.Reader (ReaderT(..), asks, runReaderT)
#if !MIN_VERSION_base(4,12,0)
import Control.Monad.Trans.Reader (withReaderT)
#endif
import Control.Monad.Trans.Writer (WriterT(..), runWriterT)
import qualified Data.List.NonEmpty as NEL
import Data.Proxy (Proxy(..))
import Data.Acquire (Acquire, mkAcquire, with)
import Data.Aeson
import Data.Aeson.Types (modifyFailure)
import qualified Data.Attoparsec.Text as AT
import Data.ByteString (ByteString)
import qualified Data.ByteString.Char8 as B8
import Data.Conduit
import qualified Data.Conduit.List as CL
import Data.Data (Data)
import Data.Either (partitionEithers)
import Data.Function (on)
import Data.Int (Int64)
import Data.IORef
import Data.List as List (find, foldl', groupBy, sort)
import qualified Data.List as List
import Data.List.NonEmpty (NonEmpty)
import qualified Data.Map as Map
import Data.Maybe
import Data.Monoid ((<>))
import qualified Data.Monoid as Monoid
import Data.Pool (Pool)
import Data.Text (Text)
import qualified Data.Text as T
import qualified Data.Text.Encoding as T
import qualified Data.Text.IO as T
import Data.Text.Read (rational)
import System.Environment (getEnvironment)
#if MIN_VERSION_base(4,12,0)
import Database.Persist.Compatible
#endif
import qualified Data.Vault.Strict as Vault
import Database.Persist.Postgresql.Internal
import Database.Persist.Sql
import qualified Database.Persist.Sql.Util as Util
import Database.Persist.SqlBackend
import Database.Persist.SqlBackend.StatementCache
(StatementCache, mkSimpleStatementCache, mkStatementCache)
import System.IO.Unsafe (unsafePerformIO)
-- | A @libpq@ connection string. A simple example of connection
-- string would be @\"host=localhost port=5432 user=test
-- dbname=test password=test\"@. Please read libpq's
-- documentation at
-- <https://www.postgresql.org/docs/current/static/libpq-connect.html>
-- for more details on how to create such strings.
type ConnectionString = ByteString
-- | PostgresServerVersionError exception. This is thrown when persistent
-- is unable to find the version of the postgreSQL server.
data PostgresServerVersionError = PostgresServerVersionError String
instance Show PostgresServerVersionError where
show (PostgresServerVersionError uniqueMsg) =
"Unexpected PostgreSQL server version, got " <> uniqueMsg
instance Exception PostgresServerVersionError
-- | Create a PostgreSQL connection pool and run the given action. The pool is
-- properly released after the action finishes using it. Note that you should
-- not use the given 'ConnectionPool' outside the action since it may already
-- have been released.
-- The provided action should use 'runSqlConn' and *not* 'runReaderT' because
-- the former brackets the database action with transaction begin/commit.
withPostgresqlPool :: (MonadLoggerIO m, MonadUnliftIO m)
=> ConnectionString
-- ^ Connection string to the database.
-> Int
-- ^ Number of connections to be kept open in
-- the pool.
-> (Pool SqlBackend -> m a)
-- ^ Action to be executed that uses the
-- connection pool.
-> m a
withPostgresqlPool ci = withPostgresqlPoolWithVersion getServerVersion ci
-- | Same as 'withPostgresPool', but takes a callback for obtaining
-- the server version (to work around an Amazon Redshift bug).
--
-- @since 2.6.2
withPostgresqlPoolWithVersion :: (MonadUnliftIO m, MonadLoggerIO m)
=> (PG.Connection -> IO (Maybe Double))
-- ^ Action to perform to get the server version.
-> ConnectionString
-- ^ Connection string to the database.
-> Int
-- ^ Number of connections to be kept open in
-- the pool.
-> (Pool SqlBackend -> m a)
-- ^ Action to be executed that uses the
-- connection pool.
-> m a
withPostgresqlPoolWithVersion getVerDouble ci = do
let getVer = oldGetVersionToNew getVerDouble
withSqlPool $ open' (const $ return ()) getVer id ci
-- | Same as 'withPostgresqlPool', but can be configured with 'PostgresConf' and 'PostgresConfHooks'.
--
-- @since 2.11.0.0
withPostgresqlPoolWithConf :: (MonadUnliftIO m, MonadLoggerIO m)
=> PostgresConf -- ^ Configuration for connecting to Postgres
-> PostgresConfHooks -- ^ Record of callback functions
-> (Pool SqlBackend -> m a)
-- ^ Action to be executed that uses the
-- connection pool.
-> m a
withPostgresqlPoolWithConf conf hooks = do
let getVer = pgConfHooksGetServerVersion hooks
modConn = pgConfHooksAfterCreate hooks
let logFuncToBackend = open' modConn getVer id (pgConnStr conf)
withSqlPoolWithConfig logFuncToBackend (postgresConfToConnectionPoolConfig conf)
-- | Same as 'withPostgresqlPool', but with the 'createPostgresqlPoolModified'
-- feature.
--
-- @since 2.13.5.0
withPostgresqlPoolModified
:: (MonadUnliftIO m, MonadLoggerIO m)
=> (PG.Connection -> IO ()) -- ^ Action to perform after connection is created.
-> ConnectionString -- ^ Connection string to the database.
-> Int -- ^ Number of connections to be kept open in the pool.
-> (Pool SqlBackend -> m t)
-> m t
withPostgresqlPoolModified = withPostgresqlPoolModifiedWithVersion getServerVersion
-- | Same as 'withPostgresqlPool', but with the
-- 'createPostgresqlPoolModifiedWithVersion' feature.
--
-- @since 2.13.5.0
withPostgresqlPoolModifiedWithVersion
:: (MonadUnliftIO m, MonadLoggerIO m)
=> (PG.Connection -> IO (Maybe Double)) -- ^ Action to perform to get the server version.
-> (PG.Connection -> IO ()) -- ^ Action to perform after connection is created.
-> ConnectionString -- ^ Connection string to the database.
-> Int -- ^ Number of connections to be kept open in the pool.
-> (Pool SqlBackend -> m t)
-> m t
withPostgresqlPoolModifiedWithVersion getVerDouble modConn ci = do
withSqlPool (open' modConn (oldGetVersionToNew getVerDouble) id ci)
-- | Create a PostgreSQL connection pool. Note that it's your
-- responsibility to properly close the connection pool when
-- unneeded. Use 'withPostgresqlPool' for an automatic resource
-- control.
createPostgresqlPool :: (MonadUnliftIO m, MonadLoggerIO m)
=> ConnectionString
-- ^ Connection string to the database.
-> Int
-- ^ Number of connections to be kept open
-- in the pool.
-> m (Pool SqlBackend)
createPostgresqlPool = createPostgresqlPoolModified (const $ return ())
-- | Same as 'createPostgresqlPool', but additionally takes a callback function
-- for some connection-specific tweaking to be performed after connection
-- creation. This could be used, for example, to change the schema. For more
-- information, see:
--
-- <https://groups.google.com/d/msg/yesodweb/qUXrEN_swEo/O0pFwqwQIdcJ>
--
-- @since 2.1.3
createPostgresqlPoolModified
:: (MonadUnliftIO m, MonadLoggerIO m)
=> (PG.Connection -> IO ()) -- ^ Action to perform after connection is created.
-> ConnectionString -- ^ Connection string to the database.
-> Int -- ^ Number of connections to be kept open in the pool.
-> m (Pool SqlBackend)
createPostgresqlPoolModified = createPostgresqlPoolModifiedWithVersion getServerVersion
-- | Same as other similarly-named functions in this module, but takes callbacks for obtaining
-- the server version (to work around an Amazon Redshift bug) and connection-specific tweaking
-- (to change the schema).
--
-- @since 2.6.2
createPostgresqlPoolModifiedWithVersion
:: (MonadUnliftIO m, MonadLoggerIO m)
=> (PG.Connection -> IO (Maybe Double)) -- ^ Action to perform to get the server version.
-> (PG.Connection -> IO ()) -- ^ Action to perform after connection is created.
-> ConnectionString -- ^ Connection string to the database.
-> Int -- ^ Number of connections to be kept open in the pool.
-> m (Pool SqlBackend)
createPostgresqlPoolModifiedWithVersion = createPostgresqlPoolTailored open'
-- | Same as 'createPostgresqlPoolModifiedWithVersion', but takes a custom connection-creation
-- function.
--
-- The only time you should reach for this function is if you need to write custom logic for creating
-- a connection to the database.
--
-- @since 2.13.6
createPostgresqlPoolTailored
:: (MonadUnliftIO m, MonadLoggerIO m)
=>
( (PG.Connection -> IO ())
-> (PG.Connection -> IO (NonEmpty Word))
-> ((PG.Connection -> SqlBackend) -> PG.Connection -> SqlBackend)
-> ConnectionString -> LogFunc -> IO SqlBackend
) -- ^ Action that creates a postgresql connection (please see documentation on the un-exported @open'@ function in this same module.
-> (PG.Connection -> IO (Maybe Double)) -- ^ Action to perform to get the server version.
-> (PG.Connection -> IO ()) -- ^ Action to perform after connection is created.
-> ConnectionString -- ^ Connection string to the database.
-> Int -- ^ Number of connections to be kept open in the pool.
-> m (Pool SqlBackend)
createPostgresqlPoolTailored createConnection getVerDouble modConn ci = do
let getVer = oldGetVersionToNew getVerDouble
createSqlPool $ createConnection modConn getVer id ci
-- | Same as 'createPostgresqlPool', but can be configured with 'PostgresConf' and 'PostgresConfHooks'.
--
-- @since 2.11.0.0
createPostgresqlPoolWithConf
:: (MonadUnliftIO m, MonadLoggerIO m)
=> PostgresConf -- ^ Configuration for connecting to Postgres
-> PostgresConfHooks -- ^ Record of callback functions
-> m (Pool SqlBackend)
createPostgresqlPoolWithConf conf hooks = do
let getVer = pgConfHooksGetServerVersion hooks
modConn = pgConfHooksAfterCreate hooks
createSqlPoolWithConfig (open' modConn getVer id (pgConnStr conf)) (postgresConfToConnectionPoolConfig conf)
postgresConfToConnectionPoolConfig :: PostgresConf -> ConnectionPoolConfig
postgresConfToConnectionPoolConfig conf =
ConnectionPoolConfig
{ connectionPoolConfigStripes = pgPoolStripes conf
, connectionPoolConfigIdleTimeout = fromInteger $ pgPoolIdleTimeout conf
, connectionPoolConfigSize = pgPoolSize conf
}
-- | Same as 'withPostgresqlPool', but instead of opening a pool
-- of connections, only one connection is opened.
-- The provided action should use 'runSqlConn' and *not* 'runReaderT' because
-- the former brackets the database action with transaction begin/commit.
withPostgresqlConn :: (MonadUnliftIO m, MonadLoggerIO m)
=> ConnectionString -> (SqlBackend -> m a) -> m a
withPostgresqlConn = withPostgresqlConnWithVersion getServerVersion
-- | Same as 'withPostgresqlConn', but takes a callback for obtaining
-- the server version (to work around an Amazon Redshift bug).
--
-- @since 2.6.2
withPostgresqlConnWithVersion :: (MonadUnliftIO m, MonadLoggerIO m)
=> (PG.Connection -> IO (Maybe Double))
-> ConnectionString
-> (SqlBackend -> m a)
-> m a
withPostgresqlConnWithVersion getVerDouble = do
let getVer = oldGetVersionToNew getVerDouble
withSqlConn . open' (const $ return ()) getVer id
open'
:: (PG.Connection -> IO ())
-> (PG.Connection -> IO (NonEmpty Word))
-> ((PG.Connection -> SqlBackend) -> PG.Connection -> backend)
-- ^ How to construct the actual backend type desired. For most uses,
-- this is just 'id', since the desired backend type is 'SqlBackend'.
-- But some callers want a @'RawPostgresql' 'SqlBackend'@, and will
-- pass in 'withRawConnection'.
-> ConnectionString -> LogFunc -> IO backend
open' modConn getVer constructor cstr logFunc = do
conn <- PG.connectPostgreSQL cstr
modConn conn
ver <- getVer conn
smap <- newIORef mempty
return $ constructor (createBackend logFunc ver smap) conn
-- | Gets the PostgreSQL server version
--
-- @since 2.13.6
getServerVersion :: PG.Connection -> IO (Maybe Double)
getServerVersion conn = do
[PG.Only version] <- PG.query_ conn "show server_version";
let version' = rational version
--- λ> rational "9.8.3"
--- Right (9.8,".3")
--- λ> rational "9.8.3.5"
--- Right (9.8,".3.5")
case version' of
Right (a,_) -> return $ Just a
Left err -> throwIO $ PostgresServerVersionError err
getServerVersionNonEmpty :: PG.Connection -> IO (NonEmpty Word)
getServerVersionNonEmpty conn = do
[PG.Only version] <- PG.query_ conn "show server_version";
case AT.parseOnly parseVersion (T.pack version) of
Left err -> throwIO $ PostgresServerVersionError $ "Parse failure on: " <> version <> ". Error: " <> err
Right versionComponents -> case NEL.nonEmpty versionComponents of
Nothing -> throwIO $ PostgresServerVersionError $ "Empty Postgres version string: " <> version
Just neVersion -> pure neVersion
where
-- Partially copied from the `versions` package
-- Typically server_version gives e.g. 12.3
-- In Persistent's CI, we get "12.4 (Debian 12.4-1.pgdg100+1)", so we ignore the trailing data.
parseVersion = AT.decimal `AT.sepBy` AT.char '.'
-- | Choose upsert sql generation function based on postgresql version.
-- PostgreSQL version >= 9.5 supports native upsert feature,
-- so depending upon that we have to choose how the sql query is generated.
-- upsertFunction :: Double -> Maybe (EntityDef -> Text -> Text)
upsertFunction :: a -> NonEmpty Word -> Maybe a
upsertFunction f version = if (version >= postgres9dot5)
then Just f
else Nothing
where
postgres9dot5 :: NonEmpty Word
postgres9dot5 = 9 NEL.:| [5]
-- | If the user doesn't supply a Postgres version, we assume this version.
--
-- This is currently below any version-specific features Persistent uses.
minimumPostgresVersion :: NonEmpty Word
minimumPostgresVersion = 9 NEL.:| [4]
oldGetVersionToNew :: (PG.Connection -> IO (Maybe Double)) -> (PG.Connection -> IO (NonEmpty Word))
oldGetVersionToNew oldFn = \conn -> do
mDouble <- oldFn conn
case mDouble of
Nothing -> pure minimumPostgresVersion
Just double -> do
let (major, minor) = properFraction double
pure $ major NEL.:| [floor minor]
-- | Generate a 'SqlBackend' from a 'PG.Connection'.
openSimpleConn :: LogFunc -> PG.Connection -> IO SqlBackend
openSimpleConn = openSimpleConnWithVersion getServerVersion
-- | Generate a 'SqlBackend' from a 'PG.Connection', but takes a callback for
-- obtaining the server version.
--
-- @since 2.9.1
openSimpleConnWithVersion :: (PG.Connection -> IO (Maybe Double)) -> LogFunc -> PG.Connection -> IO SqlBackend
openSimpleConnWithVersion getVerDouble logFunc conn = do
smap <- newIORef mempty
serverVersion <- oldGetVersionToNew getVerDouble conn
return $ createBackend logFunc serverVersion smap conn
underlyingConnectionKey :: Vault.Key PG.Connection
underlyingConnectionKey = unsafePerformIO Vault.newKey
{-# NOINLINE underlyingConnectionKey #-}
-- | Access underlying connection, returning 'Nothing' if the 'SqlBackend'
-- provided isn't backed by postgresql-simple.
--
-- @since 2.13.0
getSimpleConn :: (BackendCompatible SqlBackend backend) => backend -> Maybe PG.Connection
getSimpleConn = Vault.lookup underlyingConnectionKey <$> getConnVault
-- | Create the backend given a logging function, server version, mutable statement cell,
-- and connection.
--
-- @since 2.13.6
createBackend :: LogFunc -> NonEmpty Word
-> IORef (Map.Map Text Statement) -> PG.Connection -> SqlBackend
createBackend logFunc serverVersion smap conn =
maybe id setConnPutManySql (upsertFunction putManySql serverVersion) $
maybe id setConnUpsertSql (upsertFunction upsertSql' serverVersion) $
setConnInsertManySql insertManySql' $
maybe id setConnRepsertManySql (upsertFunction repsertManySql serverVersion) $
modifyConnVault (Vault.insert underlyingConnectionKey conn) $ mkSqlBackend MkSqlBackendArgs
{ connPrepare = prepare' conn
, connStmtMap = smap
, connInsertSql = insertSql'
, connClose = PG.close conn
, connMigrateSql = migrate'
, connBegin = \_ mIsolation -> case mIsolation of
Nothing -> PG.begin conn
Just iso -> PG.beginLevel (case iso of
ReadUncommitted -> PG.ReadCommitted -- PG Upgrades uncommitted reads to committed anyways
ReadCommitted -> PG.ReadCommitted
RepeatableRead -> PG.RepeatableRead
Serializable -> PG.Serializable) conn
, connCommit = const $ PG.commit conn
, connRollback = const $ PG.rollback conn
, connEscapeFieldName = escapeF
, connEscapeTableName = escapeE . getEntityDBName
, connEscapeRawName = escape
, connNoLimit = "LIMIT ALL"
, connRDBMS = "postgresql"
, connLimitOffset = decorateSQLWithLimitOffset "LIMIT ALL"
, connLogFunc = logFunc
}
prepare' :: PG.Connection -> Text -> IO Statement
prepare' conn sql = do
let query = PG.Query (T.encodeUtf8 sql)
return Statement
{ stmtFinalize = return ()
, stmtReset = return ()
, stmtExecute = execute' conn query
, stmtQuery = withStmt' conn query
}
insertSql' :: EntityDef -> [PersistValue] -> InsertSqlResult
insertSql' ent vals =
case getEntityId ent of
EntityIdNaturalKey _pdef ->
ISRManyKeys sql vals
EntityIdField field ->
ISRSingle (sql <> " RETURNING " <> escapeF (fieldDB field))
where
(fieldNames, placeholders) = unzip (Util.mkInsertPlaceholders ent escapeF)
sql = T.concat
[ "INSERT INTO "
, escapeE $ getEntityDBName ent
, if null (getEntityFields ent)
then " DEFAULT VALUES"
else T.concat
[ "("
, T.intercalate "," fieldNames
, ") VALUES("
, T.intercalate "," placeholders
, ")"
]
]
upsertSql' :: EntityDef -> NonEmpty (FieldNameHS, FieldNameDB) -> Text -> Text
upsertSql' ent uniqs updateVal =
T.concat
[ "INSERT INTO "
, escapeE (getEntityDBName ent)
, "("
, T.intercalate "," fieldNames
, ") VALUES ("
, T.intercalate "," placeholders
, ") ON CONFLICT ("
, T.intercalate "," $ map (escapeF . snd) (NEL.toList uniqs)
, ") DO UPDATE SET "
, updateVal
, " WHERE "
, wher
, " RETURNING ??"
]
where
(fieldNames, placeholders) = unzip (Util.mkInsertPlaceholders ent escapeF)
wher = T.intercalate " AND " $ map (singleClause . snd) $ NEL.toList uniqs
singleClause :: FieldNameDB -> Text
singleClause field = escapeE (getEntityDBName ent) <> "." <> (escapeF field) <> " =?"
-- | SQL for inserting multiple rows at once and returning their primary keys.
insertManySql' :: EntityDef -> [[PersistValue]] -> InsertSqlResult
insertManySql' ent valss =
ISRSingle sql
where
(fieldNames, placeholders)= unzip (Util.mkInsertPlaceholders ent escapeF)
sql = T.concat
[ "INSERT INTO "
, escapeE (getEntityDBName ent)
, "("
, T.intercalate "," fieldNames
, ") VALUES ("
, T.intercalate "),(" $ replicate (length valss) $ T.intercalate "," placeholders
, ") RETURNING "
, Util.commaSeparated $ NEL.toList $ Util.dbIdColumnsEsc escapeF ent
]
execute' :: PG.Connection -> PG.Query -> [PersistValue] -> IO Int64
execute' conn query vals = PG.execute conn query (map P vals)
withStmt' :: MonadIO m
=> PG.Connection
-> PG.Query
-> [PersistValue]
-> Acquire (ConduitM () [PersistValue] m ())
withStmt' conn query vals =
pull `fmap` mkAcquire openS closeS
where
openS = do
-- Construct raw query
rawquery <- PG.formatQuery conn query (map P vals)
-- Take raw connection
(rt, rr, rc, ids) <- PG.withConnection conn $ \rawconn -> do
-- Execute query
mret <- LibPQ.exec rawconn rawquery
case mret of
Nothing -> do
merr <- LibPQ.errorMessage rawconn
fail $ case merr of
Nothing -> "Postgresql.withStmt': unknown error"
Just e -> "Postgresql.withStmt': " ++ B8.unpack e
Just ret -> do
-- Check result status
status <- LibPQ.resultStatus ret
case status of
LibPQ.TuplesOk -> return ()
_ -> PG.throwResultError "Postgresql.withStmt': bad result status " ret status
-- Get number and type of columns
cols <- LibPQ.nfields ret
oids <- forM [0..cols-1] $ \col -> fmap ((,) col) (LibPQ.ftype ret col)
-- Ready to go!
rowRef <- newIORef (LibPQ.Row 0)
rowCount <- LibPQ.ntuples ret
return (ret, rowRef, rowCount, oids)
let getters
= map (\(col, oid) -> getGetter oid $ PG.Field rt col oid) ids
return (rt, rr, rc, getters)
closeS (ret, _, _, _) = LibPQ.unsafeFreeResult ret
pull x = do
y <- liftIO $ pullS x
case y of
Nothing -> return ()
Just z -> yield z >> pull x
pullS (ret, rowRef, rowCount, getters) = do
row <- atomicModifyIORef rowRef (\r -> (r+1, r))
if row == rowCount
then return Nothing
else fmap Just $ forM (zip getters [0..]) $ \(getter, col) -> do
mbs <- LibPQ.getvalue' ret row col
case mbs of
Nothing ->
-- getvalue' verified that the value is NULL.
-- However, that does not mean that there are
-- no NULL values inside the value (e.g., if
-- we're dealing with an array of optional values).
return PersistNull
Just bs -> do
ok <- PGFF.runConversion (getter mbs) conn
bs `seq` case ok of
Errors (exc:_) -> throw exc
Errors [] -> error "Got an Errors, but no exceptions"
Ok v -> return v
doesTableExist :: (Text -> IO Statement)
-> EntityNameDB
-> IO Bool
doesTableExist getter (EntityNameDB name) = do
stmt <- getter sql
with (stmtQuery stmt vals) (\src -> runConduit $ src .| start)
where
sql = "SELECT COUNT(*) FROM pg_catalog.pg_tables WHERE schemaname != 'pg_catalog'"
<> " AND schemaname != 'information_schema' AND tablename=?"
vals = [PersistText name]
start = await >>= maybe (error "No results when checking doesTableExist") start'
start' [PersistInt64 0] = finish False
start' [PersistInt64 1] = finish True
start' res = error $ "doesTableExist returned unexpected result: " ++ show res
finish x = await >>= maybe (return x) (error "Too many rows returned in doesTableExist")
migrate' :: [EntityDef]
-> (Text -> IO Statement)
-> EntityDef
-> IO (Either [Text] CautiousMigration)
migrate' allDefs getter entity = fmap (fmap $ map showAlterDb) $ do
old <- getColumns getter entity newcols'
case partitionEithers old of
([], old'') -> do
exists' <-
if null old
then doesTableExist getter name
else return True
return $ Right $ migrationText exists' old''
(errs, _) -> return $ Left errs
where
name = getEntityDBName entity
(newcols', udefs, fdefs) = postgresMkColumns allDefs entity
migrationText exists' old''
| not exists' =
createText newcols fdefs udspair
| otherwise =
let (acs, ats) =
getAlters allDefs entity (newcols, udspair) old'
acs' = map (AlterColumn name) acs
ats' = map (AlterTable name) ats
in
acs' ++ ats'
where
old' = partitionEithers old''
newcols = filter (not . safeToRemove entity . cName) newcols'
udspair = map udToPair udefs
-- Check for table existence if there are no columns, workaround
-- for https://github.com/yesodweb/persistent/issues/152
createText newcols fdefs_ udspair =
(addTable newcols entity) : uniques ++ references ++ foreignsAlt
where
uniques = flip concatMap udspair $ \(uname, ucols) ->
[AlterTable name $ AddUniqueConstraint uname ucols]
references =
mapMaybe
(\Column { cName, cReference } ->
getAddReference allDefs entity cName =<< cReference
)
newcols
foreignsAlt = mapMaybe (mkForeignAlt entity) fdefs_
mkForeignAlt
:: EntityDef
-> ForeignDef
-> Maybe AlterDB
mkForeignAlt entity fdef = pure $ AlterColumn tableName_ addReference
where
tableName_ = getEntityDBName entity
addReference =
AddReference
(foreignRefTableDBName fdef)
constraintName
childfields
escapedParentFields
(foreignFieldCascade fdef)
constraintName =
foreignConstraintNameDBName fdef
(childfields, parentfields) =
unzip (map (\((_,b),(_,d)) -> (b,d)) (foreignFields fdef))
escapedParentFields =
map escapeF parentfields
addTable :: [Column] -> EntityDef -> AlterDB
addTable cols entity =
AddTable $ T.concat
-- Lower case e: see Database.Persist.Sql.Migration
[ "CREATe TABLE " -- DO NOT FIX THE CAPITALIZATION!
, escapeE name
, "("
, idtxt
, if null nonIdCols then "" else ","
, T.intercalate "," $ map showColumn nonIdCols
, ")"
]
where
nonIdCols =
case entityPrimary entity of
Just _ ->
cols
_ ->
filter keepField cols
where
keepField c =
Just (cName c) /= fmap fieldDB (getEntityIdField entity)
&& not (safeToRemove entity (cName c))
name =
getEntityDBName entity
idtxt =
case getEntityId entity of
EntityIdNaturalKey pdef ->
T.concat
[ " PRIMARY KEY ("
, T.intercalate "," $ map (escapeF . fieldDB) $ NEL.toList $ compositeFields pdef
, ")"
]
EntityIdField field ->
let defText = defaultAttribute $ fieldAttrs field
sType = fieldSqlType field
in T.concat
[ escapeF $ fieldDB field
, maySerial sType defText
, " PRIMARY KEY UNIQUE"
, mayDefault defText
]
maySerial :: SqlType -> Maybe Text -> Text
maySerial SqlInt64 Nothing = " SERIAL8 "
maySerial sType _ = " " <> showSqlType sType
mayDefault :: Maybe Text -> Text
mayDefault def = case def of
Nothing -> ""
Just d -> " DEFAULT " <> d
type SafeToRemove = Bool
data AlterColumn
= ChangeType Column SqlType Text
| IsNull Column
| NotNull Column
| Add' Column
| Drop Column SafeToRemove
| Default Column Text
| NoDefault Column
| Update' Column Text
| AddReference EntityNameDB ConstraintNameDB [FieldNameDB] [Text] FieldCascade
| DropReference ConstraintNameDB
deriving Show
data AlterTable
= AddUniqueConstraint ConstraintNameDB [FieldNameDB]
| DropConstraint ConstraintNameDB
deriving Show
data AlterDB = AddTable Text
| AlterColumn EntityNameDB AlterColumn
| AlterTable EntityNameDB AlterTable
deriving Show
-- | Returns all of the columns in the given table currently in the database.
getColumns :: (Text -> IO Statement)
-> EntityDef -> [Column]
-> IO [Either Text (Either Column (ConstraintNameDB, [FieldNameDB]))]
getColumns getter def cols = do
let sqlv = T.concat
[ "SELECT "
, "column_name "
, ",is_nullable "
, ",COALESCE(domain_name, udt_name)" -- See DOMAINS below
, ",column_default "
, ",generation_expression "
, ",numeric_precision "
, ",numeric_scale "
, ",character_maximum_length "
, "FROM information_schema.columns "
, "WHERE table_catalog=current_database() "
, "AND table_schema=current_schema() "
, "AND table_name=? "
]
-- DOMAINS Postgres supports the concept of domains, which are data types
-- with optional constraints. An app might make an "email" domain over the
-- varchar type, with a CHECK that the emails are valid In this case the
-- generated SQL should use the domain name: ALTER TABLE users ALTER COLUMN
-- foo TYPE email This code exists to use the domain name (email), instead
-- of the underlying type (varchar). This is tested in
-- EquivalentTypeTest.hs
stmt <- getter sqlv
let vals =
[ PersistText $ unEntityNameDB $ getEntityDBName def
]
columns <- with (stmtQuery stmt vals) (\src -> runConduit $ src .| processColumns .| CL.consume)
let sqlc = T.concat
[ "SELECT "
, "c.constraint_name, "
, "c.column_name "
, "FROM information_schema.key_column_usage AS c, "
, "information_schema.table_constraints AS k "
, "WHERE c.table_catalog=current_database() "
, "AND c.table_catalog=k.table_catalog "
, "AND c.table_schema=current_schema() "
, "AND c.table_schema=k.table_schema "
, "AND c.table_name=? "
, "AND c.table_name=k.table_name "
, "AND c.constraint_name=k.constraint_name "
, "AND NOT k.constraint_type IN ('PRIMARY KEY', 'FOREIGN KEY') "
, "ORDER BY c.constraint_name, c.column_name"
]
stmt' <- getter sqlc
us <- with (stmtQuery stmt' vals) (\src -> runConduit $ src .| helperU)
return $ columns ++ us
where
refMap =
fmap (\cr -> (crTableName cr, crConstraintName cr))
$ Map.fromList
$ List.foldl' ref [] cols
where
ref rs c =
maybe rs (\r -> (unFieldNameDB $ cName c, r) : rs) (cReference c)
getAll =
CL.mapM $ \x ->
pure $ case x of
[PersistText con, PersistText col] ->
(con, col)
[PersistByteString con, PersistByteString col] ->
(T.decodeUtf8 con, T.decodeUtf8 col)
o ->
error $ "unexpected datatype returned for postgres o="++show o
helperU = do
rows <- getAll .| CL.consume
return $ map (Right . Right . (ConstraintNameDB . fst . head &&& map (FieldNameDB . snd)))
$ groupBy ((==) `on` fst) rows
processColumns =
CL.mapM $ \x'@((PersistText cname) : _) -> do
col <- liftIO $ getColumn getter (getEntityDBName def) x' (Map.lookup cname refMap)
pure $ case col of
Left e -> Left e
Right c -> Right $ Left c
-- | Check if a column name is listed as the "safe to remove" in the entity
-- list.
safeToRemove :: EntityDef -> FieldNameDB -> Bool
safeToRemove def (FieldNameDB colName)
= any (elem FieldAttrSafeToRemove . fieldAttrs)
$ filter ((== FieldNameDB colName) . fieldDB)
$ allEntityFields
where
allEntityFields =
getEntityFieldsDatabase def <> case getEntityId def of
EntityIdField fdef ->
[fdef]
_ ->
[]
getAlters :: [EntityDef]
-> EntityDef
-> ([Column], [(ConstraintNameDB, [FieldNameDB])])
-> ([Column], [(ConstraintNameDB, [FieldNameDB])])
-> ([AlterColumn], [AlterTable])
getAlters defs def (c1, u1) (c2, u2) =
(getAltersC c1 c2, getAltersU u1 u2)
where
getAltersC [] old =
map (\x -> Drop x $ safeToRemove def $ cName x) old
getAltersC (new:news) old =
let (alters, old') = findAlters defs def new old
in alters ++ getAltersC news old'
getAltersU
:: [(ConstraintNameDB, [FieldNameDB])]
-> [(ConstraintNameDB, [FieldNameDB])]
-> [AlterTable]
getAltersU [] old =
map DropConstraint $ filter (not . isManual) $ map fst old
getAltersU ((name, cols):news) old =
case lookup name old of
Nothing ->
AddUniqueConstraint name cols : getAltersU news old
Just ocols ->
let old' = filter (\(x, _) -> x /= name) old
in if sort cols == sort ocols
then getAltersU news old'
else DropConstraint name
: AddUniqueConstraint name cols
: getAltersU news old'
-- Don't drop constraints which were manually added.
isManual (ConstraintNameDB x) = "__manual_" `T.isPrefixOf` x
getColumn
:: (Text -> IO Statement)
-> EntityNameDB
-> [PersistValue]
-> Maybe (EntityNameDB, ConstraintNameDB)
-> IO (Either Text Column)
getColumn getter tableName' [ PersistText columnName
, PersistText isNullable
, PersistText typeName
, defaultValue
, generationExpression
, numericPrecision
, numericScale
, maxlen
] refName_ = runExceptT $ do
defaultValue' <-
case defaultValue of
PersistNull ->
pure Nothing
PersistText t ->
pure $ Just t
_ ->
throwError $ T.pack $ "Invalid default column: " ++ show defaultValue
generationExpression' <-
case generationExpression of
PersistNull ->
pure Nothing
PersistText t ->
pure $ Just t
_ ->
throwError $ T.pack $ "Invalid generated column: " ++ show generationExpression
let typeStr =
case maxlen of
PersistInt64 n ->
T.concat [typeName, "(", T.pack (show n), ")"]
_ ->
typeName
t <- getType typeStr
let cname = FieldNameDB columnName
ref <- lift $ fmap join $ traverse (getRef cname) refName_
return Column
{ cName = cname
, cNull = isNullable == "YES"
, cSqlType = t
, cDefault = fmap stripSuffixes defaultValue'
, cGenerated = fmap stripSuffixes generationExpression'
, cDefaultConstraintName = Nothing
, cMaxLen = Nothing
, cReference = fmap (\(a,b,c,d) -> ColumnReference a b (mkCascade c d)) ref
}
where
mkCascade updText delText =
FieldCascade
{ fcOnUpdate = parseCascade updText
, fcOnDelete = parseCascade delText
}
parseCascade txt =
case txt of
"NO ACTION" ->
Nothing
"CASCADE" ->
Just Cascade
"SET NULL" ->
Just SetNull
"SET DEFAULT" ->
Just SetDefault
"RESTRICT" ->
Just Restrict
_ ->
error $ "Unexpected value in parseCascade: " <> show txt
stripSuffixes t =
loop'
[ "::character varying"
, "::text"
]
where
loop' [] = t
loop' (p:ps) =
case T.stripSuffix p t of
Nothing -> loop' ps
Just t' -> t'
getRef cname (_, refName') = do
let sql = T.concat
[ "SELECT DISTINCT "
, "ccu.table_name, "
, "tc.constraint_name, "
, "rc.update_rule, "
, "rc.delete_rule "
, "FROM information_schema.constraint_column_usage ccu "
, "INNER JOIN information_schema.key_column_usage kcu "
, " ON ccu.constraint_name = kcu.constraint_name "
, "INNER JOIN information_schema.table_constraints tc "
, " ON tc.constraint_name = kcu.constraint_name "
, "LEFT JOIN information_schema.referential_constraints AS rc"
, " ON rc.constraint_name = ccu.constraint_name "
, "WHERE tc.constraint_type='FOREIGN KEY' "
, "AND kcu.ordinal_position=1 "
, "AND kcu.table_name=? "
, "AND kcu.column_name=? "
, "AND tc.constraint_name=?"
]
stmt <- getter sql
cntrs <-
with
(stmtQuery stmt
[ PersistText $ unEntityNameDB tableName'
, PersistText $ unFieldNameDB cname
, PersistText $ unConstraintNameDB refName'
]
)
(\src -> runConduit $ src .| CL.consume)
case cntrs of
[] ->
return Nothing
[[PersistText table, PersistText constraint, PersistText updRule, PersistText delRule]] ->
return $ Just (EntityNameDB table, ConstraintNameDB constraint, updRule, delRule)
xs ->
error $ mconcat
[ "Postgresql.getColumn: error fetching constraints. Expected a single result for foreign key query for table: "
, T.unpack (unEntityNameDB tableName')
, " and column: "
, T.unpack (unFieldNameDB cname)
, " but got: "
, show xs
]
getType "int4" = pure SqlInt32
getType "int8" = pure SqlInt64
getType "varchar" = pure SqlString
getType "text" = pure SqlString
getType "date" = pure SqlDay
getType "bool" = pure SqlBool
getType "timestamptz" = pure SqlDayTime
getType "float4" = pure SqlReal
getType "float8" = pure SqlReal
getType "bytea" = pure SqlBlob
getType "time" = pure SqlTime
getType "numeric" = getNumeric numericPrecision numericScale
getType a = pure $ SqlOther a
getNumeric (PersistInt64 a) (PersistInt64 b) =
pure $ SqlNumeric (fromIntegral a) (fromIntegral b)
getNumeric PersistNull PersistNull = throwError $ T.concat
[ "No precision and scale were specified for the column: "
, columnName
, " in table: "
, unEntityNameDB tableName'
, ". Postgres defaults to a maximum scale of 147,455 and precision of 16383,"
, " which is probably not what you intended."
, " Specify the values as numeric(total_digits, digits_after_decimal_place)."
]
getNumeric a b = throwError $ T.concat
[ "Can not get numeric field precision for the column: "
, columnName
, " in table: "
, unEntityNameDB tableName'
, ". Expected an integer for both precision and scale, "
, "got: "
, T.pack $ show a
, " and "
, T.pack $ show b
, ", respectively."
, " Specify the values as numeric(total_digits, digits_after_decimal_place)."
]
getColumn _ _ columnName _ =
return $ Left $ T.pack $ "Invalid result from information_schema: " ++ show columnName
-- | Intelligent comparison of SQL types, to account for SqlInt32 vs SqlOther integer
sqlTypeEq :: SqlType -> SqlType -> Bool
sqlTypeEq x y =
let
-- Non exhaustive helper to map postgres aliases to the same name. Based on
-- https://www.postgresql.org/docs/9.5/datatype.html.
-- This prevents needless `ALTER TYPE`s when the type is the same.
normalize "int8" = "bigint"
normalize "serial8" = "bigserial"
normalize v = v
in
normalize (T.toCaseFold (showSqlType x)) == normalize (T.toCaseFold (showSqlType y))
findAlters
:: [EntityDef]
-- ^ The list of all entity definitions that persistent is aware of.
-> EntityDef
-- ^ The entity definition for the entity that we're working on.
-> Column
-- ^ The column that we're searching for potential alterations for.
-> [Column]
-> ([AlterColumn], [Column])
findAlters defs edef col@(Column name isNull sqltype def _gen _defConstraintName _maxLen ref) cols =
case List.find (\c -> cName c == name) cols of
Nothing ->
([Add' col], cols)
Just (Column _oldName isNull' sqltype' def' _gen' _defConstraintName' _maxLen' ref') ->
let refDrop Nothing = []
refDrop (Just ColumnReference {crConstraintName=cname}) =
[DropReference cname]
refAdd Nothing = []
refAdd (Just colRef) =
case find ((== crTableName colRef) . getEntityDBName) defs of
Just refdef
| Just _oldName /= fmap fieldDB (getEntityIdField edef)
->
[AddReference
(crTableName colRef)
(crConstraintName colRef)
[name]
(NEL.toList $ Util.dbIdColumnsEsc escapeF refdef)
(crFieldCascade colRef)
]
Just _ -> []
Nothing ->
error $ "could not find the entityDef for reftable["
++ show (crTableName colRef) ++ "]"
modRef =
if equivalentRef ref ref'
then []
else refDrop ref' ++ refAdd ref
modNull = case (isNull, isNull') of
(True, False) -> do
guard $ Just name /= fmap fieldDB (getEntityIdField edef)
pure (IsNull col)
(False, True) ->
let up = case def of
Nothing -> id
Just s -> (:) (Update' col s)
in up [NotNull col]
_ -> []
modType
| sqlTypeEq sqltype sqltype' = []
-- When converting from Persistent pre-2.0 databases, we
-- need to make sure that TIMESTAMP WITHOUT TIME ZONE is
-- treated as UTC.
| sqltype == SqlDayTime && sqltype' == SqlOther "timestamp" =
[ChangeType col sqltype $ T.concat
[ " USING "
, escapeF name
, " AT TIME ZONE 'UTC'"
]]
| otherwise = [ChangeType col sqltype ""]
modDef =
if def == def'
|| isJust (T.stripPrefix "nextval" =<< def')
then []
else
case def of
Nothing -> [NoDefault col]
Just s -> [Default col s]
dropSafe =
if safeToRemove edef name
then error "wtf" [Drop col True]
else []
in
( modRef ++ modDef ++ modNull ++ modType ++ dropSafe
, filter (\c -> cName c /= name) cols
)
-- We check if we should alter a foreign key. This is almost an equality check,
-- except we consider 'Nothing' and 'Just Restrict' equivalent.
equivalentRef :: Maybe ColumnReference -> Maybe ColumnReference -> Bool
equivalentRef Nothing Nothing = True
equivalentRef (Just cr1) (Just cr2) =
crTableName cr1 == crTableName cr2
&& crConstraintName cr1 == crConstraintName cr2
&& eqCascade (fcOnUpdate $ crFieldCascade cr1) (fcOnUpdate $ crFieldCascade cr2)
&& eqCascade (fcOnDelete $ crFieldCascade cr1) (fcOnDelete $ crFieldCascade cr2)
where
eqCascade :: Maybe CascadeAction -> Maybe CascadeAction -> Bool
eqCascade Nothing Nothing = True
eqCascade Nothing (Just Restrict) = True
eqCascade (Just Restrict) Nothing = True
eqCascade (Just cs1) (Just cs2) = cs1 == cs2
eqCascade _ _ = False
equivalentRef _ _ = False
-- | Get the references to be added to a table for the given column.
getAddReference
:: [EntityDef]
-> EntityDef
-> FieldNameDB
-> ColumnReference
-> Maybe AlterDB
getAddReference allDefs entity cname cr@ColumnReference {crTableName = s, crConstraintName=constraintName} = do
guard $ Just cname /= fmap fieldDB (getEntityIdField entity)
pure $ AlterColumn
table
(AddReference s constraintName [cname] id_ (crFieldCascade cr)
)
where
table = getEntityDBName entity
id_ =
fromMaybe
(error $ "Could not find ID of entity " ++ show s)
$ do
entDef <- find ((== s) . getEntityDBName) allDefs
return $ NEL.toList $ Util.dbIdColumnsEsc escapeF entDef
showColumn :: Column -> Text
showColumn (Column n nu sqlType' def gen _defConstraintName _maxLen _ref) = T.concat
[ escapeF n
, " "
, showSqlType sqlType'
, " "
, if nu then "NULL" else "NOT NULL"
, case def of
Nothing -> ""
Just s -> " DEFAULT " <> s
, case gen of
Nothing -> ""
Just s -> " GENERATED ALWAYS AS (" <> s <> ") STORED"
]
showSqlType :: SqlType -> Text
showSqlType SqlString = "VARCHAR"
showSqlType SqlInt32 = "INT4"
showSqlType SqlInt64 = "INT8"
showSqlType SqlReal = "DOUBLE PRECISION"
showSqlType (SqlNumeric s prec) = T.concat [ "NUMERIC(", T.pack (show s), ",", T.pack (show prec), ")" ]
showSqlType SqlDay = "DATE"
showSqlType SqlTime = "TIME"
showSqlType SqlDayTime = "TIMESTAMP WITH TIME ZONE"
showSqlType SqlBlob = "BYTEA"
showSqlType SqlBool = "BOOLEAN"
-- Added for aliasing issues re: https://github.com/yesodweb/yesod/issues/682
showSqlType (SqlOther (T.toLower -> "integer")) = "INT4"
showSqlType (SqlOther t) = t
showAlterDb :: AlterDB -> (Bool, Text)
showAlterDb (AddTable s) = (False, s)
showAlterDb (AlterColumn t ac) =
(isUnsafe ac, showAlter t ac)
where
isUnsafe (Drop _ safeRemove) = not safeRemove
isUnsafe _ = False
showAlterDb (AlterTable t at) = (False, showAlterTable t at)
showAlterTable :: EntityNameDB -> AlterTable -> Text
showAlterTable table (AddUniqueConstraint cname cols) = T.concat
[ "ALTER TABLE "
, escapeE table
, " ADD CONSTRAINT "
, escapeC cname
, " UNIQUE("
, T.intercalate "," $ map escapeF cols
, ")"
]
showAlterTable table (DropConstraint cname) = T.concat
[ "ALTER TABLE "
, escapeE table
, " DROP CONSTRAINT "
, escapeC cname
]
showAlter :: EntityNameDB -> AlterColumn -> Text
showAlter table (ChangeType c t extra) =
T.concat
[ "ALTER TABLE "
, escapeE table
, " ALTER COLUMN "
, escapeF (cName c)
, " TYPE "
, showSqlType t
, extra
]
showAlter table (IsNull c) =
T.concat
[ "ALTER TABLE "
, escapeE table
, " ALTER COLUMN "
, escapeF (cName c)
, " DROP NOT NULL"
]
showAlter table (NotNull c) =
T.concat
[ "ALTER TABLE "
, escapeE table
, " ALTER COLUMN "
, escapeF (cName c)
, " SET NOT NULL"
]
showAlter table (Add' col) =
T.concat
[ "ALTER TABLE "
, escapeE table
, " ADD COLUMN "
, showColumn col
]
showAlter table (Drop c _) =
T.concat
[ "ALTER TABLE "
, escapeE table
, " DROP COLUMN "
, escapeF (cName c)
]
showAlter table (Default c s) =
T.concat
[ "ALTER TABLE "
, escapeE table
, " ALTER COLUMN "
, escapeF (cName c)
, " SET DEFAULT "
, s
]
showAlter table (NoDefault c) = T.concat
[ "ALTER TABLE "
, escapeE table
, " ALTER COLUMN "
, escapeF (cName c)
, " DROP DEFAULT"
]
showAlter table (Update' c s) = T.concat
[ "UPDATE "
, escapeE table
, " SET "
, escapeF (cName c)
, "="
, s
, " WHERE "
, escapeF (cName c)
, " IS NULL"
]
showAlter table (AddReference reftable fkeyname t2 id2 cascade) = T.concat
[ "ALTER TABLE "
, escapeE table
, " ADD CONSTRAINT "
, escapeC fkeyname
, " FOREIGN KEY("
, T.intercalate "," $ map escapeF t2
, ") REFERENCES "
, escapeE reftable
, "("
, T.intercalate "," id2
, ")"
] <> renderFieldCascade cascade
showAlter table (DropReference cname) = T.concat
[ "ALTER TABLE "
, escapeE table
, " DROP CONSTRAINT "
, escapeC cname
]
-- | Get the SQL string for the table that a PersistEntity represents.
-- Useful for raw SQL queries.
tableName :: (PersistEntity record) => record -> Text
tableName = escapeE . tableDBName
-- | Get the SQL string for the field that an EntityField represents.
-- Useful for raw SQL queries.
fieldName :: (PersistEntity record) => EntityField record typ -> Text
fieldName = escapeF . fieldDBName
escapeC :: ConstraintNameDB -> Text
escapeC = escapeWith escape
escapeE :: EntityNameDB -> Text
escapeE = escapeWith escape
escapeF :: FieldNameDB -> Text
escapeF = escapeWith escape
escape :: Text -> Text
escape s =
T.pack $ '"' : go (T.unpack s) ++ "\""
where
go "" = ""
go ('"':xs) = "\"\"" ++ go xs
go (x:xs) = x : go xs
-- | Information required to connect to a PostgreSQL database
-- using @persistent@'s generic facilities. These values are the
-- same that are given to 'withPostgresqlPool'.
data PostgresConf = PostgresConf
{ pgConnStr :: ConnectionString
-- ^ The connection string.
-- TODO: Currently stripes, idle timeout, and pool size are all separate fields
-- When Persistent next does a large breaking release (3.0?), we should consider making these just a single ConnectionPoolConfig value
--
-- Currently there the idle timeout is an Integer, rather than resource-pool's NominalDiffTime type.
-- This is because the time package only recently added the Read instance for NominalDiffTime.
-- Future TODO: Consider removing the Read instance, and/or making the idle timeout a NominalDiffTime.
, pgPoolStripes :: Int
-- ^ How many stripes to divide the pool into. See "Data.Pool" for details.
-- @since 2.11.0.0
, pgPoolIdleTimeout :: Integer -- Ideally this would be a NominalDiffTime, but that type lacks a Read instance https://github.com/haskell/time/issues/130
-- ^ How long connections can remain idle before being disposed of, in seconds.
-- @since 2.11.0.0
, pgPoolSize :: Int
-- ^ How many connections should be held in the connection pool.
} deriving (Show, Read, Data)
instance FromJSON PostgresConf where
parseJSON v = modifyFailure ("Persistent: error loading PostgreSQL conf: " ++) $
flip (withObject "PostgresConf") v $ \o -> do
let defaultPoolConfig = defaultConnectionPoolConfig
database <- o .: "database"
host <- o .: "host"
port <- o .:? "port" .!= 5432
user <- o .: "user"
password <- o .: "password"
poolSize <- o .:? "poolsize" .!= (connectionPoolConfigSize defaultPoolConfig)
poolStripes <- o .:? "stripes" .!= (connectionPoolConfigStripes defaultPoolConfig)
poolIdleTimeout <- o .:? "idleTimeout" .!= (floor $ connectionPoolConfigIdleTimeout defaultPoolConfig)
let ci = PG.ConnectInfo
{ PG.connectHost = host
, PG.connectPort = port
, PG.connectUser = user
, PG.connectPassword = password
, PG.connectDatabase = database
}
cstr = PG.postgreSQLConnectionString ci
return $ PostgresConf cstr poolStripes poolIdleTimeout poolSize
instance PersistConfig PostgresConf where
type PersistConfigBackend PostgresConf = SqlPersistT
type PersistConfigPool PostgresConf = ConnectionPool
createPoolConfig conf = runNoLoggingT $ createPostgresqlPoolWithConf conf defaultPostgresConfHooks
runPool _ = runSqlPool
loadConfig = parseJSON
applyEnv c0 = do
env <- getEnvironment
return $ addUser env
$ addPass env
$ addDatabase env
$ addPort env
$ addHost env c0
where
addParam param val c =
c { pgConnStr = B8.concat [pgConnStr c, " ", param, "='", pgescape val, "'"] }
pgescape = B8.pack . go
where
go ('\'':rest) = '\\' : '\'' : go rest
go ('\\':rest) = '\\' : '\\' : go rest
go ( x :rest) = x : go rest
go [] = []
maybeAddParam param envvar env =
maybe id (addParam param) $
lookup envvar env
addHost = maybeAddParam "host" "PGHOST"
addPort = maybeAddParam "port" "PGPORT"
addUser = maybeAddParam "user" "PGUSER"
addPass = maybeAddParam "password" "PGPASS"
addDatabase = maybeAddParam "dbname" "PGDATABASE"
-- | Hooks for configuring the Persistent/its connection to Postgres
--
-- @since 2.11.0
data PostgresConfHooks = PostgresConfHooks
{ pgConfHooksGetServerVersion :: PG.Connection -> IO (NonEmpty Word)
-- ^ Function to get the version of Postgres
--
-- The default implementation queries the server with "show server_version".
-- Some variants of Postgres, such as Redshift, don't support showing the version.
-- It's recommended you return a hardcoded version in those cases.
--
-- @since 2.11.0
, pgConfHooksAfterCreate :: PG.Connection -> IO ()
-- ^ Action to perform after a connection is created.
--
-- Typical uses of this are modifying the connection (e.g. to set the schema) or logging a connection being created.
--
-- The default implementation does nothing.
--
-- @since 2.11.0
}
-- | Default settings for 'PostgresConfHooks'. See the individual fields of 'PostgresConfHooks' for the default values.
--
-- @since 2.11.0
defaultPostgresConfHooks :: PostgresConfHooks
defaultPostgresConfHooks = PostgresConfHooks
{ pgConfHooksGetServerVersion = getServerVersionNonEmpty
, pgConfHooksAfterCreate = const $ pure ()
}
refName :: EntityNameDB -> FieldNameDB -> ConstraintNameDB
refName (EntityNameDB table) (FieldNameDB column) =
let overhead = T.length $ T.concat ["_", "_fkey"]
(fromTable, fromColumn) = shortenNames overhead (T.length table, T.length column)
in ConstraintNameDB $ T.concat [T.take fromTable table, "_", T.take fromColumn column, "_fkey"]
where
-- Postgres automatically truncates too long foreign keys to a combination of
-- truncatedTableName + "_" + truncatedColumnName + "_fkey"
-- This works fine for normal use cases, but it creates an issue for Persistent
-- Because after running the migrations, Persistent sees the truncated foreign key constraint
-- doesn't have the expected name, and suggests that you migrate again
-- To workaround this, we copy the Postgres truncation approach before sending foreign key constraints to it.
--
-- I believe this will also be an issue for extremely long table names,
-- but it's just much more likely to exist with foreign key constraints because they're usually tablename * 2 in length
-- Approximation of the algorithm Postgres uses to truncate identifiers
-- See makeObjectName https://github.com/postgres/postgres/blob/5406513e997f5ee9de79d4076ae91c04af0c52f6/src/backend/commands/indexcmds.c#L2074-L2080
shortenNames :: Int -> (Int, Int) -> (Int, Int)
shortenNames overhead (x, y)
| x + y + overhead <= maximumIdentifierLength = (x, y)
| x > y = shortenNames overhead (x - 1, y)
| otherwise = shortenNames overhead (x, y - 1)
-- | Postgres' default maximum identifier length in bytes
-- (You can re-compile Postgres with a new limit, but I'm assuming that virtually noone does this).
-- See https://www.postgresql.org/docs/11/sql-syntax-lexical.html#SQL-SYNTAX-IDENTIFIERS
maximumIdentifierLength :: Int
maximumIdentifierLength = 63
udToPair :: UniqueDef -> (ConstraintNameDB, [FieldNameDB])
udToPair ud = (uniqueDBName ud, map snd $ NEL.toList $ uniqueFields ud)
mockMigrate :: [EntityDef]
-> (Text -> IO Statement)
-> EntityDef
-> IO (Either [Text] [(Bool, Text)])
mockMigrate allDefs _ entity = fmap (fmap $ map showAlterDb) $ do
case partitionEithers [] of
([], old'') -> return $ Right $ migrationText False old''
(errs, _) -> return $ Left errs
where
name = getEntityDBName entity
migrationText exists' old'' =
if not exists'
then createText newcols fdefs udspair
else let (acs, ats) = getAlters allDefs entity (newcols, udspair) old'
acs' = map (AlterColumn name) acs
ats' = map (AlterTable name) ats
in acs' ++ ats'
where
old' = partitionEithers old''
(newcols', udefs, fdefs) = postgresMkColumns allDefs entity
newcols = filter (not . safeToRemove entity . cName) newcols'
udspair = map udToPair udefs
-- Check for table existence if there are no columns, workaround
-- for https://github.com/yesodweb/persistent/issues/152
createText newcols fdefs udspair =
(addTable newcols entity) : uniques ++ references ++ foreignsAlt
where
uniques = flip concatMap udspair $ \(uname, ucols) ->
[AlterTable name $ AddUniqueConstraint uname ucols]
references =
mapMaybe
(\Column { cName, cReference } ->
getAddReference allDefs entity cName =<< cReference
)
newcols
foreignsAlt = mapMaybe (mkForeignAlt entity) fdefs
-- | Mock a migration even when the database is not present.
-- This function performs the same functionality of 'printMigration'
-- with the difference that an actual database is not needed.
mockMigration :: Migration -> IO ()
mockMigration mig = do
smap <- newIORef mempty
let sqlbackend =
mkSqlBackend MkSqlBackendArgs
{ connPrepare = \_ -> do
return Statement
{ stmtFinalize = return ()
, stmtReset = return ()
, stmtExecute = undefined
, stmtQuery = \_ -> return $ return ()
}
, connInsertSql = undefined
, connStmtMap = smap
, connClose = undefined
, connMigrateSql = mockMigrate
, connBegin = undefined
, connCommit = undefined
, connRollback = undefined
, connEscapeFieldName = escapeF
, connEscapeTableName = escapeE . getEntityDBName
, connEscapeRawName = escape
, connNoLimit = undefined
, connRDBMS = undefined
, connLimitOffset = undefined
, connLogFunc = undefined
}
result = runReaderT $ runWriterT $ runWriterT mig
resp <- result sqlbackend
mapM_ T.putStrLn $ map snd $ snd resp
putManySql :: EntityDef -> Int -> Text
putManySql ent n = putManySql' conflictColumns fields ent n
where
fields = getEntityFields ent
conflictColumns = concatMap (map (escapeF . snd) . NEL.toList . uniqueFields) (getEntityUniques ent)
repsertManySql :: EntityDef -> Int -> Text
repsertManySql ent n = putManySql' conflictColumns fields ent n
where
fields = NEL.toList $ keyAndEntityFields ent
conflictColumns = NEL.toList $ escapeF . fieldDB <$> getEntityKeyFields ent
-- | This type is used to determine how to update rows using Postgres'
-- @INSERT ... ON CONFLICT KEY UPDATE@ functionality, exposed via
-- 'upsertWhere' and 'upsertManyWhere' in this library.
--
-- @since 2.12.1.0
data HandleUpdateCollision record where
-- | Copy the field directly from the record.
CopyField :: EntityField record typ -> HandleUpdateCollision record
-- | Only copy the field if it is not equal to the provided value.
CopyUnlessEq :: PersistField typ => EntityField record typ -> typ -> HandleUpdateCollision record
-- | Copy the field into the database only if the value in the
-- corresponding record is non-@NULL@.
--
-- @since 2.12.1.0
copyUnlessNull :: PersistField typ => EntityField record (Maybe typ) -> HandleUpdateCollision record
copyUnlessNull field = CopyUnlessEq field Nothing
-- | Copy the field into the database only if the value in the
-- corresponding record is non-empty, where "empty" means the Monoid
-- definition for 'mempty'. Useful for 'Text', 'String', 'ByteString', etc.
--
-- The resulting 'HandleUpdateCollision' type is useful for the
-- 'upsertManyWhere' function.
--
-- @since 2.12.1.0
copyUnlessEmpty :: (Monoid.Monoid typ, PersistField typ) => EntityField record typ -> HandleUpdateCollision record
copyUnlessEmpty field = CopyUnlessEq field Monoid.mempty
-- | Copy the field into the database only if the field is not equal to the
-- provided value. This is useful to avoid copying weird nullary data into
-- the database.
--
-- The resulting 'HandleUpdateCollision' type is useful for the
-- 'upsertMany' function.
--
-- @since 2.12.1.0
copyUnlessEq :: PersistField typ => EntityField record typ -> typ -> HandleUpdateCollision record
copyUnlessEq = CopyUnlessEq
-- | Copy the field directly from the record.
--
-- @since 2.12.1.0
copyField :: PersistField typ => EntityField record typ -> HandleUpdateCollision record
copyField = CopyField
-- | Postgres specific 'upsertWhere'. This method does the following:
-- It will insert a record if no matching unique key exists.
-- If a unique key exists, it will update the relevant field with a user-supplied value, however,
-- it will only do this update on a user-supplied condition.
-- For example, here's how this method could be called like such:
--
-- @
-- upsertWhere record [recordField =. newValue] [recordField /= newValue]
-- @
--
-- Called thusly, this method will insert a new record (if none exists) OR update a recordField with a new value
-- assuming the condition in the last block is met.
--
-- @since 2.12.1.0
upsertWhere
:: ( backend ~ PersistEntityBackend record
, PersistEntity record
, PersistEntityBackend record ~ SqlBackend
, MonadIO m
, PersistStore backend
, BackendCompatible SqlBackend backend
, OnlyOneUniqueKey record
)
=> record
-> [Update record]
-> [Filter record]
-> ReaderT backend m ()
upsertWhere record updates filts =
upsertManyWhere [record] [] updates filts
-- | Postgres specific 'upsertManyWhere'. This method does the following:
-- It will insert a record if no matching unique key exists.
-- If a unique key exists, it will update the relevant field with a user-supplied value, however,
-- it will only do this update on a user-supplied condition.
-- For example, here's how this method could be called like such:
--
-- upsertManyWhere [record] [recordField =. newValue] [recordField !=. newValue]
--
-- Called thusly, this method will insert a new record (if none exists) OR update a recordField with a new value
-- assuming the condition in the last block is met.
--
-- @since 2.12.1.0
upsertManyWhere
:: forall record backend m.
( backend ~ PersistEntityBackend record
, BackendCompatible SqlBackend backend
, PersistEntityBackend record ~ SqlBackend
, PersistEntity record
, OnlyOneUniqueKey record
, MonadIO m
)
=> [record]
-- ^ A list of the records you want to insert, or update
-> [HandleUpdateCollision record]
-- ^ A list of the fields you want to copy over.
-> [Update record]
-- ^ A list of the updates to apply that aren't dependent on the record
-- being inserted.
-> [Filter record]
-- ^ A filter condition that dictates the scope of the updates
-> ReaderT backend m ()
upsertManyWhere [] _ _ _ = return ()
upsertManyWhere records fieldValues updates filters = do
conn <- asks projectBackend
let uniqDef = onlyOneUniqueDef (Proxy :: Proxy record)
uncurry rawExecute $
mkBulkUpsertQuery records conn fieldValues updates filters uniqDef
-- | Exclude any record field if it doesn't match the filter record. Used only in `upsertWhere` and
-- `upsertManyWhere`
--
-- TODO: we could probably make a sum type for the `Filter` record that's passed into the `upsertWhere` and
-- `upsertManyWhere` methods that has similar behavior to the HandleCollisionUpdate type.
--
-- @since 2.12.1.0
excludeNotEqualToOriginal
:: (PersistField typ, PersistEntity rec)
=> EntityField rec typ
-> Filter rec
excludeNotEqualToOriginal field =
Filter
{ filterField =
field
, filterFilter =
Ne
, filterValue =
UnsafeValue $
PersistLiteral_
Unescaped
bsForExcludedField
}
where
bsForExcludedField =
T.encodeUtf8
$ "EXCLUDED."
<> fieldName field
-- | This creates the query for 'upsertManyWhere'. If you
-- provide an empty list of updates to perform, then it will generate
-- a dummy/no-op update using the first field of the record. This avoids
-- duplicate key exceptions.
mkBulkUpsertQuery
:: (PersistEntity record, PersistEntityBackend record ~ SqlBackend, OnlyOneUniqueKey record)
=> [record]
-- ^ A list of the records you want to insert, or update
-> SqlBackend
-> [HandleUpdateCollision record]
-- ^ A list of the fields you want to copy over.
-> [Update record]
-- ^ A list of the updates to apply that aren't dependent on the record being inserted.
-> [Filter record]
-- ^ A filter condition that dictates the scope of the updates
-> UniqueDef
-- ^ The specific uniqueness constraint to use on the record. Postgres
-- rquires that we use exactly one relevant constraint, and it can't do
-- a catch-all. How frustrating!
-> (Text, [PersistValue])
mkBulkUpsertQuery records conn fieldValues updates filters uniqDef =
(q, recordValues <> updsValues <> copyUnlessValues <> whereVals)
where
mfieldDef x = case x of
CopyField rec -> Right (fieldDbToText (persistFieldDef rec))
CopyUnlessEq rec val -> Left (fieldDbToText (persistFieldDef rec), toPersistValue val)
(fieldsToMaybeCopy, updateFieldNames) = partitionEithers $ map mfieldDef fieldValues
fieldDbToText = escapeF . fieldDB
entityDef' = entityDef records
conflictColumns =
map (escapeF . snd) $ NEL.toList $ uniqueFields uniqDef
firstField = case entityFieldNames of
[] -> error "The entity you're trying to insert does not have any fields."
(field:_) -> field
entityFieldNames = map fieldDbToText (getEntityFields entityDef')
nameOfTable = escapeE . getEntityDBName $ entityDef'
copyUnlessValues = map snd fieldsToMaybeCopy
recordValues = concatMap (map toPersistValue . toPersistFields) records
recordPlaceholders =
Util.commaSeparated
$ map (Util.parenWrapped . Util.commaSeparated . map (const "?") . toPersistFields)
$ records
mkCondFieldSet n _ =
T.concat
[ n
, "=COALESCE("
, "NULLIF("
, "EXCLUDED."
, n
, ","
, "?"
, ")"
, ","
, nameOfTable
, "."
, n
,")"
]
condFieldSets = map (uncurry mkCondFieldSet) fieldsToMaybeCopy
fieldSets = map (\n -> T.concat [n, "=EXCLUDED.", n, ""]) updateFieldNames
upds = map (Util.mkUpdateText' (escapeF) (\n -> T.concat [nameOfTable, ".", n])) updates
updsValues = map (\(Update _ val _) -> toPersistValue val) updates
(wher, whereVals) =
if null filters
then ("", [])
else (filterClauseWithVals (Just PrefixTableName) conn filters)
updateText =
case fieldSets <> upds <> condFieldSets of
[] ->
-- This case is really annoying, and probably unlikely to be
-- actually hit - someone would have had to call something like
-- `upsertManyWhere [] [] []`, but that would have been caught
-- by the prior case.
-- Would be nice to have something like a `NonEmpty (These ...)`
-- instead of multiple lists...
T.concat [firstField, "=", nameOfTable, ".", firstField]
xs ->
Util.commaSeparated xs
q = T.concat
[ "INSERT INTO "
, nameOfTable
, Util.parenWrapped . Util.commaSeparated $ entityFieldNames
, " VALUES "
, recordPlaceholders
, " ON CONFLICT "
, Util.parenWrapped $ Util.commaSeparated $ conflictColumns
, " DO UPDATE SET "
, updateText
, wher
]
putManySql' :: [Text] -> [FieldDef] -> EntityDef -> Int -> Text
putManySql' conflictColumns (filter isFieldNotGenerated -> fields) ent n = q
where
fieldDbToText = escapeF . fieldDB
mkAssignment f = T.concat [f, "=EXCLUDED.", f]
table = escapeE . getEntityDBName $ ent
columns = Util.commaSeparated $ map fieldDbToText fields
placeholders = map (const "?") fields
updates = map (mkAssignment . fieldDbToText) fields
q = T.concat
[ "INSERT INTO "
, table
, Util.parenWrapped columns
, " VALUES "
, Util.commaSeparated . replicate n
. Util.parenWrapped . Util.commaSeparated $ placeholders
, " ON CONFLICT "
, Util.parenWrapped . Util.commaSeparated $ conflictColumns
, " DO UPDATE SET "
, Util.commaSeparated updates
]
-- | Enable a Postgres extension. See https://www.postgresql.org/docs/current/static/contrib.html
-- for a list.
migrateEnableExtension :: Text -> Migration
migrateEnableExtension extName = WriterT $ WriterT $ do
res :: [Single Int] <-
rawSql "SELECT COUNT(*) FROM pg_catalog.pg_extension WHERE extname = ?" [PersistText extName]
if res == [Single 0]
then return (((), []) , [(False, "CREATe EXTENSION \"" <> extName <> "\"")])
else return (((), []), [])
postgresMkColumns :: [EntityDef] -> EntityDef -> ([Column], [UniqueDef], [ForeignDef])
postgresMkColumns allDefs t =
mkColumns allDefs t
$ setBackendSpecificForeignKeyName refName emptyBackendSpecificOverrides
-- | Wrapper for persistent SqlBackends that carry the corresponding
-- `Postgresql.Connection`.
--
-- @since 2.13.1.0
data RawPostgresql backend = RawPostgresql
{ persistentBackend :: backend
-- ^ The persistent backend
--
-- @since 2.13.1.0
, rawPostgresqlConnection :: PG.Connection
-- ^ The underlying `PG.Connection`
--
-- @since 2.13.1.0
}
instance BackendCompatible (RawPostgresql b) (RawPostgresql b) where
projectBackend = id
instance BackendCompatible b (RawPostgresql b) where
projectBackend = persistentBackend
withRawConnection
:: (PG.Connection -> SqlBackend)
-> PG.Connection
-> RawPostgresql SqlBackend
withRawConnection f conn = RawPostgresql
{ persistentBackend = f conn
, rawPostgresqlConnection = conn
}
-- | Create a PostgreSQL connection pool which also exposes the
-- raw connection. The raw counterpart to 'createPostgresqlPool'.
--
-- @since 2.13.1.0
createRawPostgresqlPool :: (MonadUnliftIO m, MonadLoggerIO m)
=> ConnectionString
-- ^ Connection string to the database.
-> Int
-- ^ Number of connections to be kept open
-- in the pool.
-> m (Pool (RawPostgresql SqlBackend))
createRawPostgresqlPool = createRawPostgresqlPoolModified (const $ return ())
-- | The raw counterpart to 'createPostgresqlPoolModified'.
--
-- @since 2.13.1.0
createRawPostgresqlPoolModified
:: (MonadUnliftIO m, MonadLoggerIO m)
=> (PG.Connection -> IO ()) -- ^ Action to perform after connection is created.
-> ConnectionString -- ^ Connection string to the database.
-> Int -- ^ Number of connections to be kept open in the pool.
-> m (Pool (RawPostgresql SqlBackend))
createRawPostgresqlPoolModified = createRawPostgresqlPoolModifiedWithVersion getServerVersion
-- | The raw counterpart to 'createPostgresqlPoolModifiedWithVersion'.
--
-- @since 2.13.1.0
createRawPostgresqlPoolModifiedWithVersion
:: (MonadUnliftIO m, MonadLoggerIO m)
=> (PG.Connection -> IO (Maybe Double)) -- ^ Action to perform to get the server version.
-> (PG.Connection -> IO ()) -- ^ Action to perform after connection is created.
-> ConnectionString -- ^ Connection string to the database.
-> Int -- ^ Number of connections to be kept open in the pool.
-> m (Pool (RawPostgresql SqlBackend))
createRawPostgresqlPoolModifiedWithVersion getVerDouble modConn ci = do
let getVer = oldGetVersionToNew getVerDouble
createSqlPool $ open' modConn getVer withRawConnection ci
-- | The raw counterpart to 'createPostgresqlPoolWithConf'.
--
-- @since 2.13.1.0
createRawPostgresqlPoolWithConf
:: (MonadUnliftIO m, MonadLoggerIO m)
=> PostgresConf -- ^ Configuration for connecting to Postgres
-> PostgresConfHooks -- ^ Record of callback functions
-> m (Pool (RawPostgresql SqlBackend))
createRawPostgresqlPoolWithConf conf hooks = do
let getVer = pgConfHooksGetServerVersion hooks
modConn = pgConfHooksAfterCreate hooks
createSqlPoolWithConfig (open' modConn getVer withRawConnection (pgConnStr conf)) (postgresConfToConnectionPoolConfig conf)
#if MIN_VERSION_base(4,12,0)
instance (PersistCore b) => PersistCore (RawPostgresql b) where
newtype BackendKey (RawPostgresql b) = RawPostgresqlKey { unRawPostgresqlKey :: BackendKey (Compatible b (RawPostgresql b)) }
makeCompatibleKeyInstances [t| forall b. Compatible b (RawPostgresql b) |]
#else
instance (PersistCore b) => PersistCore (RawPostgresql b) where
newtype BackendKey (RawPostgresql b) = RawPostgresqlKey { unRawPostgresqlKey :: BackendKey (RawPostgresql b) }
deriving instance (Show (BackendKey b)) => Show (BackendKey (RawPostgresql b))
deriving instance (Read (BackendKey b)) => Read (BackendKey (RawPostgresql b))
deriving instance (Eq (BackendKey b)) => Eq (BackendKey (RawPostgresql b))
deriving instance (Ord (BackendKey b)) => Ord (BackendKey (RawPostgresql b))
deriving instance (Num (BackendKey b)) => Num (BackendKey (RawPostgresql b))
deriving instance (Integral (BackendKey b)) => Integral (BackendKey (RawPostgresql b))
deriving instance (PersistField (BackendKey b)) => PersistField (BackendKey (RawPostgresql b))
deriving instance (PersistFieldSql (BackendKey b)) => PersistFieldSql (BackendKey (RawPostgresql b))
deriving instance (Real (BackendKey b)) => Real (BackendKey (RawPostgresql b))
deriving instance (Enum (BackendKey b)) => Enum (BackendKey (RawPostgresql b))
deriving instance (Bounded (BackendKey b)) => Bounded (BackendKey (RawPostgresql b))
deriving instance (ToJSON (BackendKey b)) => ToJSON (BackendKey (RawPostgresql b))
deriving instance (FromJSON (BackendKey b)) => FromJSON (BackendKey (RawPostgresql b))
#endif
#if MIN_VERSION_base(4,12,0)
$(pure [])
makeCompatibleInstances [t| forall b. Compatible b (RawPostgresql b) |]
#else
instance HasPersistBackend b => HasPersistBackend (RawPostgresql b) where
type BaseBackend (RawPostgresql b) = BaseBackend b
persistBackend = persistBackend . persistentBackend
instance (PersistStoreRead b) => PersistStoreRead (RawPostgresql b) where
get = withReaderT persistentBackend . get
getMany = withReaderT persistentBackend . getMany
instance (PersistQueryRead b) => PersistQueryRead (RawPostgresql b) where
selectSourceRes filts opts = withReaderT persistentBackend $ selectSourceRes filts opts
selectFirst filts opts = withReaderT persistentBackend $ selectFirst filts opts
selectKeysRes filts opts = withReaderT persistentBackend $ selectKeysRes filts opts
count = withReaderT persistentBackend . count
exists = withReaderT persistentBackend . exists
instance (PersistQueryWrite b) => PersistQueryWrite (RawPostgresql b) where
updateWhere filts updates = withReaderT persistentBackend $ updateWhere filts updates
deleteWhere = withReaderT persistentBackend . deleteWhere
instance (PersistUniqueRead b) => PersistUniqueRead (RawPostgresql b) where
getBy = withReaderT persistentBackend . getBy
instance (PersistStoreWrite b) => PersistStoreWrite (RawPostgresql b) where
insert = withReaderT persistentBackend . insert
insert_ = withReaderT persistentBackend . insert_
insertMany = withReaderT persistentBackend . insertMany
insertMany_ = withReaderT persistentBackend . insertMany_
insertEntityMany = withReaderT persistentBackend . insertEntityMany
insertKey k = withReaderT persistentBackend . insertKey k
repsert k = withReaderT persistentBackend . repsert k
repsertMany = withReaderT persistentBackend . repsertMany
replace k = withReaderT persistentBackend . replace k
delete = withReaderT persistentBackend . delete
update k = withReaderT persistentBackend . update k
updateGet k = withReaderT persistentBackend . updateGet k
instance (PersistUniqueWrite b) => PersistUniqueWrite (RawPostgresql b) where
deleteBy = withReaderT persistentBackend . deleteBy
insertUnique = withReaderT persistentBackend . insertUnique
upsert rec = withReaderT persistentBackend . upsert rec
upsertBy uniq rec = withReaderT persistentBackend . upsertBy uniq rec
putMany = withReaderT persistentBackend . putMany
#endif
|