1

我正在为 Blackboard 开发一个 Building Block,并且遇到了与数据库相关的问题。

我正在尝试将四行插入 pgsql 表,但前提是该表为空。该查询作为模式后更新运行,因此在我重新安装构建块时运行。至关重要的是,我不要简单地删除现有值和/或替换它们(否则这将是一个简单而有效的解决方案)。

下面是我现有的查询,它可以完成这项工作,但只针对一行。正如我所提到的,我正在尝试插入四行。我不能简单地多次运行插入,因为在第一次运行之后,表将不再为空。

任何帮助都会得到帮助。

BEGIN;
    INSERT INTO my_table_name 
    SELECT
        nextval('my_table_name_SEQ'),
        'Some website URL', 
        'Some image URL',
        'Some website name',
        'Y',
        'Y'
    WHERE 
        NOT EXISTS (
            SELECT * FROM my_table_name
        );
    COMMIT;
END;
4

3 回答 3

0

我设法解决了这个问题。在这篇文章中,@a_horse_with_no_name 建议使用UNION ALL来解决类似的问题。

还要感谢@Dan 建议使用COUNT而不是EXISTS

我的最终查询:

BEGIN;

INSERT INTO my_table (pk1, coll1, coll2, coll3, coll4, coll5)
    SELECT x.pk1, x.coll1, x.coll2, x.coll3, x.coll4, x.coll5
        FROM (
            SELECT 
                nextval('my_table_SEQ') as pk1,
                'Some website URL' as coll1, 
                'Some image URL' as coll2,
                'Some website name' as coll3,
                'Y' as coll4,
                'Y' as coll5
            UNION
            SELECT
                nextval('my_table_SEQ'),
                'Some other website URL', 
                'Some other image URL',
                'Some other website name',
                'Y',
                'N'
            UNION
            SELECT
                nextval('my_table_SEQ'),
                'Some other other website URL', 
                'Some other other image URL',
                'Some other other website name',
                'Y',
                'N'
            UNION
            SELECT
                nextval('my_table_SEQ'),
                'Some other other other website URL', 
                'Some other other other image URL',
                'Some other other other website name',
                'Y',
                'Y'
        ) as x
    WHERE
        (SELECT COUNT(*) FROM my_table) <= 0;

    COMMIT;
END;
于 2018-03-21T14:55:25.277 回答
-1

如果您计算行数会更好,因为它会获取输入行数。

这应该有效:

BEGIN;
    INSERT INTO my_table_name 
    SELECT
        nextval('my_table_name_SEQ'),
        'Some website URL', 
        'Some image URL',
        'Some website name',
        'Y',
        'Y'
    WHERE 
        (SELECT COUNT(*) FROM my_table_name)>0
    COMMIT;
END;
于 2018-03-20T17:17:28.003 回答
-1

插入不会覆盖,所以我不理解你问题的那一部分。以下是插入多行的两种方法;第二个例子是一条 sql 语句:

创建表测试 (col1 int, col2 varchar(10) ) ;

insert into test select 1, 'A' ;
insert into test select 2, 'B' ;

insert into test (col1, col2)
values (3, 'C'),
       (4, 'D'),
       (5, 'E') ;


select * from test ;

1   "A"
2   "B"
3   "C"
4   "D"
5   "E"
于 2018-03-20T17:35:16.953 回答