3

考虑下表

--------------------------------
ID   | ColA    | ColB   | ColC
--------------------------------
1    | ABC     |        |
2    |         | XYZ    |
3    | PQR     |        |
4    | MNO     | PQR    |

我需要获取 ID = 1 的表的第一个空闲列。我该怎么做

例如:

If ID = 1,下一个空闲列是ColB
If ID = 2,下一个空闲列是ColA
If ID = 3,下一个空闲列是ColB
If ID = 4,下一个空闲列是ColC

4

4 回答 4

1

您可以在 mysql 中使用以下查询

select ID,if(colA is null,'colA',(if(colB is null,'colB',
(if(colC is null,'colC','no column is null'))))) as Result  from your_table_name

对于您的示例表,如果您执行我的查询,您将得到以下结果

在此处输入图像描述

于 2013-02-12T10:54:36.340 回答
1

尝试这个 :

select case 
when ColA is not null then 'ColA'
when ColB is not null then 'ColB'
when ColC is not null then 'ColC'

End FirstCol

from test

SQL小提琴

于 2013-02-12T10:46:24.713 回答
1

对于sql-server; (如果你想考虑空字符串('')也可以使用nullif(colName,'') is null)

Select Id, case when colA is null then 'colA'
                when colB is null then 'colB'
                when colC is null then 'colC'
                ...
           end freeCol
from yourTable
于 2013-02-12T10:42:54.903 回答
1

如果您想要列的名称,您可以执行以下操作:

SQL> select id, cola, colb, colc,
  2         coalesce(nvl2(cola, '', 'COLA'),
                     nvl2(colb, '', 'COLB'),
                     nvl2(colc, '', 'COLC')) first_free_col
  3    from tab;

        ID COL COL COL FIRST_FREE_COL
---------- --- --- --- --------------------------------
         1 ABC         COLB
         2     XYZ     COLA
         3 PQR         COLB
         4 MNO PQR     COLC

或案例

SQL> select id, cola, colb, colc,
  2         case when cola is null then 'COLA'
  3          when colb is null then 'COLB'
  4          when colc is null then 'COLC'
  5         end first_free_col
  6    from tab;

        ID COL COL COL FIRST_FREE_COL
---------- --- --- --- --------------------------------
         1 ABC         COLB
         2     XYZ     COLA
         3 PQR         COLB
         4 MNO PQR     COLC
于 2013-02-12T10:43:11.500 回答