Mysql error 1114 что это

error 1114 (hy000): the table is full happens mainly due to server running out of disk space or wrong MySQL configuration limits like innodb_data_file_path.

Databases work as the storage for many Web applications. Maintaining these applications involve frequent export or import of data. Unfortunately, SQL server can report errors during this import/export process.

One such error is error 1114 (hy000): the table is full. The exact reason for the error can be disk space shortage or wrong database server settings.

At Bobcares, we often get requests from customers to fix database errors as part of our Outsourced Technical Support Services.

Today, we’ll see the causes for “error 1114 (hy000): the table is full” and how our Support Engineers fix them.

Where do we see table full error?

Firstly, let’s take a look at the typical scenarios where we see the error “1114 (hy000): the table is full”. 

This error primarily happens in the process of exporting and importing sql files into databases. It can be either via utilities like phpMyAdmin or even via command line.

Recently, a customer reported this error when he was trying to import a database via phpMyAdmin. The error said:

ERROR 1114 (HY000) at line 12345: The table 'abc' is full.

Surprisingly, the table it was complaining about was empty and contained no rows. Therefore, the natural question comes:

Why then table full error?

[Do you know that proactive server management can reduce MySQL errors drastically? Just signup with us and we’ll take care of your servers 24×7]

What causes “error 1114 (hy000): the table is full”?

Usually, the description for the error is often misleading as it says database table being full. But, the actual reason for the error may vary.

Let’s now see the typical causes for the error “1114 (hy000): the table is full.

1. Disk Full

From our experience in managing databases, our Dedicated Engineers often see the table full error due to disk full issues. If a server partition or disk has used up all the space and MySQL still attempts to insert data into the table, it will fail with error 1114.

Similarly, this error can also happen during backup of large databases too. Here, the backup process create large files and can cause space constraints in the disk. Backup file along with original database will result in doubling the size required for the table.

2. innodb_data_file_path limits

When the disk space of the server is all okay, and still you get error 1114 (hy000): the table is full, it means the problem will be with the Database server configuration settings.

For instance, on a database server with storage engine set as InnoDB , the parameter innodb_data_file_path often cause this error.

When the innodb_data_file_path in the my.cnf file is set as per the entry below, the ibdata1 file can grow only up to a maximum size of 512M.

innodb_data_file_path = ibdata1:10M:autoextend:max:512M

And, when the file size grows over this limit, it ends up in the error 1114 (hy000): the table is full.

[Are you getting error 1114 (hy000): the table is full? Leave it for us, we are here to help you.]

How to fix “error 1114 (hy000): the table is full”?

So far, we saw the possible reasons for the error 1114. Now, let’s take a look on how our Dedicated Engineers resolve this and make database server working.

1. Fix disk space

First and foremost, we check the disk usage of the server using the command:

df -h

This would show up the disk that contains the least free space. Lack of free space on the disks can even stop the MySQL server. That’s why, our Support Engineers quickly try to clear out some disk space by removing unwanted backup files, log files and so on.

Additionally, to avoid problems with database restore, we always ensure enough free space in the partition that holds MySQL data directory. This applies to the /tmp partition too where MySQL store the temporary files.

2. Fix SQL server settings

Further, we fix the Database server settings. This involves setting the right value for the MySQL variables in the configuration file at /etc/my.cnf.

For instance, our Dedicated Engineers often do not put a maximum limit cap for ibdata1 file by adding the following entry in MySQL configuration.

innodb_data_file_path = ibdata1:10M:autoextend

Similarly, we do an analysis of  the MySQL database usage and set the tmp_table_size, max_heap_table_size in the my.cnf file.

3. Recreating indexes

Indexes in databases helps SQL server to find the exact row or rows associated with the key values quickly and efficiently. Again, from our experience, when importing databases via phpmyAdmin, recreating the indexes at a different point can solve the table full error.

Conclusion

In short, error 1114 (hy000): the table is full happens mainly due to server running out of disk space or wrong MySQL configuration limits. Today, we saw the top causes for the error and how our Support Engineers solve them in live servers.

PREVENT YOUR SERVER FROM CRASHING!

Never again lose customers to poor server speed! Let us help you.

Our server experts will monitor & maintain your server 24/7 so that it remains lightning fast and secure.

GET STARTED

var google_conversion_label = «owonCMyG5nEQ0aD71QM»;

Содержание

  1. How to fix MySQL ERROR 1114 the table is full issue
  2. Fix MySQL table is full error from the configuration file
  3. Level up your programming skills
  4. About
  5. ОШИБКА 1114 (HY000): таблица заполнена
  6. 20 ответов
  7. MySQL Error Message : ERROR 1114 (HY000) at line 4032: The table ‘table’ is full
  8. Sql error 1114 sqlstate hy000

How to fix MySQL ERROR 1114 the table is full issue

Posted on Nov 23, 2021

Learn how to fix MySQL ERROR 1114 the table is full issue

The MySQL ERROR 1114 can be triggered when you try to perform an INSERT statement on a table.

The following example shows how the error happens when I try to insert data into the users table:

To fix this error, you need to first check the disk space in where your MySQL server is installed and see if the partition is really full.

You can do so by running the df -h command from the Terminal. Here’s an example partitions listed from my server:

If you see any disk on the list with the Use% value reaching around 90% , then you need to check if your mysql is installed on that disk.

Most likely you will have mysql located in /var/www/mysql directory, so you need to make sure the main mounted partition at / has the Use% lower than 80% .

But if you’re Use% values are low like in the example above, then the error is not caused by the disk partition.

You need to check on your MySQL configuration file next.

Fix MySQL table is full error from the configuration file

You need to open your MySQL config file and look at the configuration for innodb_data_file_path .

The default value may be as follows:

The values of innodb_data_file_path option above will create an ibdata1 directory that stores all critical information for your InnoDB -based tables.

The maximum size of data you can store in your InnoDB tables are 256MB as shown in the autoextend:max:256M in the option above.

To resolve the MySQL table is full issue, try increasing the size of your autoextend parameter to 512M like this:

Alternatively, you can also just write autoextend without specifying the maximum size to allow InnoDB tables to grow until the disk size is full:

Once done, save your configuration file and restart your MySQL server:

Try to connect and insert the data into your database table again. It should work this time.

If you’re using the MyISAM engine for your tables, then MySQL permits each MyISAM table to grow up to 256TB by default.

The MyISAM engine limit can still be increased up to 65,536TB if you need to. Check out the official MySQL documentation on table size limits on how to do that.

Good luck resolving the issue! 👍

Level up your programming skills

I’m sending out an occasional email with the latest programming tutorials. Drop your email in the box below and I’ll send new stuff straight into your inbox!

About

Nathan Sebhastian is a software engineer with a passion for writing tech tutorials.
Learn JavaScript and other web development technology concepts through easy-to-understand explanations written in plain English.

Источник

ОШИБКА 1114 (HY000): таблица заполнена

Я пытаюсь добавить строку в таблицу InnoDB с помощью простого запроса:

Но когда я пытаюсь выполнить этот запрос, я получаю следующее:

Выполнение «SELECT COUNT (*) FROM zip_codes» дает мне 188 955 строк, что не кажется слишком большим, учитывая, что у меня есть другая таблица с 810 635 строками в этой же базе данных.

Я довольно неопытен с движком InnoDB и никогда не испытывал этой проблемы с MyISAM. Каковы некоторые из потенциальных проблем здесь?

EDIT: Это происходит только при добавлении строки в таблицу zip_codes.

20 ответов

РЕДАКТИРОВАТЬ: Сначала проверьте, не закончилось ли пространство диска, прежде чем разрешать разрешение, связанное с конфигурацией.

У вас, кажется, слишком низкий максимальный размер для innodb_data_file_path в my.cnf , в этом примере

вы не можете размещать более 512 МБ данных во всех таблицах innodb вместе.

Возможно, вам нужно переключиться на схему innodb-per-table с помощью innodb_file_per_table .

Другая возможная причина заключается в том, что раздел является полным — это то, что случилось со мной сейчас.

Вы также получите ту же ошибку ERROR 1114 (HY000): Таблица ‘# sql-310a_8867d7f’ заполнена

если вы попытаетесь добавить индекс в таблицу, в которой используется механизм хранения MEMORY.

Вам нужно изменить ограничение ограничения, установленное в my.cnf для таблиц INNO_DB. Этот лимит памяти не установлен для отдельных таблиц, он установлен для всех таблиц, объединенных.

Если вы хотите, чтобы память автоматически расширялась до 512 МБ

Если вы не знаете предела или не хотите устанавливать ограничение, вы можете его изменить следующим образом

Эта ошибка также появляется, если раздел, в котором находится tmpdir , заполняется (из-за таблицы изменений или другой

У вас может быть нехватка места в разделе, где хранятся таблицы mysql (обычно/var/lib/mysql) или где хранятся временные таблицы (обычно/tmp).

Вы можете: — контролировать свое свободное пространство во время создания индекса. — укажите переменную MySQL tmpdir в другое место. Для этого требуется перезагрузка сервера.

В моем случае это произошло потому, что раздел, на котором размещен файл ibdata1, был заполнен.

Если вы используете NDBCLUSTER в качестве механизма хранения, вы должны увеличить DataMemory и IndexMemory .

Я тоже столкнулся с этой ошибкой при импорте файла базы данных sql 8GB. Проверил мой установочный диск mysql. Там не было места в диске. Так что получили немного места, удалив ненужные элементы, и снова запустили мою команду импорта базы данных. На этот раз это было успешно.

Если вы не включили опцию innodb_file_per_table , InnoDB хранит все данные в одном файле, обычно называемые ibdata1 .

Проверьте размер этого файла и убедитесь, что на диске, на котором он находится, достаточно места на диске.

у нас было: SQLSTATE [HY000]: Общая ошибка: 1114 Таблица ‘catalog_product_index_price_bundle_sel_tmp’ заполнена

изменить конфигурацию db:

tmp_table_size = 256M max_heap_table_size = 256M

Чтобы процитировать документы MySQL.

Механизм хранения InnoDB поддерживает таблицы InnoDB в табличном пространстве, которое может быть создано из нескольких файлов. Это позволяет таблице превышать максимальный размер отдельного файла. В табличное пространство могут входить необработанные разделы диска, что позволяет использовать чрезвычайно большие таблицы. Максимальный размер табличного пространства — 64 ТБ.

Если вы используете таблицы InnoDB и выходите из комнаты в табличном пространстве InnoDB. В этом случае решение заключается в расширении табличного пространства InnoDB. См. Раздел 13.2.5, [ «Добавление, удаление или изменение размера данных и файлов журнала InnoDB».]

Источник

MySQL Error Message : ERROR 1114 (HY000) at line 4032: The table ‘table’ is full

This is an article where the focus of the main discussion is about how to solve the error message of MySQL Database Server generated upon restoring a dump file into a single database. The error specifically shown in the title of the article which is ‘ERROR 1114 (HY000) at line 4032: The table named ‘table’ is actually full. So, the error happened at the time of restoring a single database is in progress. It is shown as follows :

As shown in the restoring progress of the database named ‘mydb’ using the dump file named ‘mydb_20170919_140100.sql’ as located in the ‘/root/’, the process eventually stop and generated an error shown in the following highlight :

The progress for restoring database stop in the MySQL dump file at line 4780 at the operation on restoring the table named ‘xx_first_table’. At first, the troubleshooting step taken is just trying to look at the MySQL Database Server’s error message log file to take a deeper look on what is actually gone wrong so that an error shown. Below is the error log file :

The error definitely start in the following line :

and it is finally started to show the clear reason in the following line :

So, to solve the above error, using the available error generated, it is concluded that the InnoDB file allocated doesn’t have enough storage to contain the restored database. So, the following step is taken to solve the problem :

1. Enlarge the size of the InnoDB file used to store the data. It is specificed in MySQL Database Server’s configuration file. Usually located in /etc/mysql/my.cnf. Add the following line :

The file in the context of this article is actually located in ‘/etc/mysql/mysql.conf.d’. The most important content is shown in the following snippet code, especially in the ‘[mysqld]’ section. Just add the line above to increase automatically the size of InnoDB file which is represented by a file named ‘ibdata1’. The file ‘ibdata1’ itself normally located in ‘/var/lib/mysql’.

The size specified above as the initial size can be vary and in the above context, it is started at 12 M.

2. But apparently, the above solution doesn’t fixed the problem. It is because in the end, the culprit of the problem is because the space storage of the server is exhausted. Since there is no space left, the file named ‘ibdata1’ cannot be resized into a larger unit because of the database restore process. So, the solution is to reclaim some space area so that ‘ibdata1’ file can be extended automatically because of the database restore process. Don’t forget to restart MySQL Database Service after claiming some spaces.

Источник

Sql error 1114 sqlstate hy000

This chapter lists the errors that may appear when you call MySQL from any host language. The first list displays server error messages. The second list displays client program messages.

Server error information comes from the following files:

The Error values and the symbols in parentheses correspond to definitions in the include/mysqld_error.h MySQL source file.

The SQLSTATE values correspond to definitions in the include/sql_state.h MySQL source file.

SQLSTATE error codes are displayed only if you use MySQL version 4.1 and up. SQLSTATE codes were added for compatibility with X/Open, ANSI, and ODBC behavior.

The Message values correspond to the error messages that are listed in the share/errmsg.txt file. %d and %s represent numbers and strings, respectively, that are substituted into the messages when they are displayed.

Because updates are frequent, it is possible that these files contain additional error information not listed here.

Ошибка: 1000 SQLSTATE: HY000 ( ER_HASHCHK )

Ошибка: 1001 SQLSTATE: HY000 ( ER_NISAMCHK )

Ошибка: 1002 SQLSTATE: HY000 ( ER_NO )

Ошибка: 1003 SQLSTATE: HY000 ( ER_YES )

Ошибка: 1004 SQLSTATE: HY000 ( ER_CANT_CREATE_FILE )

Сообщение: Невозможно создать файл ‘%s’ (ошибка: %d)

Ошибка: 1005 SQLSTATE: HY000 ( ER_CANT_CREATE_TABLE )

Сообщение: Невозможно создать таблицу ‘%s’ (ошибка: %d)

Ошибка: 1006 SQLSTATE: HY000 ( ER_CANT_CREATE_DB )

Сообщение: Невозможно создать базу данных ‘%s’ (ошибка: %d)

Ошибка: 1007 SQLSTATE: HY000 ( ER_DB_CREATE_EXISTS )

Сообщение: Невозможно создать базу данных ‘%s’. База данных уже существует

Ошибка: 1008 SQLSTATE: HY000 ( ER_DB_DROP_EXISTS )

Сообщение: Невозможно удалить базу данных ‘%s’. Такой базы данных нет

Ошибка: 1009 SQLSTATE: HY000 ( ER_DB_DROP_DELETE )

Сообщение: Ошибка при удалении базы данных (невозможно удалить ‘%s’, ошибка: %d)

Ошибка: 1010 SQLSTATE: HY000 ( ER_DB_DROP_RMDIR )

Сообщение: Невозможно удалить базу данных (невозможно удалить каталог ‘%s’, ошибка: %d)

Ошибка: 1011 SQLSTATE: HY000 ( ER_CANT_DELETE_FILE )

Сообщение: Ошибка при удалении ‘%s’ (ошибка: %d)

Ошибка: 1012 SQLSTATE: HY000 ( ER_CANT_FIND_SYSTEM_REC )

Сообщение: Невозможно прочитать запись в системной таблице

Ошибка: 1013 SQLSTATE: HY000 ( ER_CANT_GET_STAT )

Сообщение: Невозможно получить статусную информацию о ‘%s’ (ошибка: %d)

Ошибка: 1014 SQLSTATE: HY000 ( ER_CANT_GET_WD )

Сообщение: Невозможно определить рабочий каталог (ошибка: %d)

Ошибка: 1015 SQLSTATE: HY000 ( ER_CANT_LOCK )

Сообщение: Невозможно поставить блокировку на файле (ошибка: %d)

Ошибка: 1016 SQLSTATE: HY000 ( ER_CANT_OPEN_FILE )

Сообщение: Невозможно открыть файл: ‘%s’ (ошибка: %d)

Ошибка: 1017 SQLSTATE: HY000 ( ER_FILE_NOT_FOUND )

Сообщение: Невозможно найти файл: ‘%s’ (ошибка: %d)

Ошибка: 1018 SQLSTATE: HY000 ( ER_CANT_READ_DIR )

Сообщение: Невозможно прочитать каталог ‘%s’ (ошибка: %d)

Ошибка: 1019 SQLSTATE: HY000 ( ER_CANT_SET_WD )

Сообщение: Невозможно перейти в каталог ‘%s’ (ошибка: %d)

Ошибка: 1020 SQLSTATE: HY000 ( ER_CHECKREAD )

Сообщение: Запись изменилась с момента последней выборки в таблице ‘%s’

Ошибка: 1021 SQLSTATE: HY000 ( ER_DISK_FULL )

Сообщение: Диск заполнен. (%s). Ожидаем, пока кто-то не уберет после себя мусор.

Ошибка: 1022 SQLSTATE: 23000 ( ER_DUP_KEY )

Сообщение: Невозможно произвести запись, дублирующийся ключ в таблице ‘%s’

Ошибка: 1023 SQLSTATE: HY000 ( ER_ERROR_ON_CLOSE )

Сообщение: Ошибка при закрытии ‘%s’ (ошибка: %d)

Ошибка: 1024 SQLSTATE: HY000 ( ER_ERROR_ON_READ )

Сообщение: Ошибка чтения файла ‘%s’ (ошибка: %d)

Ошибка: 1025 SQLSTATE: HY000 ( ER_ERROR_ON_RENAME )

Сообщение: Ошибка при переименовании ‘%s’ в ‘%s’ (ошибка: %d)

Ошибка: 1026 SQLSTATE: HY000 ( ER_ERROR_ON_WRITE )

Сообщение: Ошибка записи в файл ‘%s’ (ошибка: %d)

Ошибка: 1027 SQLSTATE: HY000 ( ER_FILE_USED )

Сообщение: ‘%s’ заблокирован для изменений

Ошибка: 1028 SQLSTATE: HY000 ( ER_FILSORT_ABORT )

Сообщение: Сортировка прервана

Ошибка: 1029 SQLSTATE: HY000 ( ER_FORM_NOT_FOUND )

Сообщение: Представление ‘%s’ не существует для ‘%s’

Ошибка: 1030 SQLSTATE: HY000 ( ER_GET_ERRNO )

Сообщение: Получена ошибка %d от обработчика таблиц

Ошибка: 1031 SQLSTATE: HY000 ( ER_ILLEGAL_HA )

Сообщение: Обработчик таблицы ‘%s’ не поддерживает эту возможность

Ошибка: 1032 SQLSTATE: HY000 ( ER_KEY_NOT_FOUND )

Сообщение: Невозможно найти запись в ‘%s’

Ошибка: 1033 SQLSTATE: HY000 ( ER_NOT_FORM_FILE )

Сообщение: Некорректная информация в файле ‘%s’

Ошибка: 1034 SQLSTATE: HY000 ( ER_NOT_KEYFILE )

Сообщение: Некорректный индексный файл для таблицы: ‘%s’. Попробуйте восстановить его

Ошибка: 1035 SQLSTATE: HY000 ( ER_OLD_KEYFILE )

Сообщение: Старый индексный файл для таблицы ‘%s’; отремонтируйте его!

Ошибка: 1036 SQLSTATE: HY000 ( ER_OPEN_AS_READONLY )

Сообщение: Таблица ‘%s’ предназначена только для чтения

Ошибка: 1037 SQLSTATE: HY001 ( ER_OUTOFMEMORY )

Сообщение: Недостаточно памяти. Перезапустите сервер и попробуйте еще раз (нужно %d байт)

Ошибка: 1038 SQLSTATE: HY001 ( ER_OUT_OF_SORTMEMORY )

Сообщение: Недостаточно памяти для сортировки. Увеличьте размер буфера сортировки на сервере

Ошибка: 1039 SQLSTATE: HY000 ( ER_UNEXPECTED_EOF )

Сообщение: Неожиданный конец файла ‘%s’ (ошибка: %d)

Ошибка: 1040 SQLSTATE: 08004 ( ER_CON_COUNT_ERROR )

Сообщение: Слишком много соединений

Ошибка: 1041 SQLSTATE: HY000 ( ER_OUT_OF_RESOURCES )

Сообщение: Недостаточно памяти; удостоверьтесь, что mysqld или какой-либо другой процесс не занимает всю доступную память. Если нет, то вы можете использовать ulimit, чтобы выделить для mysqld больше памяти, или увеличить объем файла подкачки

Ошибка: 1042 SQLSTATE: 08S01 ( ER_BAD_HOST_ERROR )

Сообщение: Невозможно получить имя хоста для вашего адреса

Ошибка: 1043 SQLSTATE: 08S01 ( ER_HANDSHAKE_ERROR )

Сообщение: Некорректное приветствие

Ошибка: 1044 SQLSTATE: 42000 ( ER_DBACCESS_DENIED_ERROR )

Сообщение: Для пользователя ‘%s’@’%s’ доступ к базе данных ‘%s’ закрыт

Ошибка: 1045 SQLSTATE: 28000 ( ER_ACCESS_DENIED_ERROR )

Сообщение: Доступ закрыт для пользователя ‘%s’@’%s’ (был использован пароль: %s)

Ошибка: 1046 SQLSTATE: 3D000 ( ER_NO_DB_ERROR )

Сообщение: База данных не выбрана

Ошибка: 1047 SQLSTATE: 08S01 ( ER_UNKNOWN_COM_ERROR )

Сообщение: Неизвестная команда коммуникационного протокола

Ошибка: 1048 SQLSTATE: 23000 ( ER_BAD_NULL_ERROR )

Сообщение: Столбец ‘%s’ не может принимать величину NULL

Ошибка: 1049 SQLSTATE: 42000 ( ER_BAD_DB_ERROR )

Сообщение: Неизвестная база данных ‘%s’

Ошибка: 1050 SQLSTATE: 42S01 ( ER_TABLE_EXISTS_ERROR )

Сообщение: Таблица ‘%s’ уже существует

Ошибка: 1051 SQLSTATE: 42S02 ( ER_BAD_TABLE_ERROR )

Сообщение: Неизвестная таблица ‘%s’

Ошибка: 1052 SQLSTATE: 23000 ( ER_NON_UNIQ_ERROR )

Сообщение: Столбец ‘%s’ в %s задан неоднозначно

Ошибка: 1053 SQLSTATE: 08S01 ( ER_SERVER_SHUTDOWN )

Сообщение: Сервер находится в процессе остановки

Ошибка: 1054 SQLSTATE: 42S22 ( ER_BAD_FIELD_ERROR )

Сообщение: Неизвестный столбец ‘%s’ в ‘%s’

Ошибка: 1055 SQLSTATE: 42000 ( ER_WRONG_FIELD_WITH_GROUP )

Сообщение: ‘%s’ не присутствует в GROUP BY

Ошибка: 1056 SQLSTATE: 42000 ( ER_WRONG_GROUP_FIELD )

Сообщение: Невозможно произвести группировку по ‘%s’

Ошибка: 1057 SQLSTATE: 42000 ( ER_WRONG_SUM_SELECT )

Сообщение: Выражение содержит групповые функции и столбцы, но не включает GROUP BY. А как вы умудрились получить это сообщение об ошибке?

Ошибка: 1058 SQLSTATE: 21S01 ( ER_WRONG_VALUE_COUNT )

Сообщение: Количество столбцов не совпадает с количеством значений

Ошибка: 1059 SQLSTATE: 42000 ( ER_TOO_LONG_IDENT )

Сообщение: Слишком длинный идентификатор ‘%s’

Ошибка: 1060 SQLSTATE: 42S21 ( ER_DUP_FIELDNAME )

Сообщение: Дублирующееся имя столбца ‘%s’

Ошибка: 1061 SQLSTATE: 42000 ( ER_DUP_KEYNAME )

Сообщение: Дублирующееся имя ключа ‘%s’

Ошибка: 1062 SQLSTATE: 23000 ( ER_DUP_ENTRY )

Сообщение: Дублирующаяся запись ‘%s’ по ключу %d

Ошибка: 1063 SQLSTATE: 42000 ( ER_WRONG_FIELD_SPEC )

Сообщение: Некорректный определитель столбца для столбца ‘%s’

Ошибка: 1064 SQLSTATE: 42000 ( ER_PARSE_ERROR )

Сообщение: %s около ‘%s’ на строке %d

Ошибка: 1065 SQLSTATE: HY000 ( ER_EMPTY_QUERY )

Сообщение: Запрос оказался пустым

Ошибка: 1066 SQLSTATE: 42000 ( ER_NONUNIQ_TABLE )

Сообщение: Повторяющаяся таблица/псевдоним ‘%s’

Ошибка: 1067 SQLSTATE: 42000 ( ER_INVALID_DEFAULT )

Сообщение: Некорректное значение по умолчанию для ‘%s’

Ошибка: 1068 SQLSTATE: 42000 ( ER_MULTIPLE_PRI_KEY )

Сообщение: Указано несколько первичных ключей

Ошибка: 1069 SQLSTATE: 42000 ( ER_TOO_MANY_KEYS )

Сообщение: Указано слишком много ключей. Разрешается указывать не более %d ключей

Ошибка: 1070 SQLSTATE: 42000 ( ER_TOO_MANY_KEY_PARTS )

Сообщение: Указано слишком много частей составного ключа. Разрешается указывать не более %d частей

Ошибка: 1071 SQLSTATE: 42000 ( ER_TOO_LONG_KEY )

Сообщение: Указан слишком длинный ключ. Максимальная длина ключа составляет %d байт

Ошибка: 1072 SQLSTATE: 42000 ( ER_KEY_COLUMN_DOES_NOT_EXITS )

Сообщение: Ключевой столбец ‘%s’ в таблице не существует

Ошибка: 1073 SQLSTATE: 42000 ( ER_BLOB_USED_AS_KEY )

Сообщение: Столбец типа BLOB ‘%s’ не может быть использован как значение ключа в таблице такого типа

Ошибка: 1074 SQLSTATE: 42000 ( ER_TOO_BIG_FIELDLENGTH )

Сообщение: Слишком большая длина столбца ‘%s’ (максимум = %d). Используйте тип BLOB вместо текущего

Ошибка: 1075 SQLSTATE: 42000 ( ER_WRONG_AUTO_KEY )

Сообщение: Некорректное определение таблицы: может существовать только один автоинкрементный столбец, и он должен быть определен как ключ

Ошибка: 1076 SQLSTATE: HY000 ( ER_READY )

Сообщение: %s: Готов принимать соединения. Версия: ‘%s’ сокет: ‘%s’ порт: %d

Ошибка: 1077 SQLSTATE: HY000 ( ER_NORMAL_SHUTDOWN )

Сообщение: %s: Корректная остановка

Ошибка: 1078 SQLSTATE: HY000 ( ER_GOT_SIGNAL )

Сообщение: %s: Получен сигнал %d. Прекращаем!

Ошибка: 1079 SQLSTATE: HY000 ( ER_SHUTDOWN_COMPLETE )

Сообщение: %s: Остановка завершена

Ошибка: 1080 SQLSTATE: 08S01 ( ER_FORCING_CLOSE )

Сообщение: %s: Принудительно закрываем поток %ld пользователя: ‘%s’

Ошибка: 1081 SQLSTATE: 08S01 ( ER_IPSOCK_ERROR )

Сообщение: Невозможно создать IP-сокет

Ошибка: 1082 SQLSTATE: 42S12 ( ER_NO_SUCH_INDEX )

Сообщение: В таблице ‘%s’ нет такого индекса, как в CREATE INDEX. Создайте таблицу заново

Ошибка: 1083 SQLSTATE: 42000 ( ER_WRONG_FIELD_TERMINATORS )

Сообщение: Аргумент разделителя полей — не тот, который ожидался. Обращайтесь к документации

Ошибка: 1084 SQLSTATE: 42000 ( ER_BLOBS_AND_NO_TERMINATED )

Сообщение: Фиксированный размер записи с полями типа BLOB использовать нельзя, применяйте ‘fields terminated by’

Ошибка: 1085 SQLSTATE: HY000 ( ER_TEXTFILE_NOT_READABLE )

Сообщение: Файл ‘%s’ должен находиться в том же каталоге, что и база данных, или быть общедоступным для чтения

Ошибка: 1086 SQLSTATE: HY000 ( ER_FILE_EXISTS_ERROR )

Сообщение: Файл ‘%s’ уже существует

Ошибка: 1087 SQLSTATE: HY000 ( ER_LOAD_INFO )

Сообщение: Записей: %ld Удалено: %ld Пропущено: %ld Предупреждений: %ld

Ошибка: 1088 SQLSTATE: HY000 ( ER_ALTER_INFO )

Сообщение: Записей: %ld Дубликатов: %ld

Ошибка: 1089 SQLSTATE: HY000 ( ER_WRONG_SUB_KEY )

Сообщение: Некорректная часть ключа. Используемая часть ключа не является строкой, указанная длина больше, чем длина части ключа, или обработчик таблицы не поддерживает уникальные части ключа

Ошибка: 1090 SQLSTATE: 42000 ( ER_CANT_REMOVE_ALL_FIELDS )

Сообщение: Нельзя удалить все столбцы с помощью ALTER TABLE. Используйте DROP TABLE

Ошибка: 1091 SQLSTATE: 42000 ( ER_CANT_DROP_FIELD_OR_KEY )

Сообщение: Невозможно удалить (DROP) ‘%s’. Убедитесь что столбец/ключ действительно существует

Ошибка: 1092 SQLSTATE: HY000 ( ER_INSERT_INFO )

Сообщение: Записей: %ld Дубликатов: %ld Предупреждений: %ld

Ошибка: 1093 SQLSTATE: HY000 ( ER_UPDATE_TABLE_USED )

Сообщение: Не допускается указание таблицы ‘%s’ в списке таблиц FROM для внесения в нее изменений

Ошибка: 1094 SQLSTATE: HY000 ( ER_NO_SUCH_THREAD )

Сообщение: Неизвестный номер потока: %lu

Ошибка: 1095 SQLSTATE: HY000 ( ER_KILL_DENIED_ERROR )

Сообщение: Вы не являетесь владельцем потока %lu

Ошибка: 1096 SQLSTATE: HY000 ( ER_NO_TABLES_USED )

Сообщение: Никакие таблицы не использованы

Ошибка: 1097 SQLSTATE: HY000 ( ER_TOO_BIG_SET )

Сообщение: Слишком много значений для столбца %s в SET

Ошибка: 1098 SQLSTATE: HY000 ( ER_NO_UNIQUE_LOGFILE )

Сообщение: Невозможно создать уникальное имя файла журнала %s.(1-999)

Ошибка: 1099 SQLSTATE: HY000 ( ER_TABLE_NOT_LOCKED_FOR_WRITE )

Сообщение: Таблица ‘%s’ заблокирована уровнем READ lock и не может быть изменена

Ошибка: 1100 SQLSTATE: HY000 ( ER_TABLE_NOT_LOCKED )

Сообщение: Таблица ‘%s’ не была заблокирована с помощью LOCK TABLES

Ошибка: 1101 SQLSTATE: 42000 ( ER_BLOB_CANT_HAVE_DEFAULT )

Сообщение: Невозможно указывать значение по умолчанию для столбца BLOB ‘%s’

Ошибка: 1102 SQLSTATE: 42000 ( ER_WRONG_DB_NAME )

Сообщение: Некорректное имя базы данных ‘%s’

Ошибка: 1103 SQLSTATE: 42000 ( ER_WRONG_TABLE_NAME )

Сообщение: Некорректное имя таблицы ‘%s’

Ошибка: 1104 SQLSTATE: 42000 ( ER_TOO_BIG_SELECT )

Сообщение: Для такой выборки SELECT должен будет просмотреть слишком много записей и, видимо, это займет очень много времени. Проверьте ваше указание WHERE, и, если в нем все в порядке, укажите SET SQL_BIG_SELECTS=1

Ошибка: 1105 SQLSTATE: HY000 ( ER_UNKNOWN_ERROR )

Сообщение: Неизвестная ошибка

Ошибка: 1106 SQLSTATE: 42000 ( ER_UNKNOWN_PROCEDURE )

Сообщение: Неизвестная процедура ‘%s’

Ошибка: 1107 SQLSTATE: 42000 ( ER_WRONG_PARAMCOUNT_TO_PROCEDURE )

Сообщение: Некорректное количество параметров для процедуры ‘%s’

Ошибка: 1108 SQLSTATE: HY000 ( ER_WRONG_PARAMETERS_TO_PROCEDURE )

Сообщение: Некорректные параметры для процедуры ‘%s’

Ошибка: 1109 SQLSTATE: 42S02 ( ER_UNKNOWN_TABLE )

Сообщение: Неизвестная таблица ‘%s’ в %s

Ошибка: 1110 SQLSTATE: 42000 ( ER_FIELD_SPECIFIED_TWICE )

Сообщение: Столбец ‘%s’ указан дважды

Ошибка: 1111 SQLSTATE: HY000 ( ER_INVALID_GROUP_FUNC_USE )

Сообщение: Неправильное использование групповых функций

Ошибка: 1112 SQLSTATE: 42000 ( ER_UNSUPPORTED_EXTENSION )

Сообщение: В таблице ‘%s’ используются возможности, не поддерживаемые в этой версии MySQL

Ошибка: 1113 SQLSTATE: 42000 ( ER_TABLE_MUST_HAVE_COLUMNS )

Сообщение: В таблице должен быть как минимум один столбец

Ошибка: 1114 SQLSTATE: HY000 ( ER_RECORD_FILE_FULL )

Сообщение: Таблица ‘%s’ переполнена

Ошибка: 1115 SQLSTATE: 42000 ( ER_UNKNOWN_CHARACTER_SET )

Сообщение: Неизвестная кодировка ‘%s’

Ошибка: 1116 SQLSTATE: HY000 ( ER_TOO_MANY_TABLES )

Сообщение: Слишком много таблиц. MySQL может использовать только %d таблиц в соединении

Ошибка: 1117 SQLSTATE: HY000 ( ER_TOO_MANY_FIELDS )

Сообщение: Слишком много столбцов

Ошибка: 1118 SQLSTATE: 42000 ( ER_TOO_BIG_ROWSIZE )

Сообщение: Слишком большой размер записи. Максимальный размер строки, исключая поля BLOB, — %d. Возможно, вам следует изменить тип некоторых полей на BLOB

Ошибка: 1119 SQLSTATE: HY000 ( ER_STACK_OVERRUN )

Сообщение: Стек потоков переполнен: использовано: %ld из %ld стека. Применяйте ‘mysqld -O thread_stack=#’ для указания большего размера стека, если необходимо

Ошибка: 1120 SQLSTATE: 42000 ( ER_WRONG_OUTER_JOIN )

Сообщение: В OUTER JOIN обнаружена перекрестная зависимость. Внимательно проанализируйте свои условия ON

Ошибка: 1121 SQLSTATE: 42000 ( ER_NULL_COLUMN_IN_INDEX )

Сообщение: Столбец ‘%s’ используется в UNIQUE или в INDEX, но не определен как NOT NULL

Ошибка: 1122 SQLSTATE: HY000 ( ER_CANT_FIND_UDF )

Сообщение: Невозможно загрузить функцию ‘%s’

Ошибка: 1123 SQLSTATE: HY000 ( ER_CANT_INITIALIZE_UDF )

Сообщение: Невозможно инициализировать функцию ‘%s’; %s

Ошибка: 1124 SQLSTATE: HY000 ( ER_UDF_NO_PATHS )

Сообщение: Недопустимо указывать пути для динамических библиотек

Ошибка: 1125 SQLSTATE: HY000 ( ER_UDF_EXISTS )

Сообщение: Функция ‘%s’ уже существует

Ошибка: 1126 SQLSTATE: HY000 ( ER_CANT_OPEN_LIBRARY )

Сообщение: Невозможно открыть динамическую библиотеку ‘%s’ (ошибка: %d %s)

Ошибка: 1127 SQLSTATE: HY000 ( ER_CANT_FIND_DL_ENTRY )

Сообщение: Невозможно отыскать функцию ‘%s’ в библиотеке

Ошибка: 1128 SQLSTATE: HY000 ( ER_FUNCTION_NOT_DEFINED )

Сообщение: Функция ‘%s’ не определена

Ошибка: 1129 SQLSTATE: HY000 ( ER_HOST_IS_BLOCKED )

Сообщение: Хост ‘%s’ заблокирован из-за слишком большого количества ошибок соединения. Разблокировать его можно с помощью ‘mysqladmin flush-hosts’

Ошибка: 1130 SQLSTATE: HY000 ( ER_HOST_NOT_PRIVILEGED )

Сообщение: Хосту ‘%s’ не разрешается подключаться к этому серверу MySQL

Ошибка: 1131 SQLSTATE: 42000 ( ER_PASSWORD_ANONYMOUS_USER )

Сообщение: Вы используете MySQL от имени анонимного пользователя, а анонимным пользователям не разрешается менять пароли

Ошибка: 1132 SQLSTATE: 42000 ( ER_PASSWORD_NOT_ALLOWED )

Сообщение: Для того чтобы изменять пароли других пользователей, у вас должны быть привилегии на изменение таблиц в базе данных mysql

Ошибка: 1133 SQLSTATE: 42000 ( ER_PASSWORD_NO_MATCH )

Сообщение: Невозможно отыскать подходящую запись в таблице пользователей

Ошибка: 1134 SQLSTATE: HY000 ( ER_UPDATE_INFO )

Сообщение: Совпало записей: %ld Изменено: %ld Предупреждений: %ld

Ошибка: 1135 SQLSTATE: HY000 ( ER_CANT_CREATE_THREAD )

Сообщение: Невозможно создать новый поток (ошибка %d). Если это не ситуация, связанная с нехваткой памяти, то вам следует изучить документацию на предмет описания возможной ошибки работы в конкретной ОС

Ошибка: 1136 SQLSTATE: 21S01 ( ER_WRONG_VALUE_COUNT_ON_ROW )

Сообщение: Количество столбцов не совпадает с количеством значений в записи %ld

Ошибка: 1137 SQLSTATE: HY000 ( ER_CANT_REOPEN_TABLE )

Сообщение: Невозможно заново открыть таблицу ‘%s’

Ошибка: 1138 SQLSTATE: 42000 ( ER_INVALID_USE_OF_NULL )

Сообщение: Неправильное использование величины NULL

Ошибка: 1139 SQLSTATE: 42000 ( ER_REGEXP_ERROR )

Сообщение: Получена ошибка ‘%s’ от регулярного выражения

Ошибка: 1140 SQLSTATE: 42000 ( ER_MIX_OF_GROUP_FUNC_AND_FIELDS )

Сообщение: Одновременное использование сгруппированных (GROUP) столбцов (MIN(),MAX(),COUNT(). ) с несгруппированными столбцами является некорректным, если в выражении есть GROUP BY

Ошибка: 1141 SQLSTATE: 42000 ( ER_NONEXISTING_GRANT )

Сообщение: Такие права не определены для пользователя ‘%s’ на хосте ‘%s’

Ошибка: 1142 SQLSTATE: 42000 ( ER_TABLEACCESS_DENIED_ERROR )

Сообщение: Команда %s запрещена пользователю ‘%s’@’%s’ для таблицы ‘%s’

Ошибка: 1143 SQLSTATE: 42000 ( ER_COLUMNACCESS_DENIED_ERROR )

Сообщение: Команда %s запрещена пользователю ‘%s’@’%s’ для столбца ‘%s’ в таблице ‘%s’

Ошибка: 1144 SQLSTATE: 42000 ( ER_ILLEGAL_GRANT_FOR_TABLE )

Сообщение: Неверная команда GRANT или REVOKE. Обратитесь к документации, чтобы выяснить, какие привилегии можно использовать

Ошибка: 1145 SQLSTATE: 42000 ( ER_GRANT_WRONG_HOST_OR_USER )

Сообщение: Слишком длинное имя пользователя/хоста для GRANT

Ошибка: 1146 SQLSTATE: 42S02 ( ER_NO_SUCH_TABLE )

Сообщение: Таблица ‘%s.%s’ не существует

Ошибка: 1147 SQLSTATE: 42000 ( ER_NONEXISTING_TABLE_GRANT )

Сообщение: Такие права не определены для пользователя ‘%s’ на компьютере ‘%s’ для таблицы ‘%s’

Ошибка: 1148 SQLSTATE: 42000 ( ER_NOT_ALLOWED_COMMAND )

Сообщение: Эта команда не допускается в данной версии MySQL

Ошибка: 1149 SQLSTATE: 42000 ( ER_SYNTAX_ERROR )

Сообщение: У вас ошибка в запросе. Изучите документацию по используемой версии MySQL на предмет корректного синтаксиса

Ошибка: 1150 SQLSTATE: HY000 ( ER_DELAYED_CANT_CHANGE_LOCK )

Сообщение: Поток, обслуживающий отложенную вставку (delayed insert), не смог получить запрашиваемую блокировку на таблицу %s

Ошибка: 1151 SQLSTATE: HY000 ( ER_TOO_MANY_DELAYED_THREADS )

Сообщение: Слишком много потоков, обслуживающих отложенную вставку (delayed insert)

Ошибка: 1152 SQLSTATE: 08S01 ( ER_ABORTING_CONNECTION )

Сообщение: Прервано соединение %ld к базе данных ‘%s’ пользователя ‘%s’ (%s)

Ошибка: 1153 SQLSTATE: 08S01 ( ER_NET_PACKET_TOO_LARGE )

Сообщение: Полученный пакет больше, чем ‘max_allowed_packet’

Ошибка: 1154 SQLSTATE: 08S01 ( ER_NET_READ_ERROR_FROM_PIPE )

Сообщение: Получена ошибка чтения от потока соединения (connection pipe)

Ошибка: 1155 SQLSTATE: 08S01 ( ER_NET_FCNTL_ERROR )

Сообщение: Получена ошибка от fcntl()

Ошибка: 1156 SQLSTATE: 08S01 ( ER_NET_PACKETS_OUT_OF_ORDER )

Сообщение: Пакеты получены в неверном порядке

Ошибка: 1157 SQLSTATE: 08S01 ( ER_NET_UNCOMPRESS_ERROR )

Сообщение: Невозможно распаковать пакет, полученный через коммуникационный протокол

Ошибка: 1158 SQLSTATE: 08S01 ( ER_NET_READ_ERROR )

Сообщение: Получена ошибка в процессе получения пакета через коммуникационный протокол

Ошибка: 1159 SQLSTATE: 08S01 ( ER_NET_READ_INTERRUPTED )

Сообщение: Получен таймаут ожидания пакета через коммуникационный протокол

Ошибка: 1160 SQLSTATE: 08S01 ( ER_NET_ERROR_ON_WRITE )

Сообщение: Получена ошибка при передаче пакета через коммуникационный протокол

Ошибка: 1161 SQLSTATE: 08S01 ( ER_NET_WRITE_INTERRUPTED )

Сообщение: Получен таймаут в процессе передачи пакета через коммуникационный протокол

Ошибка: 1162 SQLSTATE: 42000 ( ER_TOO_LONG_STRING )

Сообщение: Результирующая строка больше, чем ‘max_allowed_packet’

Ошибка: 1163 SQLSTATE: 42000 ( ER_TABLE_CANT_HANDLE_BLOB )

Сообщение: Используемая таблица не поддерживает типы BLOB/TEXT

Ошибка: 1164 SQLSTATE: 42000 ( ER_TABLE_CANT_HANDLE_AUTO_INCREMENT )

Сообщение: Используемая таблица не поддерживает автоинкрементные столбцы

Ошибка: 1165 SQLSTATE: HY000 ( ER_DELAYED_INSERT_TABLE_LOCKED )

Сообщение: Нельзя использовать INSERT DELAYED для таблицы ‘%s’, потому что она заблокирована с помощью LOCK TABLES

Ошибка: 1166 SQLSTATE: 42000 ( ER_WRONG_COLUMN_NAME )

Сообщение: Неверное имя столбца ‘%s’

Ошибка: 1167 SQLSTATE: 42000 ( ER_WRONG_KEY_COLUMN )

Сообщение: Использованный обработчик таблицы не может проиндексировать столбец ‘%s’

Ошибка: 1168 SQLSTATE: HY000 ( ER_WRONG_MRG_TABLE )

Сообщение: Не все таблицы в MERGE определены одинаково

Ошибка: 1169 SQLSTATE: 23000 ( ER_DUP_UNIQUE )

Сообщение: Невозможно записать в таблицу ‘%s’ из-за ограничений уникального ключа

Ошибка: 1170 SQLSTATE: 42000 ( ER_BLOB_KEY_WITHOUT_LENGTH )

Сообщение: Столбец типа BLOB ‘%s’ был указан в определении ключа без указания длины ключа

Ошибка: 1171 SQLSTATE: 42000 ( ER_PRIMARY_CANT_HAVE_NULL )

Сообщение: Все части первичного ключа (PRIMARY KEY) должны быть определены как NOT NULL; Если вам нужна поддержка величин NULL в ключе, воспользуйтесь индексом UNIQUE

Ошибка: 1172 SQLSTATE: 42000 ( ER_TOO_MANY_ROWS )

Сообщение: В результате возвращена более чем одна строка

Ошибка: 1173 SQLSTATE: 42000 ( ER_REQUIRES_PRIMARY_KEY )

Сообщение: Этот тип таблицы требует определения первичного ключа

Ошибка: 1174 SQLSTATE: HY000 ( ER_NO_RAID_COMPILED )

Сообщение: Эта версия MySQL скомпилирована без поддержки RAID

Ошибка: 1175 SQLSTATE: HY000 ( ER_UPDATE_WITHOUT_KEY_IN_SAFE_MODE )

Сообщение: Вы работаете в режиме безопасных обновлений (safe update mode) и попробовали изменить таблицу без использования ключевого столбца в части WHERE

Ошибка: 1176 SQLSTATE: HY000 ( ER_KEY_DOES_NOT_EXITS )

Сообщение: Ключ ‘%s’ не существует в таблице ‘%s’

Ошибка: 1177 SQLSTATE: 42000 ( ER_CHECK_NO_SUCH_TABLE )

Сообщение: Невозможно открыть таблицу

Ошибка: 1178 SQLSTATE: 42000 ( ER_CHECK_NOT_IMPLEMENTED )

Сообщение: Обработчик таблицы не поддерживает этого: %s

Ошибка: 1179 SQLSTATE: 25000 ( ER_CANT_DO_THIS_DURING_AN_TRANSACTION )

Сообщение: Вам не разрешено выполнять эту команду в транзакции

Ошибка: 1180 SQLSTATE: HY000 ( ER_ERROR_DURING_COMMIT )

Сообщение: Получена ошибка %d в процессе COMMIT

Ошибка: 1181 SQLSTATE: HY000 ( ER_ERROR_DURING_ROLLBACK )

Сообщение: Получена ошибка %d в процессе ROLLBACK

Ошибка: 1182 SQLSTATE: HY000 ( ER_ERROR_DURING_FLUSH_LOGS )

Сообщение: Получена ошибка %d в процессе FLUSH_LOGS

Ошибка: 1183 SQLSTATE: HY000 ( ER_ERROR_DURING_CHECKPOINT )

Сообщение: Получена ошибка %d в процессе CHECKPOINT

Ошибка: 1184 SQLSTATE: 08S01 ( ER_NEW_ABORTING_CONNECTION )

Сообщение: Прервано соединение %ld к базе данных ‘%s’ пользователя ‘%s’ с хоста `%s’ (%s)

Ошибка: 1185 SQLSTATE: HY000 ( ER_DUMP_NOT_IMPLEMENTED )

Сообщение: Обработчик этой таблицы не поддерживает двоичного сохранения образа таблицы (dump)

Ошибка: 1186 SQLSTATE: HY000 ( ER_FLUSH_MASTER_BINLOG_CLOSED )

Сообщение: Двоичный журнал обновления закрыт, невозможно выполнить RESET MASTER

Ошибка: 1187 SQLSTATE: HY000 ( ER_INDEX_REBUILD )

Сообщение: Ошибка перестройки индекса сохраненной таблицы ‘%s’

Ошибка: 1188 SQLSTATE: HY000 ( ER_MASTER )

Сообщение: Ошибка от головного сервера: ‘%s’

Ошибка: 1189 SQLSTATE: 08S01 ( ER_MASTER_NET_READ )

Сообщение: Возникла ошибка чтения в процессе коммуникации с головным сервером

Ошибка: 1190 SQLSTATE: 08S01 ( ER_MASTER_NET_WRITE )

Сообщение: Возникла ошибка записи в процессе коммуникации с головным сервером

Ошибка: 1191 SQLSTATE: HY000 ( ER_FT_MATCHING_KEY_NOT_FOUND )

Сообщение: Невозможно отыскать полнотекстовый (FULLTEXT) индекс, соответствующий списку столбцов

Ошибка: 1192 SQLSTATE: HY000 ( ER_LOCK_OR_ACTIVE_TRANSACTION )

Сообщение: Невозможно выполнить указанную команду, поскольку у вас присутствуют активно заблокированные таблица или открытая транзакция

Ошибка: 1193 SQLSTATE: HY000 ( ER_UNKNOWN_SYSTEM_VARIABLE )

Сообщение: Неизвестная системная переменная ‘%s’

Ошибка: 1194 SQLSTATE: HY000 ( ER_CRASHED_ON_USAGE )

Сообщение: Таблица ‘%s’ помечена как испорченная и должна пройти проверку и ремонт

Ошибка: 1195 SQLSTATE: HY000 ( ER_CRASHED_ON_REPAIR )

Сообщение: Таблица ‘%s’ помечена как испорченная и последний (автоматический?) ремонт не был успешным

Ошибка: 1196 SQLSTATE: HY000 ( ER_WARNING_NOT_COMPLETE_ROLLBACK )

Сообщение: Внимание: по некоторым измененным нетранзакционным таблицам невозможно будет произвести откат транзакции

Ошибка: 1197 SQLSTATE: HY000 ( ER_TRANS_CACHE_FULL )

Сообщение: Транзакции, включающей большое количество команд, потребовалось более чем ‘max_binlog_cache_size’ байт. Увеличьте эту переменную сервера mysqld и попробуйте еще раз

Ошибка: 1198 SQLSTATE: HY000 ( ER_SLAVE_MUST_STOP )

Сообщение: Эту операцию невозможно выполнить при работающем потоке подчиненного сервера. Сначала выполните STOP SLAVE

Ошибка: 1199 SQLSTATE: HY000 ( ER_SLAVE_NOT_RUNNING )

Сообщение: Для этой операции требуется работающий подчиненный сервер. Сначала выполните START SLAVE

Ошибка: 1200 SQLSTATE: HY000 ( ER_BAD_SLAVE )

Сообщение: Этот сервер не настроен как подчиненный. Внесите исправления в конфигурационном файле или с помощью CHANGE MASTER TO

Ошибка: 1201 SQLSTATE: HY000 ( ER_MASTER_INFO )

Сообщение: Could not initialize master info structure, more error messages can be found in the MySQL error log

Ошибка: 1202 SQLSTATE: HY000 ( ER_SLAVE_THREAD )

Сообщение: Невозможно создать поток подчиненного сервера. Проверьте системные ресурсы

Ошибка: 1203 SQLSTATE: 42000 ( ER_TOO_MANY_USER_CONNECTIONS )

Сообщение: У пользователя %s уже больше чем ‘max_user_connections’ активных соединений

Ошибка: 1204 SQLSTATE: HY000 ( ER_SET_CONSTANTS_ONLY )

Сообщение: Вы можете использовать в SET только константные выражения

Ошибка: 1205 SQLSTATE: HY000 ( ER_LOCK_WAIT_TIMEOUT )

Сообщение: Таймаут ожидания блокировки истек; попробуйте перезапустить транзакцию

Ошибка: 1206 SQLSTATE: HY000 ( ER_LOCK_TABLE_FULL )

Сообщение: Общее количество блокировок превысило размеры таблицы блокировок

Ошибка: 1207 SQLSTATE: 25000 ( ER_READ_ONLY_TRANSACTION )

Сообщение: Блокировки обновлений нельзя получить в процессе чтения не принятой (в режиме READ UNCOMMITTED) транзакции

Ошибка: 1208 SQLSTATE: HY000 ( ER_DROP_DB_WITH_READ_LOCK )

Сообщение: Не допускается DROP DATABASE, пока поток держит глобальную блокировку чтения

Ошибка: 1209 SQLSTATE: HY000 ( ER_CREATE_DB_WITH_READ_LOCK )

Сообщение: Не допускается CREATE DATABASE, пока поток держит глобальную блокировку чтения

Ошибка: 1210 SQLSTATE: HY000 ( ER_WRONG_ARGUMENTS )

Сообщение: Неверные параметры для %s

Ошибка: 1211 SQLSTATE: 42000 ( ER_NO_PERMISSION_TO_CREATE_USER )

Сообщение: ‘%s’@’%s’ не разрешается создавать новых пользователей

Ошибка: 1212 SQLSTATE: HY000 ( ER_UNION_TABLES_IN_DIFFERENT_DIR )

Сообщение: Неверное определение таблицы; Все таблицы в MERGE должны принадлежать одной и той же базе данных

Ошибка: 1213 SQLSTATE: 40001 ( ER_LOCK_DEADLOCK )

Сообщение: Возникла тупиковая ситуация в процессе получения блокировки; Попробуйте перезапустить транзакцию

Ошибка: 1214 SQLSTATE: HY000 ( ER_TABLE_CANT_HANDLE_FT )

Сообщение: Используемый тип таблиц не поддерживает полнотекстовых индексов

Ошибка: 1215 SQLSTATE: HY000 ( ER_CANNOT_ADD_FOREIGN )

Сообщение: Невозможно добавить ограничения внешнего ключа

Ошибка: 1216 SQLSTATE: 23000 ( ER_NO_REFERENCED_ROW )

Сообщение: Невозможно добавить или обновить дочернюю строку: проверка ограничений внешнего ключа не выполняется

Ошибка: 1217 SQLSTATE: 23000 ( ER_ROW_IS_REFERENCED )

Сообщение: Невозможно удалить или обновить родительскую строку: проверка ограничений внешнего ключа не выполняется

Ошибка: 1218 SQLSTATE: 08S01 ( ER_CONNECT_TO_MASTER )

Сообщение: Ошибка соединения с головным сервером: %s

Ошибка: 1219 SQLSTATE: HY000 ( ER_QUERY_ON_MASTER )

Сообщение: Ошибка выполнения запроса на головном сервере: %s

Ошибка: 1220 SQLSTATE: HY000 ( ER_ERROR_WHEN_EXECUTING_COMMAND )

Сообщение: Ошибка при выполнении команды %s: %s

Ошибка: 1221 SQLSTATE: HY000 ( ER_WRONG_USAGE )

Сообщение: Неверное использование %s и %s

Ошибка: 1222 SQLSTATE: 21000 ( ER_WRONG_NUMBER_OF_COLUMNS_IN_SELECT )

Сообщение: Использованные операторы выборки (SELECT) дают разное количество столбцов

Ошибка: 1223 SQLSTATE: HY000 ( ER_CANT_UPDATE_WITH_READLOCK )

Сообщение: Невозможно исполнить запрос, поскольку у вас установлены конфликтующие блокировки чтения

Ошибка: 1224 SQLSTATE: HY000 ( ER_MIXING_NOT_ALLOWED )

Сообщение: Использование транзакционных таблиц наряду с нетранзакционными запрещено

Ошибка: 1225 SQLSTATE: HY000 ( ER_DUP_ARGUMENT )

Сообщение: Опция ‘%s’ дважды использована в выражении

Ошибка: 1226 SQLSTATE: 42000 ( ER_USER_LIMIT_REACHED )

Сообщение: Пользователь ‘%s’ превысил использование ресурса ‘%s’ (текущее значение: %ld)

Ошибка: 1227 SQLSTATE: HY000 ( ER_SPECIFIC_ACCESS_DENIED_ERROR )

Сообщение: В доступе отказано. Вам нужны привилегии %s для этой операции

Ошибка: 1228 SQLSTATE: HY000 ( ER_LOCAL_VARIABLE )

Сообщение: Переменная ‘%s’ является потоковой (SESSION) переменной и не может быть изменена с помощью SET GLOBAL

Ошибка: 1229 SQLSTATE: HY000 ( ER_GLOBAL_VARIABLE )

Сообщение: Переменная ‘%s’ является глобальной (GLOBAL) переменной, и ее следует изменять с помощью SET GLOBAL

Ошибка: 1230 SQLSTATE: 42000 ( ER_NO_DEFAULT )

Сообщение: Переменная ‘%s’ не имеет значения по умолчанию

Ошибка: 1231 SQLSTATE: 42000 ( ER_WRONG_VALUE_FOR_VAR )

Сообщение: Переменная ‘%s’ не может быть установлена в значение ‘%s’

Ошибка: 1232 SQLSTATE: 42000 ( ER_WRONG_TYPE_FOR_VAR )

Сообщение: Неверный тип аргумента для переменной ‘%s’

Ошибка: 1233 SQLSTATE: HY000 ( ER_VAR_CANT_BE_READ )

Сообщение: Переменная ‘%s’ может быть только установлена, но не считана

Ошибка: 1234 SQLSTATE: 42000 ( ER_CANT_USE_OPTION_HERE )

Сообщение: Неверное использование или в неверном месте указан ‘%s’

Ошибка: 1235 SQLSTATE: 42000 ( ER_NOT_SUPPORTED_YET )

Сообщение: Эта версия MySQL пока еще не поддерживает ‘%s’

Ошибка: 1236 SQLSTATE: HY000 ( ER_MASTER_FATAL_ERROR_READING_BINLOG )

Сообщение: Получена неисправимая ошибка %d: ‘%s’ от головного сервера в процессе выборки данных из двоичного журнала

Ошибка: 1237 SQLSTATE: HY000 ( ER_SLAVE_IGNORED_TABLE )

Сообщение: Slave SQL thread ignored the query because of replicate-*-table rules

Ошибка: 1238 SQLSTATE: HY000 ( ER_INCORRECT_GLOBAL_LOCAL_VAR )

Сообщение: Variable ‘%s’ is a %s variable

Ошибка: 1239 SQLSTATE: 42000 ( ER_WRONG_FK_DEF )

Сообщение: Incorrect foreign key definition for ‘%s’: %s

Ошибка: 1240 SQLSTATE: HY000 ( ER_KEY_REF_DO_NOT_MATCH_TABLE_REF )

Сообщение: Key reference and table reference don’t match

Ошибка: 1241 SQLSTATE: 21000 ( ER_OPERAND_COLUMNS )

Сообщение: Операнд должен содержать %d колонок

Ошибка: 1242 SQLSTATE: 21000 ( ER_SUBQUERY_NO_1_ROW )

Сообщение: Подзапрос возвращает более одной записи

Ошибка: 1243 SQLSTATE: HY000 ( ER_UNKNOWN_STMT_HANDLER )

Сообщение: Unknown prepared statement handler (%.*s) given to %s

Ошибка: 1244 SQLSTATE: HY000 ( ER_CORRUPT_HELP_DB )

Сообщение: Help database is corrupt or does not exist

Ошибка: 1245 SQLSTATE: HY000 ( ER_CYCLIC_REFERENCE )

Сообщение: Циклическая ссылка на подзапрос

Ошибка: 1246 SQLSTATE: HY000 ( ER_AUTO_CONVERT )

Сообщение: Преобразование поля ‘%s’ из %s в %s

Ошибка: 1247 SQLSTATE: 42S22 ( ER_ILLEGAL_REFERENCE )

Сообщение: Ссылка ‘%s’ не поддерживается (%s)

Ошибка: 1248 SQLSTATE: 42000 ( ER_DERIVED_MUST_HAVE_ALIAS )

Сообщение: Every derived table must have its own alias

Ошибка: 1249 SQLSTATE: 01000 ( ER_SELECT_REDUCED )

Сообщение: Select %u был упразднен в процессе оптимизации

Ошибка: 1250 SQLSTATE: 42000 ( ER_TABLENAME_NOT_ALLOWED_HERE )

Сообщение: Table ‘%s’ from one of the SELECTs cannot be used in %s

Ошибка: 1251 SQLSTATE: 08004 ( ER_NOT_SUPPORTED_AUTH_MODE )

Сообщение: Client does not support authentication protocol requested by server; consider upgrading MySQL client

Ошибка: 1252 SQLSTATE: 42000 ( ER_SPATIAL_CANT_HAVE_NULL )

Сообщение: All parts of a SPATIAL index must be NOT NULL

Ошибка: 1253 SQLSTATE: 42000 ( ER_COLLATION_CHARSET_MISMATCH )

Сообщение: COLLATION ‘%s’ is not valid for CHARACTER SET ‘%s’

Ошибка: 1254 SQLSTATE: HY000 ( ER_SLAVE_WAS_RUNNING )

Сообщение: Slave is already running

Ошибка: 1255 SQLSTATE: HY000 ( ER_SLAVE_WAS_NOT_RUNNING )

Сообщение: Slave has already been stopped

Ошибка: 1256 SQLSTATE: HY000 ( ER_TOO_BIG_FOR_UNCOMPRESS )

Сообщение: Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)

Ошибка: 1257 SQLSTATE: HY000 ( ER_ZLIB_Z_MEM_ERROR )

Сообщение: ZLIB: Not enough memory

Ошибка: 1258 SQLSTATE: HY000 ( ER_ZLIB_Z_BUF_ERROR )

Сообщение: ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)

Ошибка: 1259 SQLSTATE: HY000 ( ER_ZLIB_Z_DATA_ERROR )

Сообщение: ZLIB: Input data corrupted

Ошибка: 1260 SQLSTATE: HY000 ( ER_CUT_VALUE_GROUP_CONCAT )

Сообщение: %d line(s) were cut by GROUP_CONCAT()

Ошибка: 1261 SQLSTATE: 01000 ( ER_WARN_TOO_FEW_RECORDS )

Сообщение: Row %ld doesn’t contain data for all columns

Ошибка: 1262 SQLSTATE: 01000 ( ER_WARN_TOO_MANY_RECORDS )

Сообщение: Row %ld was truncated; it contained more data than there were input columns

Ошибка: 1263 SQLSTATE: 01000 ( ER_WARN_NULL_TO_NOTNULL )

Сообщение: Data truncated; NULL supplied to NOT NULL column ‘%s’ at row %ld

Ошибка: 1264 SQLSTATE: 01000 ( ER_WARN_DATA_OUT_OF_RANGE )

Сообщение: Data truncated; out of range for column ‘%s’ at row %ld

Ошибка: 1265 SQLSTATE: 01000 ( ER_WARN_DATA_TRUNCATED )

Сообщение: Data truncated for column ‘%s’ at row %ld

Ошибка: 1266 SQLSTATE: HY000 ( ER_WARN_USING_OTHER_HANDLER )

Сообщение: Using storage engine %s for table ‘%s’

Ошибка: 1267 SQLSTATE: HY000 ( ER_CANT_AGGREGATE_2COLLATIONS )

Сообщение: Illegal mix of collations (%s,%s) and (%s,%s) for operation ‘%s’

Ошибка: 1268 SQLSTATE: HY000 ( ER_DROP_USER )

Сообщение: Can’t drop one or more of the requested users

Ошибка: 1269 SQLSTATE: HY000 ( ER_REVOKE_GRANTS )

Сообщение: Can’t revoke all privileges, grant for one or more of the requested users

Ошибка: 1270 SQLSTATE: HY000 ( ER_CANT_AGGREGATE_3COLLATIONS )

Сообщение: Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation ‘%s’

Ошибка: 1271 SQLSTATE: HY000 ( ER_CANT_AGGREGATE_NCOLLATIONS )

Сообщение: Illegal mix of collations for operation ‘%s’

Ошибка: 1272 SQLSTATE: HY000 ( ER_VARIABLE_IS_NOT_STRUCT )

Сообщение: Variable ‘%s’ is not a variable component (can’t be used as XXXX.variable_name)

Ошибка: 1273 SQLSTATE: HY000 ( ER_UNKNOWN_COLLATION )

Сообщение: Unknown collation: ‘%s’

Ошибка: 1274 SQLSTATE: HY000 ( ER_SLAVE_IGNORED_SSL_PARAMS )

Сообщение: SSL parameters in CHANGE MASTER are ignored because this MySQL slave was compiled without SSL support; they can be used later if MySQL slave with SSL is started

Ошибка: 1275 SQLSTATE: HY000 ( ER_SERVER_IS_IN_SECURE_AUTH_MODE )

Сообщение: Сервер запущен в режиме —secure-auth (безопасной авторизации), но для пользователя ‘%s’@’%s’ пароль сохранён в старом формате; необходимо обновить формат пароля

Ошибка: 1276 SQLSTATE: HY000 ( ER_WARN_FIELD_RESOLVED )

Сообщение: Поле или ссылка ‘%s%s%s%s%s’ из SELECTа #%d была найдена в SELECTе #%d

Ошибка: 1277 SQLSTATE: HY000 ( ER_BAD_SLAVE_UNTIL_COND )

Сообщение: Incorrect parameter or combination of parameters for START SLAVE UNTIL

Ошибка: 1278 SQLSTATE: HY000 ( ER_MISSING_SKIP_SLAVE )

Сообщение: It is recommended to run with —skip-slave-start when doing step-by-step replication with START SLAVE UNTIL; otherwise, you are not safe in case of unexpected slave’s mysqld restart

Ошибка: 1279 SQLSTATE: HY000 ( ER_UNTIL_COND_IGNORED )

Сообщение: SQL thread is not to be started so UNTIL options are ignored

Ошибка: 1280 SQLSTATE: 42000 ( ER_WRONG_NAME_FOR_INDEX )

Сообщение: Incorrect index name ‘%s’

Ошибка: 1281 SQLSTATE: 42000 ( ER_WRONG_NAME_FOR_CATALOG )

Сообщение: Incorrect catalog name ‘%s’

Ошибка: 1282 SQLSTATE: HY000 ( ER_WARN_QC_RESIZE )

Сообщение: Кеш запросов не может установить размер %lu, новый размер кеша зпросов — %lu

Ошибка: 1283 SQLSTATE: HY000 ( ER_BAD_FT_COLUMN )

Сообщение: Column ‘%s’ cannot be part of FULLTEXT index

Ошибка: 1284 SQLSTATE: HY000 ( ER_UNKNOWN_KEY_CACHE )

Сообщение: Unknown key cache ‘%s’

Ошибка: 1285 SQLSTATE: HY000 ( ER_WARN_HOSTNAME_WONT_WORK )

Сообщение: MySQL is started in —skip-name-resolve mode. You need to restart it without this switch for this grant to work

Ошибка: 1286 SQLSTATE: 42000 ( ER_UNKNOWN_STORAGE_ENGINE )

Сообщение: Unknown table engine ‘%s’

Ошибка: 1287 SQLSTATE: HY000 ( ER_WARN_DEPRECATED_SYNTAX )

Сообщение: ‘%s’ is deprecated, use ‘%s’ instead

Ошибка: 1288 SQLSTATE: HY000 ( ER_NON_UPDATABLE_TABLE )

Сообщение: Таблица %s в %s не может изменятся

Ошибка: 1289 SQLSTATE: HY000 ( ER_FEATURE_DISABLED )

Сообщение: The ‘%s’ feature was disabled; you need MySQL built with ‘%s’ to have it working

Ошибка: 1290 SQLSTATE: HY000 ( ER_OPTION_PREVENTS_STATEMENT )

Сообщение: The MySQL server is running with the %s option so it cannot execute this statement

Ошибка: 1291 SQLSTATE: HY000 ( ER_DUPLICATED_VALUE_IN_TYPE )

Сообщение: Column ‘%s’ has duplicated value ‘%s’ in %s

Ошибка: 1292 SQLSTATE: HY000 ( ER_TRUNCATED_WRONG_VALUE )

Сообщение: Truncated wrong %s value: ‘%s’

Ошибка: 1293 SQLSTATE: HY000 ( ER_TOO_MUCH_AUTO_TIMESTAMP_COLS )

Сообщение: Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause

Ошибка: 1294 SQLSTATE: HY000 ( ER_INVALID_ON_UPDATE )

Сообщение: Invalid ON UPDATE clause for ‘%s’ column

Ошибка: 1295 SQLSTATE: HY000 ( ER_UNSUPPORTED_PS )

Сообщение: This command is not supported in the prepared statement protocol yet

Ошибка: 1296 SQLSTATE: HY000 ( ER_GET_ERRMSG )

Сообщение: Got error %d ‘%s’ from %s

Ошибка: 1297 SQLSTATE: HY000 ( ER_GET_TEMPORARY_ERRMSG )

Сообщение: Got temporary error %d ‘%s’ from %s

Ошибка: 1298 SQLSTATE: HY000 ( ER_UNKNOWN_TIME_ZONE )

Сообщение: Unknown or incorrect time zone: ‘%s’

Ошибка: 1299 SQLSTATE: HY000 ( ER_WARN_INVALID_TIMESTAMP )

Сообщение: Invalid TIMESTAMP value in column ‘%s’ at row %ld

Ошибка: 1300 SQLSTATE: HY000 ( ER_INVALID_CHARACTER_STRING )

Сообщение: Invalid %s character string: ‘%s’

Ошибка: 1301 SQLSTATE: HY000 ( ER_WARN_ALLOWED_PACKET_OVERFLOWED )

Сообщение: Result of %s() was larger than max_allowed_packet (%ld) — truncated

Ошибка: 1302 SQLSTATE: HY000 ( ER_CONFLICTING_DECLARATIONS )

Сообщение: Conflicting declarations: ‘%s%s’ and ‘%s%s’

Client error information comes from the following files:

The Error values and the symbols in parentheses correspond to definitions in the include/errmsg.h MySQL source file.

The Message values correspond to the error messages that are listed in the libmysql/errmsg.c file. %d and %s represent numbers and strings, respectively, that are substituted into the messages when they are displayed.

Because updates are frequent, it is possible that these files contain additional error information not listed here.

Ошибка: 2000 ( CR_UNKNOWN_ERROR )

Сообщение: Unknown MySQL error

Ошибка: 2001 ( CR_SOCKET_CREATE_ERROR )

Сообщение: Can’t create UNIX socket (%d)

Ошибка: 2002 ( CR_CONNECTION_ERROR )

Сообщение: Can’t connect to local MySQL server through socket ‘%s’ (%d)

Ошибка: 2003 ( CR_CONN_HOST_ERROR )

Сообщение: Can’t connect to MySQL server on ‘%s’ (%d)

Ошибка: 2004 ( CR_IPSOCK_ERROR )

Сообщение: Can’t create TCP/IP socket (%d)

Ошибка: 2005 ( CR_UNKNOWN_HOST )

Сообщение: Unknown MySQL server host ‘%s’ (%d)

Ошибка: 2006 ( CR_SERVER_GONE_ERROR )

Сообщение: MySQL server has gone away

Ошибка: 2007 ( CR_VERSION_ERROR )

Сообщение: Protocol mismatch; server version = %d, client version = %d

Ошибка: 2008 ( CR_OUT_OF_MEMORY )

Сообщение: MySQL client ran out of memory

Ошибка: 2009 ( CR_WRONG_HOST_INFO )

Сообщение: Wrong host info

Ошибка: 2010 ( CR_LOCALHOST_CONNECTION )

Сообщение: Localhost via UNIX socket

Ошибка: 2011 ( CR_TCP_CONNECTION )

Сообщение: %s via TCP/IP

Ошибка: 2012 ( CR_SERVER_HANDSHAKE_ERR )

Сообщение: Error in server handshake

Ошибка: 2013 ( CR_SERVER_LOST )

Сообщение: Lost connection to MySQL server during query

Ошибка: 2014 ( CR_COMMANDS_OUT_OF_SYNC )

Сообщение: Commands out of sync; you can’t run this command now

Ошибка: 2015 ( CR_NAMEDPIPE_CONNECTION )

Сообщение: Named pipe: %s

Ошибка: 2016 ( CR_NAMEDPIPEWAIT_ERROR )

Сообщение: Can’t wait for named pipe to host: %s pipe: %s (%lu)

Ошибка: 2017 ( CR_NAMEDPIPEOPEN_ERROR )

Сообщение: Can’t open named pipe to host: %s pipe: %s (%lu)

Ошибка: 2018 ( CR_NAMEDPIPESETSTATE_ERROR )

Сообщение: Can’t set state of named pipe to host: %s pipe: %s (%lu)

Ошибка: 2019 ( CR_CANT_READ_CHARSET )

Сообщение: Can’t initialize character set %s (path: %s)

Ошибка: 2020 ( CR_NET_PACKET_TOO_LARGE )

Сообщение: Got packet bigger than ‘max_allowed_packet’ bytes

Ошибка: 2021 ( CR_EMBEDDED_CONNECTION )

Сообщение: Embedded server

Ошибка: 2022 ( CR_PROBE_SLAVE_STATUS )

Сообщение: Error on SHOW SLAVE STATUS:

Ошибка: 2023 ( CR_PROBE_SLAVE_HOSTS )

Сообщение: Error on SHOW SLAVE HOSTS:

Ошибка: 2024 ( CR_PROBE_SLAVE_CONNECT )

Сообщение: Error connecting to slave:

Ошибка: 2025 ( CR_PROBE_MASTER_CONNECT )

Сообщение: Error connecting to master:

Ошибка: 2026 ( CR_SSL_CONNECTION_ERROR )

Сообщение: SSL connection error

Ошибка: 2027 ( CR_MALFORMED_PACKET )

Сообщение: Malformed packet

Ошибка: 2028 ( CR_WRONG_LICENSE )

Сообщение: This client library is licensed only for use with MySQL servers having ‘%s’ license

Ошибка: 2029 ( CR_NULL_POINTER )

Сообщение: Invalid use of null pointer

Ошибка: 2030 ( CR_NO_PREPARE_STMT )

Сообщение: Statement not prepared

Ошибка: 2031 ( CR_PARAMS_NOT_BOUND )

Сообщение: No data supplied for parameters in prepared statement

Ошибка: 2032 ( CR_DATA_TRUNCATED )

Сообщение: Data truncated

Ошибка: 2033 ( CR_NO_PARAMETERS_EXISTS )

Сообщение: No parameters exist in the statement

Ошибка: 2034 ( CR_INVALID_PARAMETER_NO )

Сообщение: Invalid parameter number

Ошибка: 2035 ( CR_INVALID_BUFFER_USE )

Сообщение: Can’t send long data for non-string/non-binary data types (parameter: %d)

Ошибка: 2036 ( CR_UNSUPPORTED_PARAM_TYPE )

Сообщение: Using unsupported buffer type: %d (parameter: %d)

Ошибка: 2037 ( CR_SHARED_MEMORY_CONNECTION )

Сообщение: Shared memory: %s

Ошибка: 2038 ( CR_SHARED_MEMORY_CONNECT_REQUEST_ERROR )

Сообщение: Can’t open shared memory; client could not create request event (%lu)

Ошибка: 2039 ( CR_SHARED_MEMORY_CONNECT_ANSWER_ERROR )

Сообщение: Can’t open shared memory; no answer event received from server (%lu)

Ошибка: 2040 ( CR_SHARED_MEMORY_CONNECT_FILE_MAP_ERROR )

Сообщение: Can’t open shared memory; server could not allocate file mapping (%lu)

Ошибка: 2041 ( CR_SHARED_MEMORY_CONNECT_MAP_ERROR )

Сообщение: Can’t open shared memory; server could not get pointer to file mapping (%lu)

Ошибка: 2042 ( CR_SHARED_MEMORY_FILE_MAP_ERROR )

Сообщение: Can’t open shared memory; client could not allocate file mapping (%lu)

Ошибка: 2043 ( CR_SHARED_MEMORY_MAP_ERROR )

Сообщение: Can’t open shared memory; client could not get pointer to file mapping (%lu)

Ошибка: 2044 ( CR_SHARED_MEMORY_EVENT_ERROR )

Сообщение: Can’t open shared memory; client could not create %s event (%lu)

Ошибка: 2045 ( CR_SHARED_MEMORY_CONNECT_ABANDONED_ERROR )

Сообщение: Can’t open shared memory; no answer from server (%lu)

Ошибка: 2046 ( CR_SHARED_MEMORY_CONNECT_SET_ERROR )

Сообщение: Can’t open shared memory; cannot send request event to server (%lu)

Ошибка: 2047 ( CR_CONN_UNKNOW_PROTOCOL )

Сообщение: Wrong or unknown protocol

Ошибка: 2048 ( CR_INVALID_CONN_HANDLE )

Сообщение: Invalid connection handle

Ошибка: 2049 ( CR_SECURE_AUTH )

Сообщение: Connection using old (pre-4.1.1) authentication protocol refused (client option ‘secure_auth’ enabled)

Ошибка: 2050 ( CR_FETCH_CANCELED )

Сообщение: Row retrieval was canceled by mysql_stmt_close() call

Ошибка: 2051 ( CR_NO_DATA )

Сообщение: Attempt to read column without prior row fetch

Ошибка: 2052 ( CR_NO_STMT_METADATA )

Сообщение: Prepared statement contains no metadata

Источник

The MySQL ERROR 1114 can be triggered when you try to perform an INSERT statement on a table.

The following example shows how the error happens when I try to insert data into the users table:

mysql> INSERT INTO `users` VALUES (15, "Nathan", "Sebhastian")

ERROR 1114 (HY000): The table users is full

To fix this error, you need to first check the disk space in where your MySQL server is installed and see if the partition is really full.

You can do so by running the df -h command from the Terminal. Here’s an example partitions listed from my server:

$ df -h

Filesystem      Size  Used Avail Use% Mounted on
/dev/vda1       200G   67G  134G  34% /
tmpfs            16G   34M   16G   1% /dev/shm
/dev/vdb1       800G  446G  354G  56% /tmp
tmpfs            16G  1.6G   15G  11% /run/dbus

If you see any disk on the list with the Use% value reaching around 90%, then you need to check if your mysql is installed on that disk.

Most likely you will have mysql located in /var/www/mysql directory, so you need to make sure the main mounted partition at / has the Use% lower than 80%.

But if you’re Use% values are low like in the example above, then the error is not caused by the disk partition.

You need to check on your MySQL configuration file next.

Fix MySQL table is full error from the configuration file

You need to open your MySQL config file and look at the configuration for innodb_data_file_path.

The default value may be as follows:

innodb_data_file_path = ibdata1:12M:autoextend:max:256M

The values of innodb_data_file_path option above will create an ibdata1 directory that stores all critical information for your InnoDB-based tables.

The maximum size of data you can store in your InnoDB tables are 256MB as shown in the autoextend:max:256M in the option above.

To resolve the MySQL table is full issue, try increasing the size of your autoextend parameter to 512M like this:

innodb_data_file_path = ibdata1:12M:autoextend:max:512M

Alternatively, you can also just write autoextend without specifying the maximum size to allow InnoDB tables to grow until the disk size is full:

innodb_data_file_path = ibdata1:12M:autoextend

Once done, save your configuration file and restart your MySQL server:

sudo service mysql stop
sudo service mysql start

Try to connect and insert the data into your database table again. It should work this time.

If you’re using the MyISAM engine for your tables, then MySQL permits each MyISAM table to grow up to 256TB by default.

The MyISAM engine limit can still be increased up to 65,536TB if you need to. Check out the official MySQL documentation on table size limits on how to do that.

Good luck resolving the issue! 👍

At XTIVIA, we have encountered the MySQL Error 1114, “table is full” on quite a few occasions. The description for the error is usually misleading as it implies that a table has reached or exceeded a maximum set limitation. Tables utilizing the InnoDB storage engine do have inherent maximums although in these cases, the 64TB limit for InnoDB tables with InnoDB page sizes of 16KB was not the issue.

It is possible to impose user-defined maximums by explicitly defining the variable innodb_data_file_path. For example setting it to a value of ibdata1:10M:autoextend:max:256M will limit the data in InnoDB tables to a total of 256MB. Removing the max:256MB term will eliminate the imposed maximum.

In most cases, ERROR 1114 results from lack of disk space. If a partition, disk, or LUN has been exhausted of all space and MySQL attempts to insert data into the table, it will fail with Error 1114.

One example where this error was encountered was during a backup on a large database. Although there was plenty of disk space available on the partition, as mysqldump began backing up one particularly large table, it sent hundreds of thousands of errors reporting that the table was full. Again, the table was not full as no limits were set and the table was not near the 64TB maximum. The problem was that as mysqldump ran, it was creating a large file on the same partition where the data existed thereby doubling the size required for the table.

Adding more disk space was not an option under the time crunch and the maintenance window available for the client. The issue was resolved by running mysqldump on the table in increments. By adding a “–where” option in the mysqldump command, the backup was run stepwise on smaller chunks of data enabling the backup file and data files to exist in the same partition without running out of space. Given the autoincrement primary key and total number of rows, the table was divided into ten groups by rows to dump separately. Each ran successfully, the errors halted and a successful backup was therefore performed on the entire database.

Summary

MySQL reports a “Table is full” error where, in most cases, the issue involves running out of disk space. By default, limits are not imposed on MySQL tables however there are relatively large maximums inherent to the database and those maximums have not been the issue in our experience. If you are seeing this error, first check the disk space on the partition to ensure that this is not the cause of the error. If disk space is not a concern, check the variable innodb_data_file_path to see if a maximum table size has been set explicitly.

This is an article where the focus of the main discussion is about how to solve the error message of MySQL Database Server generated upon restoring a dump file into a single database. The error specifically shown in the title of the article which is ‘ERROR 1114 (HY000) at line 4032: The table named ‘table’ is actually full. So, the error happened at the time of restoring a single database is in progress. It is shown as follows :

root@hostname:/etc/mysql/conf.d# mysql -uroot -p mydb < /root/mydb_20170919_140100.sql
Enter password: 
ERROR 1114 (HY000) at line 4780: The table 'xx_first_table' is full
root@hostname:/etc/mysql/conf.d#

As shown in the restoring progress of the database named ‘mydb’ using the dump file named ‘mydb_20170919_140100.sql’ as located in the ‘/root/’, the process eventually stop and generated an error shown in the following highlight :


ERROR 1114 (HY000) at line 4780: The table 'xx_first_table' is full.

The progress for restoring database stop in the MySQL dump file at line 4780 at the operation on restoring the table named ‘xx_first_table’. At first, the troubleshooting step taken is just trying to look at the MySQL Database Server’s error message log file to take a deeper look on what is actually gone wrong so that an error shown. Below is the error log file :

InnoDB: End of page dump
2017-09-19T09:00:30.374051Z 4 [Note] InnoDB: Uncompressed page, stored checksum in field1 492130239, calculated checksums for field1: crc32 1232268277/3592550205, innodb 2962603457, none 3735928559, stored checksum in field2 492130239, calculated checksums for field2: crc32 1232268277/3592550205, innodb 1053660304, none 3735928559,  page LSN 0 2898285209, low 4 bytes of LSN at page end 2898285209, page number (if stored to page already) 32087, space id (if created with >= MySQL-4.1.1 and stored already) 0
InnoDB: Page may be an index page where index id is 2
2017-09-19T09:00:30.374068Z 4 [Note] InnoDB: Index 2 is `CLUST_IND` in table `SYS_COLUMNS`
2017-09-19T09:00:30.374073Z 4 [Note] InnoDB: It is also possible that your operating system has corrupted its own file cache and rebooting your computer removes the error. If the corrupt page is an index page. You can also try to fix the corruption by dumping, dropping, and reimporting the corrupt table. You can use CHECK TABLE to scan your table for corruption. Please refer to http://dev.mysql.com/doc/refman/5.7/en/forcing-innodb-recovery.html for information about forcing recovery.
2017-09-19T09:00:30.374078Z 4 [ERROR] [FATAL] InnoDB: Aborting because of a corrupt database page in the system tablespace. Or,  there was a failure in tagging the tablespace  as corrupt.
2017-09-19 16:00:30 0x7fe254038700  InnoDB: Assertion failure in thread 140610048853760 in file ut0ut.cc line 916
InnoDB: We intentionally generate a memory trap.
InnoDB: Submit a detailed bug report to http://bugs.mysql.com.
InnoDB: If you get repeated assertion failures or crashes, even
InnoDB: immediately after the mysqld startup, there may be
InnoDB: corruption in the InnoDB tablespace. Please refer to
InnoDB: http://dev.mysql.com/doc/refman/5.7/en/forcing-innodb-recovery.html
InnoDB: about forcing recovery.
09:00:30 UTC - mysqld got signal 6 ;
This could be because you hit a bug. It is also possible that this binary
or one of the libraries it was linked against is corrupt, improperly built,
or misconfigured. This error can also be caused by malfunctioning hardware.
Attempting to collect some information that could help diagnose the problem.
As this is a crash and something is definitely wrong, the information
collection process might fail.

The error definitely start in the following line :

InnoDB: End of page dump

and it is finally started to show the clear reason in the following line :

2017-09-19T09:00:30.374078Z 4 [ERROR] [FATAL] InnoDB: Aborting because of a corrupt database page in the system tablespace. Or, there was a failure in tagging the tablespace as corrupt.

So, to solve the above error, using the available error generated, it is concluded that the InnoDB file allocated doesn’t have enough storage to contain the restored database. So, the following step is taken to solve the problem :

1. Enlarge the size of the InnoDB file used to store the data. It is specificed in MySQL Database Server’s configuration file. Usually located in /etc/mysql/my.cnf. Add the following line :

innodb_data_file_path = ibdata1:12M:autoextend

The file in the context of this article is actually located in ‘/etc/mysql/mysql.conf.d’. The most important content is shown in the following snippet code, especially in the ‘[mysqld]’ section. Just add the line above to increase automatically the size of InnoDB file which is represented by a file named ‘ibdata1’. The file ‘ibdata1’ itself normally located in ‘/var/lib/mysql’.

[mysqld]
#
# * Basic Settings
#
user            = mysql
pid-file        = /var/run/mysqld/mysqld.pid
socket          = /var/run/mysqld/mysqld.sock
port            = 3306
basedir         = /usr
datadir         = /var/lib/mysql
tmpdir          = /tmp
lc-messages-dir = /usr/share/mysql
skip-external-locking

innodb_data_file_path = ibdata1:12M:autoextend

The size specified above as the initial size can be vary and in the above context, it is started at 12 M.

2. But apparently, the above solution doesn’t fixed the problem. It is because in the end, the culprit of the problem is because the space storage of the server is exhausted. Since there is no space left, the file named ‘ibdata1’ cannot be resized into a larger unit because of the database restore process. So, the solution is to reclaim some space area so that ‘ibdata1’ file can be extended automatically because of the database restore process. Don’t forget to restart MySQL Database Service after claiming some spaces.

3. In case the step in the 2nd one also ends in vain. Don’t forget to move the InnoDB file first to another place when MySQL Database Server is inactive. Move it back again to the original location and then restart or start MySQL Database Server again. The solution is similar with the one given in the article titled ‘MySQL Error Message : ERROR 2002 (HY000): Can’t connect to local MySQL server through socket ‘/var/run/mysqld/mysqld.sock’ (2)’ in this link. The solution given in the article is by moving InnoDB file in the inactive MySQL Database Server’s service state which the main problem also relates with InnoDB file.

Понравилась статья? Поделить с друзьями:
  • Mysql error 1100
  • Mysql error 1093 hy000
  • Mysql error 1064 create user
  • Mysql error 1045 что делать
  • Mysql error 1045 28000 access denied for user root localhost using password yes