search
HomeDatabaseMysql TutorialDetailed explanation of the four SQL languages: DDL DML DCL TCL_MySQL

I have seen many people discussing that SQL is divided into four types. Let’s popularize the knowledge here and summarize their differences.

1. DDL – Data Definition Language

Database definition language: defines the structure of the database.

The main commands are CREATE, ALTER, DROP, etc., which are explained in detail below with examples. This language does not require commit, so be cautious.

CREATE – to create objects in the database Create objects in the database

Example:

CREATE DATABASE test; // 创建一个名为test的数据库

ALTER – alters the structure of the database Modify the database structure

Example:

ALTER TABLE test ADD birthday date; // 修改test表,新增date类型的birthday列

DROP – delete objects from the database Delete objects from the database

Example:

DROP DATABASE test;// 删除test数据库

And others:

TRUNCATE – truncate table contents (very common during development period)

COMMENT – Add comments to the data dictionary

2. DML – Data Manipulation Language

Database operation language: Processing data in the database in SQL

The main commands include INSERT, UPDATE, DELETE, etc. These examples are commonly used by everyone and I will not introduce them one by one. This language requires commit. There is also the commonly used LOCK TABLE.

There are other unfamiliar ones:

CALL – Call a PL/SQL or Java subroutine

EXPLAIN PLAN – Analyze and analyze data access path

3. DCL – Data Control Language

Database control language: authorization, role control, etc.

GRANT – Grant access to users

REVOKE – revoke authorization permission

4. TCL – Transaction Control Language

Transaction Control Language

COMMIT – Save completed work

SAVEPOINT – Sets a savepoint in a transaction and can roll back to it

ROLLBACK –Rollback

SET TRANSACTION – Change transaction options

Example: JDBC in Java encapsulates support for transactions. For example, we first create a new table: test

test.sql

SET NAMES utf8;
SET FOREIGN_KEY_CHECKS = 0;
 
-- ----------------------------
-- Table structure for `city`
-- ----------------------------
DROP TABLE IF EXISTS `city`;
CREATE TABLE `city` (
 `id` int(11) NOT NULL DEFAULT '0' COMMENT '城市ID',
 `name` varchar(20) DEFAULT NULL COMMENT '名称',
 `state` varchar(20) DEFAULT NULL COMMENT '状态',
 `country` varchar(20) DEFAULT NULL,
 PRIMARY KEY (`id`)
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
 
SET FOREIGN_KEY_CHECKS = 1;

The first example of JDBC transaction rollback - JDBC database transaction rollback:

/**
 * 描述:JDBC数据库事务回滚
 *
 * Created by bysocket on 16/6/6.
 */
public class TransactionRollBack extends BaseJDBC {
 
  public static void main(String[] args) throws SQLException {
    Connection conn = null;
    try {
      // 加载数据库驱动
      Class.forName(DRIVER);
      // 数据库连接
      conn = DriverManager.getConnection(URL,USER,PWD);
 
      // 关闭自动提交的事务机制
      conn.setAutoCommit(false);
      // 设置事务隔离级别 SERIALIZABLE
      conn.setTransactionIsolation(Connection.TRANSACTION_SERIALIZABLE);
 
      Statement stmt = conn.createStatement();
      int rows = stmt.executeUpdate("INSERT INTO city VALUES (3,'china',1,'cc')");
      rows = stmt.executeUpdate("UPDATE city set country = 'TAIWAN' WHERE id = 4");
 
      // 提交事务
      conn.commit();
    } catch (Exception e) {
      e.printStackTrace();
      // 回滚事务
      if (conn != null) {
        conn.rollback();
      }
    } finally {
      /** 关闭数据库连接 */
      if (conn != null) {
        try {
          conn.close();
        } catch (SQLException e) {
          e.printStackTrace();
        }
      }
    }
  }
}

Line 19: The transaction isolation level is set to SERIALIZABLE. The underlying call is SET TRANSACTION of TCL language

Line 22: Execution passes, inserting data

Line 23: The execution fails, there is no record with primary key 4, and an exception is thrown directly

Line 31: Transaction rollback, encapsulated is the ROLLBACK of the TCL statement

The second example of JDBC transaction rollback - JDBC database transaction rollback, rollback to a specific save point:

/**
 * 描述:JDBC数据库事务回滚,回滚到特定的保存点
 *
 * Created by bysocket on 16/6/6.
 */
public class TransactionRollBack2 extends BaseJDBC {
  public static void main(String[] args) throws SQLException {
    Connection conn = null;
    Savepoint svpt = null;
    try {
      // 加载数据库驱动
      Class.forName(DRIVER);
      // 数据库连接
      conn = DriverManager.getConnection(URL,USER,PWD);
 
      // 关闭自动提交的事务机制
      conn.setAutoCommit(false);
      // 设置事务隔离级别 SERIALIZABLE
      conn.setTransactionIsolation(Connection.TRANSACTION_SERIALIZABLE);
 
      Statement stmt = conn.createStatement();
      int rows = stmt.executeUpdate("INSERT INTO city VALUES (3,'china',1,'cc')");
      // 设置事务保存点
      svpt = conn.setSavepoint();
      rows = stmt.executeUpdate("UPDATE city set country = 'TAIWAN' WHERE id = 4");
 
      // 提交事务
      conn.commit();
    } catch (Exception e) {
      e.printStackTrace();
      // 回滚事务
      if (conn != null) {
        conn.rollback(svpt);
      }
    } finally {
      /** 关闭数据库连接 */
      if (conn != null) {
        try {
          conn.close();
        } catch (SQLException e) {
          e.printStackTrace();
        }
      }
    }
  }
}

I won’t mention the duplicates of the first example.

Line 9: Declare a savepoint

Line 24: Savepoint set

Line 33: Roll back transaction to this savepoint

The above code involves SAVEPOINT in TCL language

Finally, here is a picture to summarize: (SELECT belongs to DQL.)

I hope this article will be helpful to everyone learning sql.

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
SQL Server使用CROSS APPLY与OUTER APPLY实现连接查询SQL Server使用CROSS APPLY与OUTER APPLY实现连接查询Aug 26, 2022 pm 02:07 PM

本篇文章给大家带来了关于SQL的相关知识,其中主要介绍了SQL Server使用CROSS APPLY与OUTER APPLY实现连接查询的方法,文中通过示例代码介绍的非常详细,下面一起来看一下,希望对大家有帮助。

SQL Server解析/操作Json格式字段数据的方法实例SQL Server解析/操作Json格式字段数据的方法实例Aug 29, 2022 pm 12:00 PM

本篇文章给大家带来了关于SQL server的相关知识,其中主要介绍了SQL SERVER没有自带的解析json函数,需要自建一个函数(表值函数),下面介绍关于SQL Server解析/操作Json格式字段数据的相关资料,希望对大家有帮助。

聊聊优化sql中order By语句的方法聊聊优化sql中order By语句的方法Sep 27, 2022 pm 01:45 PM

如何优化sql中的orderBy语句?下面本篇文章给大家介绍一下优化sql中orderBy语句的方法,具有很好的参考价值,希望对大家有所帮助。

Monaco Editor如何实现SQL和Java代码提示?Monaco Editor如何实现SQL和Java代码提示?May 07, 2023 pm 10:13 PM

monacoeditor创建//创建和设置值if(!this.monacoEditor){this.monacoEditor=monaco.editor.create(this._node,{value:value||code,language:language,...options});this.monacoEditor.onDidChangeModelContent(e=>{constvalue=this.monacoEditor.getValue();//使value和其值保持一致i

一文搞懂SQL中的开窗函数一文搞懂SQL中的开窗函数Sep 02, 2022 pm 04:55 PM

本篇文章给大家带来了关于SQL server的相关知识,开窗函数也叫分析函数有两类,一类是聚合开窗函数,一类是排序开窗函数,下面这篇文章主要给大家介绍了关于SQL中开窗函数的相关资料,文中通过实例代码介绍的非常详细,需要的朋友可以参考下。

如何使用exp进行SQL报错注入如何使用exp进行SQL报错注入May 12, 2023 am 10:16 AM

0x01前言概述小编又在MySQL中发现了一个Double型数据溢出。当我们拿到MySQL里的函数时,小编比较感兴趣的是其中的数学函数,它们也应该包含一些数据类型来保存数值。所以小编就跑去测试看哪些函数会出现溢出错误。然后小编发现,当传递一个大于709的值时,函数exp()就会引起一个溢出错误。mysql>selectexp(709);+-----------------------+|exp(709)|+-----------------------+|8.218407461554972

如何在Python中根据运行时修改业务SQL代码?如何在Python中根据运行时修改业务SQL代码?May 08, 2023 pm 02:22 PM

1.缘起最近项目在准备搞SASS化,SASS化有一个特点就是多租户,且每个租户之间的数据都要隔离,对于数据库的隔离方案常见的有数据库隔离,表隔离,字段隔离,目前我只用到表隔离和字段隔离(数据库隔离的原理也是差不多)。对于字段隔离比较简单,就是查询条件不同而已,比如像下面的SQL查询:SELECT*FROMt_demoWHEREtenant_id='xxx'ANDis_del=0但是为了严谨,需求上需要在执行SQL之前检查对应的表是否带上tenant_id的查询字段

Monaco Editor怎么实现SQL和Java代码提示Monaco Editor怎么实现SQL和Java代码提示May 11, 2023 pm 05:31 PM

monacoeditor创建//创建和设置值if(!this.monacoEditor){this.monacoEditor=monaco.editor.create(this._node,{value:value||code,language:language,...options});this.monacoEditor.onDidChangeModelContent(e=>{constvalue=this.monacoEditor.getValue();//使value和其值保持一致i

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks agoBy尊渡假赌尊渡假赌尊渡假赌
Repo: How To Revive Teammates
1 months agoBy尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island Adventure: How To Get Giant Seeds
1 months agoBy尊渡假赌尊渡假赌尊渡假赌

Hot Tools

SublimeText3 Linux new version

SublimeText3 Linux new version

SublimeText3 Linux latest version

MinGW - Minimalist GNU for Windows

MinGW - Minimalist GNU for Windows

This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.

VSCode Windows 64-bit Download

VSCode Windows 64-bit Download

A free and powerful IDE editor launched by Microsoft

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor