oracle菜鳥學習之 select case when的使用
阿新 • • 發佈:2018-11-18
com 結束 bstr .com 第一個 rom The 表格 num [toc]
oracle菜鳥學習之 select case when的使用
格式語法
case
when 條件1 then action1
when 條件2 then action2
when 條件3 then action3
when 條件N then actionN
else action
end
例子
判斷現在是幾月
SQL> select case substr(‘20181118‘,5,2) 2 when ‘08‘ then ‘8yue‘ 3 when ‘09‘ then ‘9yue‘ 4 when ‘10‘ then ‘10yue‘ 5 when ‘11‘ then ‘11yue‘ 6 when ‘12‘ then ‘12yue‘ 7 else ‘other‘ 8 end 9 from dual; CASESUBSTR(‘201 --------------- 11yue SQL>
擴展知識:substr 截取
sbustr(‘str‘,x,y)
str:字符串
x:從x位開始
y:x位的後y位結束
SQL> select substr(‘123456‘,3,2) from dual;
SUBSTR
------
34
SQL>
實驗
實驗表如下:
sno:學號
km:科目
score:成績
grade:等級
create table score(sno number,km varchar2(8),score int,grade varchar2(4) default null); insert into score(sno,km,score) values(1,‘yw‘,65); insert into score(sno,km,score) values(2,‘sx‘,76); insert into score(sno,km,score) values(3,‘yw‘,86); insert into score(sno,km,score) values(4,‘yw‘,94);
查看表
SQL> select * from score;
SNO KM SCORE GRADE
---------- ------------------------ ---------- ------------
1 yw 65
2 sx 76
3 yw 86
4 yw 94
問題:給學生成績分等級,優秀、良好、中等、合格
思路:先查詢學號對應的成績
SQL> select sno,case 2 when score >=90 then ‘A‘ 3 when score >=80 then ‘B‘ 4 when score >=70 then ‘C‘ 5 when score >=60 then ‘D‘ 6 else ‘F‘ 7 end 8 from score; SNO CAS ---------- --- 1 D 2 C 3 B 4 A
思路:怎麽將等級插入表格?
update score set grade = ?
思路:選出等級的值
select grade from
(select sno,case
when score >=90 then ‘A‘
when score >=80 then ‘B‘
when score >=70 then ‘C‘
when score >=60 then ‘D‘
else ‘F‘
end as grade
9 from score);
GRADE
----------
D
C
B
A
思路:grade不能等於一個集合,只能等於某個值,怎麽選出某個值?
從圖中可以看出,如果我把第一個表取別名為a,但a.sno和score.sno相等的時候,grade的值唯一
update score set grade =
(select grade from
(select sno,case
when score >=90 then ‘A‘
when score >=80 then ‘B‘
when score >=70 then ‘C‘
when score >=60 then ‘D‘
else ‘F‘
end as grade
from score) a
where a.sno=score.sno
);
4 rows updated.
查看更新之後的表
SQL> select * from score;
SNO KM SCORE GRADE
---------- ------------------------ ---------- ----------
1 yw 65 D
2 sx 76 C
3 yw 86 B
4 yw 94 A
oracle菜鳥學習之 select case when的使用