PostgreSQL判断字符串包含的几种方法:
方式一: position(substring in string):
position(substring in string)函数:参数一:目标字符串,参数二原字符串,如果包含目标字符串,会返回目标字符串笫一次出现的位置,可以根据返回值是否大于0来判断是否包含目标字符串
1
2
3
4
5
6
7
8
9
10
11
12
|
select position( 'aa' in 'abcd' );
position
----------
0
select position( 'ab' in 'abcd' );
position
----------
1
select position( 'ab' in 'abcdab' );
position
----------
1
|
方式二: strpos(string, substring)
strpos(string, substring)函数:参数一:原字符串,目标字符串,声明子串的位置,作用与position函数一致。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
|
select position( 'abcd' , 'aa' );
position
----------
0
select position( 'abcd' , 'ab' );
position
----------
1
select position( 'abcdab' , 'ab' );
position
----------
1
|
方式三:使用正则表达式
如果包含目标字符串返回t,不包含返回f
1
2
3
4
5
6
7
8
9
10
11
12
13
14
|
select 'abcd' ~ 'aa' as result;
result
------
f
select 'abcd' ~ 'ab' as result;
result
------
t
select 'abcdab' ~ 'ab' as result;
result
------
t
|
方式四:使用数组的@>操作符(不能准确判断是否包含)
1
2
3
4
5
6
7
8
9
|
select regexp_split_to_array( 'abcd' , '' ) @> array[ 'b' , 'e' ] as result;
result
------
f
select regexp_split_to_array( 'abcd' , '' ) @> array[ 'a' , 'b' ] as result;
result
------
t
|
注意下面这些例子:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
|
select regexp_split_to_array( 'abcd' , '' ) @> array[ 'a' , 'a' ] as result;
result
----------
t
select regexp_split_to_array( 'abcd' , '' ) @> array[ 'a' , 'c' ] as result;
result
----------
t
select regexp_split_to_array( 'abcd' , '' ) @> array[ 'a' , 'c' , 'a' , 'c' ] as result;
result
----------
t
|
可以看出,数组的包含操作符判断的时候不管顺序、重复,只要包含了就返回true,在真正使用的时候注意。
到此这篇关于PostgreSQL判断字符串是否包含目标字符串的文章就介绍到这了,更多相关PostgreSQL判断字符串内容请搜索服务器之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持服务器之家!
原文链接:https://blog.csdn.net/L00918/article/details/113932089