1. 程式人生 > >MySQL-函數

MySQL-函數

進制轉換 rtrim str1 fun 執行 填充 instr .com substr

一、內置函數

官方文檔:https://dev.mysql.com/doc/refman/5.7/en/func-op-summary-ref.html

MySQL常用內置函數:
CHAR_LENGTH(str):返回值為傳入字符串的長度,長度的單位為字符

CONCAT(str1,str2,...):字符串拼接

CONCAT_WS(separator,str1,str2,...):可自定義連接符的字符串拼接

示例:
mysql> select concat_ws(‘-‘,‘admin‘,‘123‘);
+------------------------------+
| concat_ws(‘-‘,‘admin‘,‘123‘) |
+------------------------------+
| admin-123                    |
+------------------------------+

CONV(num,from_base,to_base):進制轉換

示例:將20從十進制轉換為二進制
mysql> select conv(20,10,2);
+---------------+
| conv(20,10,2) |
+---------------+
| 10100         |
+---------------+
1 row in set (0.00 sec)

INSERT(str,x_path,y_len,new_str):指定位置插入字符串

示例:
mysql> select insert(‘1234567‘,‘2‘,‘3‘,‘new‘);
+---------------------------------+
| insert(‘1234567‘,‘2‘,‘3‘,‘new‘) |
+---------------------------------+
| 1new567                         |
+---------------------------------+
1 row in set (0.00 sec)

INSTR(str,substr):返回字符串 str 中子字符串的第一個出現位置

LOWER(str):將字符串str變小寫
UPPER(str):將字符串str變大寫

TRIM(str):返回字符串str並刪除首尾部空格字符
LTRIM(str):返回字符串str並刪除首部空格字符

示例:
mysql> select ltrim(‘  1 2 3  ‘);
+--------------------+
| ltrim(‘  1 2 3  ‘) |
+--------------------+
| 1 2 3              |
+--------------------+

RTRIM(str):返回字符串str並刪除尾部空格字符

LEFT(str,len):返回字符串str左邊len個字符,len為null則返回null
RIGHT(str,len):返回字符串str右邊len個字符,len為null則返回null

REPLACE(str,old_str,new_str):new_str字符串替換old_str字符串
REVERSE(str):返回字符串 str ,順序和字符順序相反
REPEAT(str,count):返回重復count次數的字符串str

示例:
mysql> select repeat(‘hey‘,10);
+--------------------------------+
| repeat(‘hey‘,10)               |
+--------------------------------+
| heyheyheyheyheyheyheyheyheyhey |
+--------------------------------+

SUBSTRING(str,pos,len):返回字符串str中從位置pos起,長度為len的子字符串

RPAD(str,len,pad):用pad對str字符串從右邊開始填充,直到len長度
LPAD(str,len,pad):用pad對str字符串從左邊開始填充,直到len長度

示例:
mysql> select lpad(‘hello‘,10,‘#‘);
+----------------------+
| lpad(‘hello‘,10,‘#‘) |
+----------------------+
| #####hello           |
+----------------------+

二、自定義函數

MySQL自定義函數存儲著一系列的sql語句,與存儲過程類似,但不同的是函數只會返回一個值,而存儲過程不僅可以有返回值,還有結果集的輸出。

1、創建函數

f1函數可以傳入兩個int類型的值,函數返回結果也是int類型
delimiter \create function f1( i1 int, i2 int)
returns int
BEGIN
    declare num int;
    set num = i1 + i2;
    return(num);
END \delimiter ;

2、執行函數

#查詢使用
select f1(10,11);
#sql語句塊內賦值使用
declare num int;
select nid into num from student where nid = 1;

3、刪除函數

drop function func_name;

MySQL-函數