Suppose I have a table like this:
subject | flag ----------------+------ this is a test | 2
subject
is of type text
, and flag
is of type int
. I would like to transform this table to something like this in Postgres:
token | flag ----------------+------ this | 2 is | 2 a | 2 test | 2
Is there an easy way to do this?
We can use any of the string to split it; we can also use a column name as a substring to split the data from the column. Delimiter argument is used to split the string into sub-parts by using a split_part function in PostgreSQL. We can split the string into a number of parts using delimiter.
regexp_split_to_table() is a system function for splitting a string into a table using a POSIX regular expression as the delimiter.
In Postgres 9.3+ use a LATERAL
join. Minimal form:
SELECT token, flag FROM tbl, unnest(string_to_array(subject, ' ')) token WHERE flag = 2;
The comma in the FROM
list is (almost) equivalent to CROSS JOIN
, LATERAL
is automatically assumed for set-returning functions (SRF) in the FROM
list. Why "almost"? See:
The alias "token" for the derived table is also assumed as column alias for a single anonymous column, and we assumed distinct column names across the query. Equivalent, more verbose and less error-prone:
SELECT s.token, t.flag FROM tbl t CROSS JOIN LATERAL unnest(string_to_array(subject, ' ')) AS s(token) WHERE t.flag = 2;
Or move the SRF to the SELECT
list, which is allowed in Postgres (but not in standard SQL), to the same effect:
SELECT unnest(string_to_array(subject, ' ')) AS token, flag FROM tbl WHERE flag = 2;
The last one seems acceptable since SRF in the SELECT
list have been sanitized in Postgres 10. See:
If unnest()
does not return any rows (empty or NULL subject
), the (implicit) join eliminates the row from the result. Use LEFT JOIN ... ON true
to keep qualifying rows from tbl
. See:
We could also use regexp_split_to_table()
, but that's typically slower because regular expressions cost a bit more. See:
I think it's not necessary to use a join, just the unnest()
function in conjunction with string_to_array()
should do it:
SELECT unnest(string_to_array(subject, ' ')) as "token", flag FROM test; token | flag -------+------- this | 2 is | 2 a | 2 test | 2
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With