pgsql字符串分割函数
梦想画家 人气:01. SPLIT_PART
SPLIT_PART() 函数通过指定分隔符分割字符串,并返回第N个子串。语法:
SPLIT_PART(string, delimiter, position)
- string : 待分割的字符串
- delimiter:指定分割字符串
- position:返回第几个字串,从1开始,该参数必须是正数。如果参数值大于分割后字符串的数量,函数返回空串。
示例:
SELECT SPLIT_PART('A,B,C', ',', 2); -- 返回B
下面我们利用该函数分割日期,获取年月日:
select split_part( current_date::text,'-',1) as year , split_part( current_date::text,'-',2) as month, split_part( current_date::text,'-',3) as day
返回信息:
year | month | day |
---|---|---|
2021 | 09 | 11 |
2.STRING_TO_ARRAY
该函数用于分割字符串至数组元素,请看语法:
string_to_array(string, delimiter [, null string])
- string : 待分割的字符串
- delimiter:指定分割字符串
- null string : 设定空串的字符串
举例:
SELECT string_to_array('xx~^~yy~^~zz', '~^~'); -- {xx,yy,zz} SELECT string_to_array('xx~^~yy~^~zz', '~^~', 'yy'); -- {xx,,zz}
我们也可以利用unnest函数返回表:
SELECT t as name FROM unnest(string_to_array('john,smith,jones', ',')) AS t;
name |
---|
john |
smith |
jones |
3. regexp_split_to_array
使用正则表达式分割字符串,请看语法:
regexp_split_to_array ( string text, pattern text [, flags text ] ) → text[]
请看示例:
postgres=# SELECT regexp_split_to_array('foo bar baz', '\s+'); regexp_split_to_array ----------------------- {foo,bar,baz} (1 row)
当然也有对应可以返回table的函数:
SELECT t as item FROM regexp_split_to_table('foo bar,baz', E'[\\s,]+') AS t;
返回结果:
item |
---|
foo |
bar |
baz |
4.regexp_split_to_array
select regexp_split_to_array('the,quick,brown;fox;jumps', '[,;]') AS subelements -- 返回 {the,quick,brown,fox,jumps}
于上面一样,只是返回数组类型。
5. regexp_matches
该函数返回匹配模式的字符串数组。如果需要返回所有匹配的集合,则需要的三个参数‘g’ (g 是 global 意思)。请看示例:
select regexp_matches('hello how are you', 'h[a-z]*', 'g') as words_starting_with_h
返回结果:
words_starting_with_h |
---|
{hello} |
{how} |
如果忽略 ‘g’ 参数,则仅返回第一项。
当然我们也可以使用regexp_replace函数进行替换:
select regexp_replace('yellow submarine', 'y[a-z]*w','blue'); -- 返回结果:blue submarine
总结
加载全部内容