MariaDB Tutorial MariaDB Advanced MariaDB Database Account Management MariaDB References

MariaDB - User-Defined Variables



In MariaDB, you can store a value in a user-defined variable in one statement and refer to it later in another statement. This enables you to pass values from one statement to another.

Syntax

The syntax for creating a user-defined variable in MariaDB is given below:

SET @var_name = expr|value;

The variable name var_name consists of alphanumeric characters, ., _, and $. It can contain other characters also if it is quoted as a string or identifier, for example: @'my-var', @"my-var", or @`my-var`.

For SET, either = or := can be used as the assignment operator.

Example 1:

The example below demonstrates how to create a variable in MariaDB:

SET @name = "John";
SELECT @name;
+-------+
| @name |
+-------+
| John  |
+-------+

SET @name = "Marry";
SELECT @name;
+-------+
| @name |
+-------+
| Marry |
+-------+

Example 2:

Consider a database table called Employee with the following records:

EmpIDNameCityAgeSalary
1JohnLondon253000
2MarryNew York242750
3JoParis272800
4KimAmsterdam303100
5RameshLondon283000
6HuangLondon282800

In the query below, a user defined variable is used to select and filter the data:

SET @min_salary = 2800, @max_age = 30;
SELECT * FROM Employee
WHERE Salary > @min_salary AND Age < @max_age;

This result of the following code will be:

EmpIDNameCityAgeSalary
1JohnLondon253000
5RameshNew Delhi283000

Declare the type of user-defined variable

In MariaDB, type of the user-defined variables cannot be declared. The only way to force their type is using CAST() or CONVERT():

SET @str = CAST(123 AS CHAR(5));

If a variable has not been used yet, its value will be NULL:

SELECT @x IS NULL;
+------------+
| @x IS NULL |
+------------+
|          1 |
+------------+