1

我正在运行一个 postgresql 数据库(也使用 timescaledb,用于 grafana),并且已经学习了如何使用以下方法对简单表进行下采样:

CREATE VIEW my_view
WITH (timescaledb.continuous) --Makes the view continuous
AS
SELECT
  time_bucket('1 min', time) as bucket,
  avg(sensor1),
  avg(sensor2),
  avg(sensor3)
FROM
  my_table
GROUP BY bucket;

此代码创建一个具有三个传感器的 VIEW,并从(例如)1 秒采样率下采样到 1 分钟采样率。

这一切都很好,直到我有一个包含数百列的表,我希望对其进行下采样。我不想写出这段代码,数百个平均值显式出现在每个传感器的查询中。我希望 postgresql 有一种方法可以一次将我的平均聚合应用于表的所有列。

我已经用谷歌搜索了很长时间的答案,这是我能找到的最接近的答案,尽管不是完全相同的问题:

选择聚合函数和所有其他列

我尝试使用语法 avg(*),但收到语法错误。

CREATE VIEW my_view
WITH (timescaledb.continuous) --Makes the view continuous
AS
SELECT
  time_bucket('1 min', time) as bucket,
  avg(sensor1),
  avg(sensor2),
  avg(sensor3)
FROM
  my_table
GROUP BY bucket;

另一种尝试是

CREATE VIEW my_view
WITH (timescaledb.continuous) --Makes the view continuous
AS
SELECT
  time_bucket('1 min', time) as bucket,
  avg(*)
FROM
  my_table
GROUP BY bucket;

这给出了语法错误。

我希望有一种方法可以执行此查询,而不必为每个传感器写出跨越数百行的代码。谢谢你的帮助。

4

1 回答 1

0

您可以使用目录表生成查询,然后在 psql 中使用 \gexec 执行它,

一个例子是

with avgs as (
   select string_agg('avg('||attname||')', ', ') as avg_text 
   from pg_attribute where attrelid ='my_table'::regclass
)·
select format(
$$·
  CREATE VIEW my_view
  WITH (timescaledb.continuous) --Makes the view continuous
  AS
  SELECT
    time_bucket('1 min', time) as bucket,
    %s                                                                                                                                                
FROM  my_table
GROUP BY bucket;
$$, 
avg_text) 
FROM avgs
\gexec
于 2019-06-07T22:20:40.127 回答