Results: 175
Filter result with JSON keys
Filters with JSON keys. In this example the result will be filtered with
number
and
issue_date
keys of
document_details
column
SELECT *
FROM students
WHERE 1 
    AND JSON_EXTRACT(document_details, '$.number') = 8
    AND JSON_EXTRACT(document_details, '$.issue_date') = '2020-05-18'
ORDER BY id DESC
Adds new row with JSON column
document_details
INSERT INTO students (
    first_name, 
    last_name, 
    gender, 
    points, 
    document_details
) 
VALUES (
    'Beka', 
    'Gelashvili', 
    '1', 
    '82', 
    '{"issue_date":"2020-05-18", "expire_date":"2030-05-18", "number":"ET2312UO"}'
);
Get version using SQL query
Returns database version
SELECT 
    VERSION()
Equivalent of the query above is to use system variable
@@VERSION
SELECT 
    @@VERSION
Adds
JSON
type column for storing JSON objects / arrays
ALTER TABLE students
ADD  COLUMN document_details JSON
Creates TRIGGER
to_lower
that will run before updating any student and makes
first_name
lower case
DROP TRIGGER IF EXISTS to_lower;

CREATE TRIGGER to_lower
BEFORE UPDATE ON students
FOR EACH ROW
    SET NEW.first_name = LOWER(NEW.first_name);
Creates TRIGGER
to_upper
that will run before inserting student into students table and makes
first_name
UPPER CASE
DROP TRIGGER IF EXISTS to_upper;

CREATE TRIGGER to_upper
BEFORE INSERT ON students
FOR EACH ROW
    SET NEW.first_name = UPPER(NEW.first_name);
Lists all the possible commands that we can use with command line
--help
Grant limited privileges
Grants limited privileges to
uniuser1
user on
university
database
GRANT 
    SELECT, 
    INSERT, 
    UPDATE, 
    DELETE 
ON  `university`.* 
TO 'uniuser1'@'localhost';
Differences between user defined functions and procedures
There are several differences between user defined functions and procedures: 1. Function must return a value, whereas it's not necessary for procedure to return any value. 2. Function returns only one value, whereas procedure can return multiple values. 3. Function can be called by SQL statement like
SELECT full_name(first_name, last_name) FROM students
, whereas procedure can not be called in SQL queries. 4. Function uses
RETURN
keyword to return value, whereas procedure does not need the keyword to return values. 5. Function parameter can only be
IN
type, whereas procedure parameters can have one of the three types:
IN
,
OUT
or
IN OUT
6. Function usually is used in expressions like built-in functions or variables whereas procedure is usually used to execute some business logic
If the two parameters are equal,
NULLIF
function is going to return
NULL
SELECT
    id,
    first_name,
    NULLIF(gender, 0) student_gender
FROM students
Results: 175