0

我面临一个奇怪的场景,我需要将一个整数与 varchar 匹配,其中包含在 oracle 中用逗号分隔的数字

例子:

表 t1:

id 整数
关键整数

表 t2

id 整数,
键 varchar2

T1 值为:

1,111
2,201
3,301

T2 值为:

1、《111301》
2、《111201》
3、《201301》

问题:有什么方法可以匹配或正则表达式匹配 T1 的键和 T2 的键?

4

1 回答 1

1

你可以在没有正则表达式的情况下进行常规加入:

select *
  from t1
       inner join t2
               on ','||t2.keys||',' like '%,'||to_char(t1.key)||',%';

例如:

SQL> create table t1(id, key)
  2  as
  3  select 1, 111 from dual union all
  4  select 2, 201 from dual union all
  5  select 3, 301 from dual;

Table created.

SQL> create table t2(id, keys)
  2  as
  3  select 1, '111,301' from dual union all
  4  select 2, '111,201' from dual union all
  5  select 3, '201,301' from dual;

Table created.

SQL> select *
  2    from t1
  3         inner join t2
  4                 on ','||t2.keys||',' like '%,'||to_char(t1.key)||',%';

        ID        KEY         ID KEYS
---------- ---------- ---------- -------
         1        111          1 111,301
         1        111          2 111,201
         2        201          2 111,201
         2        201          3 201,301
         3        301          1 111,301
         3        301          3 201,301

6 rows selected.

这不是正则表达式,只是连接。例如,假设我们想比较

KEY    KEYS
111    111,301

我们可以说

where keys like '%'||key||'%'

即扩展,这是

where '111,301' like '%111%'

匹配得很好。但我也在那里添加了一些逗号。即我这样做了:

where ',111,301,' like '%,111,%'

为什么?想象一下,您有以下数据:

KEY    KEYS
111    1111,301

如果我们进行简单的连接:

where '1111,301' like '%111%'

它会错误地匹配。通过在两边注入前导和尾随逗号:

where ',1111,301,' like '%,111,%'

is 不再错误匹配,因为,1111,is not like ,111,

于 2013-03-15T10:16:41.440 回答