PL/SQL字符串實際上是一個可選的尺寸規格字符序列。字符可以是數字,字母,空白,特殊字符或全部的組合。 PL/SQL提供了三種類型的字符串:
固定長度字符串:在這樣的字符串,程序員指定的長度,同時聲明該字符串。該字符串是右填充空格以達到指定的長度。
變長字符串:在這樣的字符串,最大長度可達32,767,為字符串指定,並不需要填充。
字符大對象(CLOB):這是可變長度的字符串,可以達到128兆兆字節。
PL/ SQL字符串可以是變量或字面值。字符串文字被引號圍在內部。例如,
'This is a string literal. yiibai.com' Or 'hello world'
包括在字符串中單引號的文字,需要輸入兩個單引號彼此相鄰,如:
'this isn''t what it looks like'
Oracle數據庫提供了大量的字符串數據類型,如:CHAR,NCHAR,VARCHAR2,NVARCHAR2,CLOB和NCLOB。前面加上一個'N'的數據類型為“國家字符集”數據類型,即存儲Unicode字符數據。
如果需要聲明一個可變長度的字符串時,必須提供該字符串的最大長度。例如,VARCHAR2數據類型。下面的例子說明了聲明和使用一些字符串變量:
DECLARE name varchar2(20); company varchar2(30); introduction clob; choice char(1); BEGIN name := 'John Smith'; company := 'Infotech'; introduction := ' Hello! I''m John Smith from Infotech.'; choice := 'y'; IF choice = 'y' THEN dbms_output.put_line(name); dbms_output.put_line(company); dbms_output.put_line(introduction); END IF; END; /
當上述代碼在SQL提示符執行時,它產生了以下結果:
John Smith Infotech Corporation Hello! I'm John Smith from Infotech. PL/SQL procedure successfully completed
要聲明一個固定長度的字符串,使用CHAR數據類型。在這裡不必指定一個最大長度為固定長度的變量。如果超過了限制的長度,Oracle數據庫會自動使用所需的最大長度。所以,下面的兩個聲明下面是相同的:
red_flag CHAR(1) := 'Y'; red_flag CHAR := 'Y';
PL/ SQL提供了連接運算符(||)用於連接兩個字符串。下表提供了用PL / SQL提供的字符串功能(函數):
以下實施例說明了一些上述函數和它們的用途:
DECLARE greetings varchar2(11) := 'hello world'; BEGIN dbms_output.put_line(UPPER(greetings)); dbms_output.put_line(LOWER(greetings)); dbms_output.put_line(INITCAP(greetings)); /* retrieve the first character in the string */ dbms_output.put_line ( SUBSTR (greetings, 1, 1)); /* retrieve the last character in the string */ dbms_output.put_line ( SUBSTR (greetings, -1, 1)); /* retrieve five characters, starting from the seventh position. */ dbms_output.put_line ( SUBSTR (greetings, 7, 5)); /* retrieve the remainder of the string, starting from the second position. */ dbms_output.put_line ( SUBSTR (greetings, 2)); /* find the location of the first "e" */ dbms_output.put_line ( INSTR (greetings, 'e')); END; /
當上述代碼在SQL提示符執行時,它產生了以下結果:
HELLO WORLD hello world Hello World h d World ello World 2 PL/SQL procedure successfully completed.
DECLARE greetings varchar2(30) := '......Hello World.....'; BEGIN dbms_output.put_line(RTRIM(greetings,'.')); dbms_output.put_line(LTRIM(greetings, '.')); dbms_output.put_line(TRIM( '.' from greetings)); END; /
當上述代碼在SQL提示符執行時,它產生了以下結果:
......Hello World Hello World..... Hello World PL/SQL procedure successfully completed.