我试图弄清楚如何使用对象数组更新postgres表。我希望数组中的每个对象对应一个新行,每个键对应一个列,每个值都是要插入到该列中的数据。
还想知道如何在c#中调用该过程吗?
以下是数据格式:
[
{ col1: a, col2: 5, col3: 1, col4: one},
{ col1: b, col2: 6, col3: 2, col4: two},
{ col1: c, col2: 7, col3: 3, col4: three},
{ col1: d, col2: 8, col3: 4, col4: four},
]
这是我的预期输出:
col1 (varchar)| col2 (integer) | col3 (integer) | col4 (varchar)
-----------------+----------------+--------------------+------------------
a | 5 | 1 | one
b | 6 | 2 | two
c | 7 | 3 | three
d | 8 | 4 | four
I am passing the data format as array in stored procedure.
But want to know, how to cal the SP from c#?
The stored procedure I have written is:
CREATE OR REPLACE FUNCTION dbo.sp_insertorupdatereadings(d dbo.reading[])
RETURNS boolean AS
$BODY$
DECLARE
begin
--Update min values
update dbo.reading set
p7_1_5_1_0_first =subquery.p7_1_5_1_0_first,
p7_1_5_1_0_last =subquery.p7_1_5_1_0_last,
p7_1_5_2_0_first=subquery.p7_1_5_2_0_first,
p7_1_5_2_0_last=subquery.p7_1_5_2_0_last
From (select * from unnest(d)) as subquery
where dbo.reading.p7_1_5_1_0_first= subquery.p7_1_5_1_0_first;
-- insert new records
insert into dbo.reading
select * from unnest(d) as inserd where (id) not in (select id from dbo.reading);
end;
$BODY$
LANGUAGE plpgsql VOLATILE
COST 100;
ALTER FUNCTION dbo.reading(dbo.reading[])
OWNER TO postgres;
答案 0 :(得分:1)
实际查看存储过程和任何相关的.NET对象将对您有很大的帮助,因此我可以提供的大多数建议只是概念上的。
与其他使用命令对象的CommandType
属性的ADO适配器不同,对于NpgSql / PostgreSQL,您可以使用选择命令来调用存储过程:
using (NpgsqlCommand cmd = new NpgsqlCommand("select my_stored_proc()", conn))
{
cmd.ExecuteNonQuery();
}
如果有参数,它将遵循与其他任何命令(选择,插入,更新)相同的模式:
using (NpgsqlCommand cmd = new NpgsqlCommand("select my_stored_proc(:P1, :P2)", conn))
{
cmd.Parameters.AddWithValue("P1", "foo");
cmd.Parameters.AddWithValue("P2", 3.14);
cmd.ExecuteNonQuery();
}
您提到您的参数是一个数组...但是我不认为您可以拥有混合数据类型的Postgres数组,可以吗?当然,在C#中,您可以有一个对象数组,但我认为这不能干净地转换为PostgreSQL数组。
下面是一个带有整数数组的参数示例:
cmd.Parameters.Add(new NpgsqlParameter("NUMS", NpgsqlTypes.NpgsqlDbType.Array |
NpgsqlTypes.NpgsqlDbType.Integer));
cmd.Parameters[0].Value = new int[3] { 1, 2, 3};
如果您可以在问题中添加一些细节,也许我可以更好地说明答案。