我正在学习Npgsql和PostgrSQL。我无法让这个简单的测试工作。这是我的功能:
CREATE OR REPLACE FUNCTION count_customers(_customerid integer DEFAULT NULL::integer)
RETURNS void AS
$BODY$
BEGIN
SELECT COUNT(*) FROM Customers
WHERE CustomerId = _customerid or _customerid is null;
END
$BODY$
LANGUAGE plpgsql VOLATILE
COST 100;
这是我的C#代码:
[Test]
public void ExecuteScalarTest()
{
NpgsqlConnection conn = new NpgsqlConnection("Host=localhost; Database=postgres; User ID=postgres; Password=password");
conn.Open();
IDbCommand command = conn.CreateCommand();
command.CommandText = "count_customers";
command.CommandType = CommandType.StoredProcedure;
object result = command.ExecuteScalar();
conn.Close();
Console.WriteLine(result);
}
我一直收到以下错误。
Npgsql.NpgsqlException:错误:42601:查询没有结果数据的目的地
答案 0 :(得分:2)
这与nPgSQL无关。您的问题出在您的存储功能中。
您已经在PL / PgSQL中编写了一个简单的包装器,但您还没有使用RETURN
。您不能在PL / PgSQL中使用SELECT
,除非其输出转到变量(通过SELECT INTO
或作为子查询,如x := (SELECT ...)
或RETURN QUERY
语句
你应该写:
BEGIN
RETURN QUERY
SELECT COUNT(*) FROM Customers
WHERE CustomerId = _customerid
OR _customerid is null;
END
并将您的过程定义为RETURNS bigint
,因为如果它返回void
,您显然无法从函数中获取值。此外,此功能为STABLE
而非VOLATILE
。如果你不确定,不要说什么。 COST
也是如此 - 除非你有充分的理由,否则就把它留下来。
但这仍然过于复杂。您可以使用简单的sql函数进行此类调用,例如
CREATE OR REPLACE FUNCTION count_customers(_customerid integer DEFAULT NULL::integer)
RETURNS bigint LANGUAGE sql STABLE AS
$BODY$
SELECT COUNT(*) FROM Customers
WHERE CustomerId = $1 OR $1 is null;
$BODY$;