MySQL 資料庫中 IF EXISTS 的使用

Preet Sanghavi 2023年1月30日
  1. MySQL 中 EXISTS 運算子的基本用法
  2. 在 MySQL 中使用 IF EXISTS 運算子
MySQL 資料庫中 IF EXISTS 的使用

在本教程中,我們旨在探索 MySQL 中的 IF EXISTS 語句。

然而,在我們開始之前,我們建立了一個虛擬資料集來使用。在這裡,我們建立了一個表,student_details,以及其中的幾行。

-- create the table student_details
CREATE TABLE student_details(
  stu_id int,
  stu_firstName varchar(255) DEFAULT NULL,
  stu_lastName varchar(255) DEFAULT NULL,
  primary key(stu_id)
);
-- insert rows to the table student_details
INSERT INTO student_details(stu_id,stu_firstName,stu_lastName) 
 VALUES(1,"Preet","Sanghavi"),
 (2,"Rich","John"),
 (3,"Veron","Brow"),
 (4,"Geo","Jos"),
 (5,"Hash","Shah"),
 (6,"Sachin","Parker"),
 (7,"David","Miller");

上面的查詢建立了一個表以及其中包含學生名字和姓氏的行。要檢視資料中的條目,我們使用以下程式碼。

SELECT * FROM student_details;

上述程式碼將給出以下輸出:

stu_id	stu_firstName	stu_lastName
1	      Preet	        Sanghavi
2	      Rich	        John
3	      Veron	        Brow
4	      Geo	        Jos
5	      Hash	        Shah
6	      Sachin	    Parker
7	      David	        Miller

MySQL 中 EXISTS 運算子的基本用法

MySQL 中的 EXISTS 條件通常與包含要滿足的條件的子查詢一起使用。如果滿足此條件,則子查詢至少返回一行。此方法可用於 DELETESELECTINSERTUPDATE 語句。

-- Here we select columns from the table based on a certain condition
SELECT column_name  
FROM table_name  
WHERE EXISTS (  
    SELECT column_name   
    FROM table_name   
    WHERE condition  
);  

此處,condition 表示從特定列中選擇行時的過濾條件。

要檢查 stu_firstName 列中是否存在 stu_id = 4 的學生,我們將使用以下程式碼:

-- Here we save the output of the code as RESULT
SELECT EXISTS(SELECT * from student_details WHERE stu_id=4) as RESULT;  

上述程式碼將給出以下輸出:

RESULT
1

上面程式碼塊中的 1 代表一個布林值,這表明有一個學生的 stu_id = 4。

在 MySQL 中使用 IF EXISTS 運算子

有時,我們希望檢查表中特定值的存在,並根據該條件的存在更改我們的輸出。此操作的語法如下:

SELECT IF( EXISTS(
             SELECT column_name
             FROM table_name
             WHERE condition), 1, 0)

此處,如果 IF 語句返回 True,則查詢的輸出為 1。否則,它返回 0。

如果表中存在具有 stu_id=4 的學生,讓我們編寫一個返回 Yes, exists 的查詢。否則,我們要返回不,不存在。要執行此操作,請檢視以下程式碼:

SELECT IF( EXISTS(
             SELECT stu_firstName
             FROM student_details
             WHERE stu_id = 4), 'Yes, exists', 'No, does not exist') as RESULT;

上述程式碼將給出以下輸出:

RESULT
Yes, exists

現在,讓我們嘗試查詢 stu_id = 11 的學生。可以使用以下查詢執行此操作:

SELECT IF( EXISTS(
             SELECT stu_firstName
             FROM student_details
             WHERE stu_id = 11), 'Yes, exists', 'No, does not exist') as RESULT;
注意
我們使用 ALIAS RESULT 在輸出程式碼塊中顯示我們的輸出。

上述程式碼將給出以下輸出:

RESULT
No, does not exist
注意
通常,在 MySQL 中使用 EXISTS 方法的 SQL 查詢非常慢,因為子查詢會針對外部查詢表中的每個條目重新執行。有更快、更有效的方法來表達大多數查詢而不使用 EXISTS 條件。

因此,我們已經成功地在 MySQL 中實現了 IF EXISTS

作者: Preet Sanghavi
Preet Sanghavi avatar Preet Sanghavi avatar

Preet writes his thoughts about programming in a simplified manner to help others learn better. With thorough research, his articles offer descriptive and easy to understand solutions.

LinkedIn GitHub

相關文章 - MySQL Query