我有一个包含两列的表格:
+---------+--------+
| keyword | color |
+---------+--------+
| foo | red |
| bar | yellow |
| fobar | red |
| baz | blue |
| bazbaz | green |
+---------+--------+
我需要在PostgreSQL中做一些单热编码和转换表:
+---------+-----+--------+-------+------+
| keyword | red | yellow | green | blue |
+---------+-----+--------+-------+------+
| foo | 1 | 0 | 0 | 0 |
| bar | 0 | 1 | 0 | 0 |
| fobar | 1 | 0 | 0 | 0 |
| baz | 0 | 0 | 0 | 1 |
| bazbaz | 0 | 0 | 1 | 0 |
+---------+-----+--------+-------+------+
是否可以仅使用SQL?关于如何开始的任何提示?
答案 0 :(得分:12)
如果我正确理解,您需要条件聚合:
select keyword,
count(case when color = 'red' then 1 end) as red,
count(case when color = 'yellow' then 1 end) as yellow
-- another colors here
from t
group by keyword
答案 1 :(得分:0)
要在具有大量列的表上使用此代码,请使用Python生成查询:
1)创建一个包含要用作列名的唯一变量的列表,并将其导入到Python中,例如:list
。
for item in list:
print('count(case when item=' +str(item)+ 'then 1 end) as is_'+str(item)+',')
2)复制输出(减去最后一行的最后一个逗号)
3)然后:
select keyword,
OUTPUT FROM PYTHON
from t
group by keyword
答案 2 :(得分:0)
使用tablefunc
扩展名和COALESCE()
to fill all NULL fields在测试用例中实现目标的另一种方法:
postgres=# create table t(keyword varchar,color varchar);
CREATE TABLE
postgres=# insert into t values ('foo','red'),('bar','yellow'),('fobar','red'),('baz','blue'),('bazbaz','green');
INSERT 0 5
postgres=# SELECT keyword, COALESCE(red,0) red,
COALESCE(blue,0) blue, COALESCE(green,0) green,
COALESCE(yellow,0) yellow
FROM crosstab(
$$select keyword, color, COALESCE('1',0) as onehot from test01
group by 1, 2 order by 1, 2$$,
$$select distinct color from test01 order by 1$$)
AS result(keyword varchar, blue int, green int, red int, yellow int);
keyword | red | blue | green | yellow
---------+-----+------+-------+--------
bar | 0 | 0 | 0 | 1
baz | 0 | 1 | 0 | 0
bazbaz | 0 | 0 | 1 | 0
fobar | 1 | 0 | 0 | 0
foo | 1 | 0 | 0 | 0
(5 rows)
postgres=#
如果您只是要获得psql
下的结果:
postgres=# select keyword, color, COALESCE('1',0) as onehot from t
--group by 1, 2 order by 1, 2
\crosstabview keyword color
keyword | red | yellow | blue | green
---------+-----+--------+------+-------
foo | 1 | | |
bar | | 1 | |
fobar | 1 | | |
baz | | | 1 |
bazbaz | | | | 1
(5 rows)
postgres=#