search
HomeDatabaseMysql TutorialWhat are the types of indexes in mysql database? Establishment Methods and Advantages and Disadvantages

This article will focus on describing the four types of masql database indexes. How to create a database index? Columns appearing in WHERE and JOIN need to be indexed, but not entirely so, because MySQL only does , >=, BETWEEN, IN, and sometimes LIKE. Use indexes. I hope this article can help everyone. First, let’s understand what an index is. To sum it up in one sentence: Index is the key to fast search.

The establishment of MySQL index is very important for the efficient operation of MySQL. The following introduces several common MySQL index types

In database tables, indexing fields can greatly improve query speed. Suppose we create a mytable table:

The code is as follows:

CREATE TABLE mytable( ID INT NOT NULL, username VARCHAR(16) NOT NULL );

We randomly There are 10,000 records inserted, including one: 5555, admin.

When searching for the record of username="admin" SELECT * FROM mytable WHERE username='admin';, if an index has been established on username, MySQL can accurately find the record without any scanning. On the contrary, MySQL will scan all records, that is, 10,000 records will be queried.

Indexes are divided into single column indexes and combined indexes. A single-column index means that an index only contains a single column. A table can have multiple single-column indexes, but this is not a combined index. Combined index, that is, one index contains multiple columns.

MySQL index types include:

1. Ordinary index

This is the most basic index, it has no restrictions. It has the following creation methods:

1. Create an index

The code is as follows:

CREATE INDEX indexName ON mytable(username(length));

If it is CHAR, VARCHAR type, length can be less than the actual length of the field; if it is BLOB and TEXT type, length must be specified, the same below.

2. Modify the table structure

The code is as follows:
ALTER mytable ADD INDEX [indexName] ON (username(length)) -- Specify it directly when creating the table

CREATE TABLE mytable( ID INT NOT NULL, username VARCHAR(16) NOT NULL, INDEX [indexName] (username(length)) );

-- Syntax to delete index:

DROP INDEX [indexName] ON mytable;

2. Unique index

It is similar to the previous ordinary index, except that the value of the index column must be unique, but it is allowed There is a null value. In the case of a composite index, the combination of column values ​​must be unique. It has the following creation methods:

The code is as follows:

CREATE UNIQUE INDEX indexName ON mytable(username(length))
-- Modify the table structure
ALTER mytable ADD UNIQUE [indexName] ON (username(length))
-- Directly specify
CREATE TABLE mytable when creating the table( ID INT NOT NULL, username VARCHAR(16) NOT NULL, UNIQUE [indexName] (username(length) ) );

3. Primary key index

It is a special unique index that does not allow null values. Generally, the primary key index is created at the same time when creating the table:

The code is as follows:

CREATE TABLE mytable( ID INT NOT NULL, username VARCHAR(16) NOT NULL, PRIMARY KEY(ID) ) ;

Of course you can also use the ALTER command. Remember: a table can only have one primary key.

4. Combined index

In order to vividly compare single column index and combined index, add multiple fields to the table:

The code is as follows:

CREATE TABLE mytable( ID INT NOT NULL, username VARCHAR(16) NOT NULL, city VARCHAR(50) NOT NULL, age INT NOT NULL );

In order to further extract the efficiency of MySQL, it is necessary to Consider building a composite index. Just build name, city, age into an index:

The code is as follows:

ALTER TABLE mytable ADD INDEX name_city_age (name(10),city,age);[code]
When creating the table, the usernname length is 16, and 10 is used here. This is because generally the name length will not exceed 10, which will speed up the index query, reduce the size of the index file, and improve the update speed of INSERT.

If you create single-column indexes on usernname, city, and age respectively, so that the table has three single-column indexes, the query efficiency will be very different from the above combined index, which is far lower than our combined index. . Although there are three indexes at this time, MySQL can only use the single-column index that it thinks seems to be the most efficient.

Establishing such a combined index is actually equivalent to establishing the following three sets of combined indexes:

usernname,city,age usernname,city usernname Why is there no combined index like city and age? This is a result of the "leftmost prefix" of the MySQL composite index. The simple understanding is to only start the combination from the leftmost one. Not only queries containing these three columns will use this combined index, the following SQL will use this combined index:
[code]
SELECT * FROM mytable WHREE username="admin" AND city ="Zhengzhou" SELECT * FROM mytable WHREE username="admin"

The following ones will not be used:

The code is as follows:
SELECT * FROM mytable WHREE age=20 AND city="Zhengzhou" SELECT * FROM mytable WHREE city="Zhengzhou"

5. How to create an index

So far we have learned how to create an index, then we Under what circumstances do you need to create an index? Generally speaking, columns appearing in WHERE and JOIN need to be indexed, but this is not entirely true because MySQL only indexes , >=, BETWEEN, IN, and sometimes LIKE will use the index. For example:

The code is as follows:

SELECT t.Name FROM mytable t LEFT JOIN mytable m ON t.Name=m.username WHERE m.age=20 AND m.city='Zhengzhou'

At this point, it is necessary to index city and age. Since the userame of the mytable table also appears in the JOIN clause, it is also necessary to index it.

I just mentioned that only LIKE needs to be indexed at certain times. Because MySQL will not use the index when making queries starting with wildcard characters % and _. For example, the following sentence will use the index:

The code is as follows:
SELECT * FROM mytable WHERE username like'admin%'
The next sentence will not use the index:

The code is as follows:

SELECT * FROM mytable WHEREt Name like'�min'

Therefore, you should pay attention to the above differences when using LIKE.

6. Index Disadvantages

The above all talk about the benefits of using indexes, but excessive use of indexes will cause abuse. Therefore, the index will also have its shortcomings:

1. Although the index greatly improves the query speed, it will also reduce the speed of updating the table, such as INSERT, UPDATE and DELETE on the table. Because when updating the table, MySQL not only needs to save the data, but also save the index file.

2. Creating an index file will occupy disk space. Generally, this problem is not serious, but if you create multiple combined indexes on a large table, the index file will expand quickly.

Indexes are only one factor in improving efficiency. If your MySQL has a large amount of data tables, you need to spend time researching and building the best indexes or optimizing query statements.

7. Things to note when using indexes:

When using indexes, there are some tips and precautions:

1. The index will not contain Columns with NULL values

As long as the column contains NULL values, they will not be included in the index. As long as one column in the composite index contains a NULL value, then this column will be invalid for the composite index. Therefore, when designing the database, we should not let the default value of the field be NULL.

2. Use short index

to index the string. If possible, you should specify a prefix length. For example, if you have a CHAR(255) column, if most values ​​are unique within the first 10 or 20 characters, then do not index the entire column. Short indexes not only improve query speed but also save disk space and I/O operations.

3. Index column sorting

MySQL query only uses one index, so if the index has been used in the where clause, the columns in order by will not use the index. Therefore, do not use sorting operations when the default sorting of the database can meet the requirements; try not to include sorting of multiple columns. If necessary, it is best to create composite indexes for these columns.

4.Like statement operation

Generally, the use of like operation is not encouraged. If it must be used, how to use it is also a problem. Like “�a%” will not use the index but like “aaa%” will.

5. Do not perform operations on columns

The code is as follows:
select * from users where YEAR(adddate)

will be in each row This will cause the index to fail and perform a full table scan, so we can change it to:

The code is as follows:

select * from users where adddate

6. Do not use NOT IN and operations

Above, the MySQL index types are introduced. I hope to be helpful.

Two methods of indexing:

B-tree index

Note: It is called btree index, the big aspect Look, they all use balanced trees, but in terms of specific implementation, each storage engine is slightly different. For example, strictly speaking, the NDB engine uses T-tree
Myisam, in innodb, uses B-tree index by default , the theoretical query time complexity of B-tree is O(log2 (N-1)), N is the number of rows in the data table

hash index
In tables using memory storage engine, the default is hash The theoretical query time complexity of index and hash is O(1)

Related recommendations:

Detailed explanation of how to use mysql to create indexes and analysis of advantages and disadvantages

Advantages and Disadvantages of Indexing Page 1/2

The above is the detailed content of What are the types of indexes in mysql database? Establishment Methods and Advantages and Disadvantages. For more information, please follow other related articles on the PHP Chinese website!

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
mysql索引失效的几种情况mysql索引失效的几种情况Feb 21, 2024 pm 04:23 PM

常见情况:1、使用函数或运算;2、隐式类型转换;3、使用不等于(!=或<>);4、使用LIKE操作符,并以通配符开头;5、OR条件;6、NULL值;7、索引选择性低;8、复合索引的最左前缀原则;9、优化器决策;10、FORCE INDEX和IGNORE INDEX。

mysql索引什么情况下会失效mysql索引什么情况下会失效Aug 09, 2023 pm 03:38 PM

mysql索引在不使用索引列进行查询、数据类型不匹配、前缀索引的使用不当、使用函数或表达式进行查询、索引列的顺序不正确、数据更新频繁和索引过多或过少情况下会失效。1、不使用索引列进行查询,为了避免这种情况,应该在查询中使用适当的索引列;2、数据类型不匹配,在设计表结构时,应该确保索引列和查询的数据类型匹配;3、前缀索引的使用不当,可使用前缀索引。

MySQL索引左前缀匹配规则MySQL索引左前缀匹配规则Feb 24, 2024 am 10:42 AM

MySQL索引最左原则原理及代码示例在MySQL中,索引是提高查询效率的重要手段之一。其中,索引最左原则是我们在使用索引优化查询的过程中需要遵循的一个重要原则。本文将围绕MySQL索引最左原则的原理进行介绍,并给出一些具体的代码示例。一、索引最左原则的原理索引最左原则是指在一个索引中,如果查询条件是由多个列组成的,那么只有按照索引中的最左侧列进行查询,才能充

mysql索引的分类有哪几种mysql索引的分类有哪几种Apr 22, 2024 pm 07:12 PM

MySQL 索引分为以下类型:1. 普通索引:匹配值、范围或前缀;2. 唯一索引:确保值唯一;3. 主键索引:主键列的唯一索引;4. 外键索引:指向另一表主键;5. 全文索引:全文搜索;6. 哈希索引:相等匹配搜索;7. 空间索引:地理空间搜索;8. 复合索引:基于多个列的搜索。

如何合理使用MySQL索引,优化数据库性能?技术同学须知的设计规约!如何合理使用MySQL索引,优化数据库性能?技术同学须知的设计规约!Sep 10, 2023 pm 03:16 PM

如何合理使用MySQL索引,优化数据库性能?技术同学须知的设计规约!引言:在当今互联网时代,数据量不断增长,数据库性能优化成为了一个非常重要的课题。而MySQL作为最流行的关系型数据库之一,索引的合理使用对于提升数据库性能至关重要。本文将介绍如何合理使用MySQL索引,优化数据库性能,并为技术同学提供一些设计规约。一、为什么要使用索引?索引是一种数据结构,用

PHP与MySQL索引的数据更新和索引维护的性能优化策略及其对性能的影响PHP与MySQL索引的数据更新和索引维护的性能优化策略及其对性能的影响Oct 15, 2023 pm 12:15 PM

PHP与MySQL索引的数据更新和索引维护的性能优化策略及其对性能的影响摘要:在PHP与MySQL的开发中,索引是优化数据库查询性能的重要工具。本文将介绍索引的基本原理和使用方法,并探讨索引对数据更新和维护的性能影响。同时,本文还提供了一些性能优化策略和具体的代码示例,帮助开发者更好地理解和应用索引。索引的基本原理和使用方法在MySQL中,索引是一种特殊的数

如何在MySQL中创建唯一索引来确保数据唯一性如何在MySQL中创建唯一索引来确保数据唯一性Mar 15, 2024 pm 12:45 PM

标题:MySQL中创建唯一索引来确保数据唯一性的方法及代码示例在数据库设计中,确保数据的唯一性是非常重要的,可以通过在MySQL中创建唯一索引来实现。唯一索引可以保证表中某列(或列组合)的数值是唯一的,如果尝试插入重复值,MySQL会阻止这种操作并报错。本文将介绍如何在MySQL中创建唯一索引,同时提供具体的代码示例。什么是唯一索引唯一索引是一种索引类型,它

MySQL索引是什么MySQL索引是什么Aug 31, 2023 pm 05:43 PM

MySQL索引是一种用于提高数据库查询性能的数据结构。它是在数据库表中的一个或多个列上创建的,以帮助数据库系统快速定位和检索数据。索引可以类比为书籍的目录,它们提供了快速访问数据的方式,而不需要扫描整个表,通过合理地创建索引,可以加快查询速度,提高数据库的性能。

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 Tools

DVWA

DVWA

Damn Vulnerable Web App (DVWA) is a PHP/MySQL web application that is very vulnerable. Its main goals are to be an aid for security professionals to test their skills and tools in a legal environment, to help web developers better understand the process of securing web applications, and to help teachers/students teach/learn in a classroom environment Web application security. The goal of DVWA is to practice some of the most common web vulnerabilities through a simple and straightforward interface, with varying degrees of difficulty. Please note that this software

Atom editor mac version download

Atom editor mac version download

The most popular open source editor

SecLists

SecLists

SecLists is the ultimate security tester's companion. It is a collection of various types of lists that are frequently used during security assessments, all in one place. SecLists helps make security testing more efficient and productive by conveniently providing all the lists a security tester might need. List types include usernames, passwords, URLs, fuzzing payloads, sensitive data patterns, web shells, and more. The tester can simply pull this repository onto a new test machine and he will have access to every type of list he needs.

Dreamweaver Mac version

Dreamweaver Mac version

Visual web development tools

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment