PL/SQL運算符優先級

PL/SQL運算符優先級

運算符優先級確定表達式分組。這會影響一個表達式是如何進行計算。某些運算符的優先級高於其他運算符; 例如,乘法運算符的優先級比加法運算高:

例如 x =7 + 3* 2; 這裏,x被賦值13,而不是20,因爲運算符*具有優先級高於+,所以它首先被乘以3 * 2,然後再加上7。

這裏,具有最高優先級的操作出現在表的頂部,那些具有最低出現在底部。在表達式,更高的優先級運算符將首先計算。

運算符

操作符

**

指數運算

+, -

加法,取反

*, /

乘法,除法

+, -, ||

加,減,並置

=, <, >, <=, >=, <>, !=, ~=, ^=, 
IS NULL, LIKE, BETWEEN, IN

比較

NOT

邏輯否定

AND

關聯

OR

包含

示例:

試試下面的例子來理解運算符優先級在PL/ SQL中的使用:

DECLARE
a number(2) := 20;
b number(2) := 10;
c number(2) := 15;
d number(2) := 5;
e number(2) ;
BEGIN
e := (a + b) * c / d; -- ( 30 * 15 ) / 5
dbms_output.put_line('Value of (a + b) * c / d is : '|| e );

e := ((a + b) * c) / d; -- (30 * 15 ) / 5
dbms_output.put_line('Value of ((a + b) * c) / d is : ' || e );

e := (a + b) * (c / d); -- (30) * (15/5)
dbms_output.put_line('Value of (a + b) * (c / d) is : '|| e );

e := a + (b * c) / d; -- 20 + (150/5)
dbms_output.put_line('Value of a + (b * c) / d is : ' || e );
END;
/

當上述代碼在SQL提示符執行時,它產生了以下結果:

Value of (a + b) * c / d is : 90
Value of ((a + b) * c) / d is : 90
Value of (a + b) * (c / d) is : 90
Value of a + (b * c) / d is : 50

PL/SQL procedure successfully completed.