SQL statement case when then else end returns a qualified value, sqlcase

Source: Internet
Author: User

SQL statement case when then else end returns a qualified value, sqlcase

Case has two formats

Simple Case functions and Case search functions:

--Simple Case function
CASE sex
          WHEN '1' THEN 'Male'
          WHEN '2' THEN 'Female'
ELSE 'Other' END
--Case search function
CASE WHEN sex = '1' THEN 'Male'
          WHEN sex = '2' THEN 'Female'
ELSE 'Other' END
 

These two methods can achieve the same function.Simple Case functions are relatively simple in writing, but there are some functional limitations compared with Case search functions.For example, write.
There is another issue to be aware,The Case function returns only the first value that meets the condition.The remaining Case section will be automatically ignored.

-For example, in the following SQL, you can never get the "second type" result
CASE WHEN col_1 IN ('a', 'b') THEN 'First class'
          WHEN col_1 IN ('a') THEN 'Second Class'
ELSE 'Other' END

Let's take a look at what we can do with the Case function.

1. Known Data is grouped and analyzed in another way. 

There are the following data: (for better understanding, I did not use country code, but directly use the country name as the Primary Key)

Country) Population (population)
China 600
USA 100
Canada 100
UK 200
France 300
Japan 250
Germany 200
Mexico 50
India 250


The population of Asia and North America is counted based on the population data of this country. The following result is returned.

Continent Population
Asia 1100
North America 250
Others 700


What do you do if you want to solve this problem? Generating a View with continent Code is a solution, but it is difficult to dynamically change the statistical method.
If the Case function is used, the SQL code is as follows:

SELECT SUM (population),
         CASE country
                 WHEN 'China' THEN 'Asia'
                 WHEN 'India' THEN 'Asia'
                 WHEN 'Japan' THEN 'Asia'
                 WHEN 'USA' THEN 'North America'
                 WHEN 'Canada' THEN 'North America'
                 WHEN 'Mexico' THEN 'North America'
         ELSE 'Other' END
FROM Table_A
GROUP BY CASE country
                 WHEN 'China' THEN 'Asia'
                 WHEN 'India' THEN 'Asia'
                 WHEN 'Japan' THEN 'Asia'
                 WHEN 'USA' THEN 'North America'
                 WHEN 'Canada' THEN 'North America'
                 WHEN 'Mexico' THEN 'North America'
         ELSE 'Other' END;
 

Similarly, we can use this method to determine the wage level and count the number of people at each level. The SQL code is as follows:

 
SELECT
        CASE WHEN salary <= 500 THEN '1'
             WHEN salary > 500 AND salary <= 600  THEN '2'
             WHEN salary > 600 AND salary <= 800  THEN '3'
             WHEN salary > 800 AND salary <= 1000 THEN '4'
        ELSE NULL END salary_class,
        COUNT(*)
FROM    Table_A
GROUP BY
        CASE WHEN salary <= 500 THEN '1'
             WHEN salary > 500 AND salary <= 600  THEN '2'
             WHEN salary > 600 AND salary <= 800  THEN '3'
             WHEN salary > 800 AND salary <= 1000 THEN '4'
        ELSE NULL END;
 

2. Use an SQL statement to group different conditions. 

The following data is available:

Country) Sex) Population (population)
China 1 340
China 2 260
USA 1 45
USA 2 55
Canada 1 51
Canada 2 49
UK 1 40
UK 2 60


Group by country and gender. The result is as follows:

Country Male Female
China 340 260
USA 45 55
Canada 51 49
UK 40 60


In normal cases, UNION can also be used to query with a statement. However, this will increase the consumption (two Select clauses), and the SQL statement will be relatively long.
The following is an example of using the Case function to complete this function.

 
SELECT country,
        SUM (CASE WHEN sex = '1' THEN
                       population ELSE 0 END),-
        SUM (CASE WHEN sex = '2' THEN
                       population ELSE 0 END)-female population
FROM Table_A
GROUP BY country;

In this way, Select is used to complete the output form of the explain table, which fully shows the power of the Case function.

3. Use the Case function in Check. 

Using the Case function in Check is a good solution in many cases. There may be a lot of people who don't need Check at all, so I suggest you try to use Check in SQL after reading the example below.
The following is an example.
Company A, the company has A rule that the wages of female employees must be higher than 1000 yuan. If you use Check and Case

CONSTRAINT check_salary CHECK
           ( CASE WHEN sex = '2'
                  THEN CASE WHEN salary > 1000
                        THEN 1 ELSE 0 END
                  ELSE 1 END = 1 )

If you simply use Check, as shown below:

CONSTRAINT check_salary CHECK           ( sex = '2' AND salary > 1000 )

The conditions of the female employee are met, and the male employee cannot enter the information.

4. Conditional UPDATE. 

For example, the following update conditions are available:

You can easily choose to execute two UPDATE statements, as shown below:

--Condition 1
UPDATE Personnel
SET salary = salary * 0.9
WHERE salary> = 5000;
--Condition 2
UPDATE Personnel
SET salary = salary * 1.15
WHERE salary> = 2000 AND salary <4600;
 

However, it is not as simple as you think. Suppose there is a personal salary of 5000 RMB. First, according to condition 1, the salary is reduced by 10% to 4500. Next, when we run the second SQL statement, because the salary of this person is within the range of 4500 to 2000, we need to increase by 4600. Finally, the salary of this person is 15%, which is not only not reduced, instead, it increases. If this is done in turn, 4600 of the employees will be reduced. No matter how absurd this rule is, if you want an SQL statement to implement this function, we need to use the Case function. The Code is as follows:

UPDATE Personnel
SET salary = CASE WHEN salary >= 5000
             THEN salary * 0.9
WHEN salary >= 2000 AND salary < 4600
THEN salary * 1.15
ELSE salary END;

Note that the ELSE salary in the last line is necessary. If there is no such line, the salary of a person who does not meet the two conditions will be written as NUll, which is not a good deal. In the Case function, the default value of the Else part is NULL, which is worth attention.
This method can also be used in many places, such as changing the primary key.
Generally, to exchange the Primary key, a, and B of two data, you need to temporarily store, copy, and read the data back. If you use the Case function, everything is much easier.

P_key Col_1 Col_2
A 1 Zhang San
B 2 Li Si
C 3 Wang Wu



Assume that the primary key must beaAndbExchange. The Code is as follows:

UPDATE SomeTable
SET p_key = CASE WHEN p_key = 'a'
THEN 'b'
WHEN p_key = 'b'
THEN 'a'
ELSE p_key END
WHERE p_key IN ('a', 'b');

You can also exchange two Unique keys. It should be noted that if primary keys need to be exchanged, most of the reasons are that the design of the table was not enough. We recommend that you check whether the table is properly designed.

5. Check whether the data of the two tables is consistent. 

The Case function is different from the DECODE function. IN the Case function, BETWEEN, LIKE, is null, IN, EXISTS, and so on can be used. For example, you can use IN and EXISTS to perform subqueries to implement more functions.
Two tables, tbl_A and tbl_ B, both of which have keyCol columns. Now we compare the two tables. If the data in the keyCol column of tbl_A can be found in the data in the keyCol column of tbl_ B, the return result is 'matched'. If not, the returned result is 'unmatched '.
To implement the following functions, you can use the following two statements:

-When using IN
SELECT keyCol,
CASE WHEN keyCol IN (SELECT keyCol FROM tbl_B)
THEN 'Matched'
ELSE 'Unmatched' END Label
FROM tbl_A;
--When using EXISTS
SELECT keyCol,
CASE WHEN EXISTS (SELECT * FROM tbl_B
WHERE tbl_A.keyCol = tbl_B.keyCol)
THEN 'Matched'
ELSE 'Unmatched' END Label
FROM tbl_A;

The results of using IN and EXISTS are the same. You can also use not in and not exists, but pay attention to NULL.

6. Use the aggregate function in the Case Function 

Assume that the following table exists.

Student ID (std_id) Course ID (class_id) Course name (class_name) Major: flag (main_class_flg)
100 1 Economics Y
100 2 History N
200 2 History N
200 3 Archaeology Y
200 4 Computer N
300 4 Computer N
400 5 Chemistry N
500 6 Mathematics N


Some students choose to take several courses (100,200) at the same time, and some students choose only one course (300,400,500 ). If you are a student of multiple courses, You must select a course as your major. The major is flag, which is written into Y. Students who only select one course, whose major is flag is N (in fact, if I write Y, there will be no troubles below. For example, please include more ).
Now we need to query the table according to the following two conditions:


The simple idea is to execute two different SQL statements for query.
Condition 1

--Condition 1: Students who choose only one course
SELECT std_id, MAX (class_id) AS main_class
FROM Studentclass
GROUP BY std_id
HAVING COUNT (*) = 1;

Execution result 1

STD_ID   MAIN_class
------   ----------
300      4
400      5
500      6


Condition 2

--Condition 2: Students who choose multiple courses
SELECT std_id, class_id AS main_class
FROM Studentclass
WHERE main_class_flg = 'Y';


If the Case function is used, we only need one SQL statement to solve the problem, as shown below:

SELECT std_id,
CASE WHEN COUNT (*) = 1-for students who choose only one course
THEN MAX (class_id)
ELSE MAX (CASE WHEN main_class_flg = 'Y'
THEN class_id
ELSE NULL END
)
END AS main_class
FROM Studentclass
GROUP BY std_id;

Running result

STD_ID   MAIN_class
------   ----------
100      1
200      3
300      4
400      5
500      6

By embedding Case functions in Case functions and using Case functions in aggregate functions, we can easily solve this problem. The use of the Case function gives us greater freedom.
Finally, I would like to remind the novice who uses the Case function not to make the following mistakes.

CASE col_1
WHEN 1        THEN 'Right'
WHEN NULL  THEN 'Wrong'
END

In this statement, the When Null Line always returns unknown, so Wrong will never occur. This statement can be replaced with WHEN col_1 = NULL. This IS an incorrect usage. In this case, we should use WHEN col_1 is null.


Related Article

Contact Us

The content source of this page is from Internet, which doesn't represent Alibaba Cloud's opinion; products and services mentioned on that page don't have any relationship with Alibaba Cloud. If the content of the page makes you feel confusing, please write us an email, we will handle the problem within 5 days after receiving your email.

If you find any instances of plagiarism from the community, please send an email to: info-contact@alibabacloud.com and provide relevant evidence. A staff member will contact you within 5 working days.

A Free Trial That Lets You Build Big!

Start building with 50+ products and up to 12 months usage for Elastic Compute Service

  • Sales Support

    1 on 1 presale consultation

  • After-Sales Support

    24/7 Technical Support 6 Free Tickets per Quarter Faster Response

  • Alibaba Cloud offers highly flexible support services tailored to meet your exact needs.