如何在 postgres 中使用 where 条件获取 table 包含数字和字符串的结果

How to get the result of table contains numeric and strings using where condition in postgres

我有一个 table 如下所示

当我selectitem_no>'1623G'从上面table

我要打印下面的结果

1623H | 1623I | 1666 | 1674 | 1912 | 1952 | 1953

我正在尝试以下命令

select * from t where substring(item_no,'([0-9]+)') :: int  > 1623G

但是没有给出结果 请帮忙

您可以将CONVERT_TO用作:

testdb1=# CREATE TABLE t (item_no varchar(20));
CREATE TABLE
testdb1=# INSERT INTO t VALUES('2'),('20'),('200'),('200a'),('200b'),('200c'),('2000');
INSERT 0 7
testdb1=# SELECT * FROM t;
 item_no 
---------
 2
 20
 200
 200a
 200b
 200c
 2000
(7 rows)

testdb1=# select * from t where substring(convert_to(item_no,'SQL_ASCII')::text,3)::int > substring(convert_to('2a','SQL_ASCII')::text,3)::int;
 item_no 
---------
 200
 200a
 200b
 200c
 2000
(5 rows)

testdb1=# select * from t where substring(convert_to(item_no,'SQL_ASCII')::text,3)::int > substring(convert_to('150','SQL_ASCII')::text,3)::int;
 item_no 
---------
 200
 200a
 200b
 200c
 2000
(5 rows)

我会采用正则表达式的方式:

demo:db<>fiddle

WITH cte AS (
    SELECT
        item_no,
        regexp_replace(item_no, '\D', '', 'g')::int AS digit,
        regexp_replace(item_no, '\d', '', 'g') AS nondigit,
        regexp_replace('200a', '\D', '', 'g')::int AS compare_digit,
        regexp_replace('200a', '\d', '', 'g') AS compare_nondigit
    FROM t
)
SELECT
    item_no
FROM
    cte
WHERE
    (digit > compare_digit) OR (digit = compare_digit AND nondigit > compare_nondigit)

将两个值(行值和比较值)拆分为其两个部分(数字和 non-digits)并分别比较每个部分。

很好奇有没有更好的解决办法