我想在bash中捕获一个PostgreSQL错误。
例如:

function create_database:
    sudo -u postgres psql -c "CREATE DATABASE $1 WITH OWNER $2;"

我想要能捕捉任何类型的postgres错误(不仅仅是create)并且echo错误的东西
如果错误return 1
如果我使用:
$RESULT=$(sudo -u postgres psql -c "CREATE DATABASE $1 WITH OWNER $2;")
我从psql得到了答案,但它是特定于操作的,因此我必须为每个SQL命令进行字符串匹配。

最佳答案

查看语句是否成功相当简单:只需检查返回代码。

$ sudo -u postgres psql -c 'melect 32'
ERROR:  syntax error at or near "melect"
LINE 1: melect 32
        ^
$ echo $?
1

$ sudo -u postgres psql -c 'DROP TABLE not_exists'
ERROR:  table "not_exists" does not exist
$ echo $?
1

$ sudo -u postgres psql -c 'SELECT 42'
 ?column?
----------
       42
(1 row)

$ echo $?
0

所以你的代码可以这样做:
sudo -u postgres psql -c "..." >/tmp/result 2>&1
if [ $? -ne 0 ]; then
    echo /tmp/result >>logfile
    rm -f /tmp/result
    exit 1
else
    rm -f /tmp/result
fi

关于bash - 在bash中捕获一个psql(PostgreSQL)命令错误,该错误可用于一般性的sql,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/52326395/

10-16 17:21