如果表是空的,如何在pgsql表中插入多行?

时间:2018-03-20 15:34:51

标签: database postgresql blackboard

我正在为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;

3 个答案:

答案 0 :(得分:0)

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

这应该有效:

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;

答案 1 :(得分:0)

插入不会覆盖,所以我不理解你的那部分问题。 以下是插入多行的两种方法;第二个例子是单个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"

答案 2 :(得分:0)

我成功解决了这个问题。 在this帖子中,@ 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;