From 3bee89076ee2a18ce73f2283db44fdb76fa4145d Mon Sep 17 00:00:00 2001 From: unknown Date: Mon, 13 Dec 2004 10:57:26 +0200 Subject: [PATCH 01/24] Fixed a bug no error message for ALTER with InnoDB and AUTO_INCREMENT (Bug #7061). sql/ha_innodb.cc: Fixed a bug no error message for ALTER with InnoDB and AUTO_INCREMENT (Bug #7061). If AUTO_INCREMENT is given in the ALTER TABLE, this value is now set to the auto increment value of the table if the new value is creater or equal than the current value of the auto increment value. If the new value is less than the old value no error message is given and the old value is not changed. --- sql/ha_innodb.cc | 43 ++++++++++++++++++++++++++++++++++++++++++- 1 file changed, 42 insertions(+), 1 deletion(-) diff --git a/sql/ha_innodb.cc b/sql/ha_innodb.cc index 0c7fc23ee49..ff6239cf4ce 100644 --- a/sql/ha_innodb.cc +++ b/sql/ha_innodb.cc @@ -1326,7 +1326,13 @@ innobase_commit( &innodb_dummy_stmt_trx_handle: the latter means that the current SQL statement ended */ { - trx_t* trx; + trx_t* trx; + dict_table_t* table; + ib_longlong auto_inc_value; + ib_longlong aic_new; + char table_name[1000]; + ulint db_name_len; + ulint table_name_len; DBUG_ENTER("innobase_commit"); DBUG_PRINT("trans", ("ending transaction")); @@ -1361,6 +1367,41 @@ innobase_commit( "InnoDB: but trx->conc_state != TRX_NOT_STARTED\n"); } + if (thd->lex->sql_command == SQLCOM_ALTER_TABLE && + (thd->lex->create_info.used_fields & HA_CREATE_USED_AUTO) && + (thd->lex->create_info.auto_increment_value != 0)) { + + /* Query was ALTER TABLE...AUTO_INC = x; Find out a table + definition from the dictionary and get the current value + of the auto increment field. Set a new value to the + auto increment field if the new value is creater than + the current value. */ + + aic_new = thd->lex->create_info.auto_increment_value; + db_name_len = strlen(thd->lex->query_tables->db); + table_name_len = strlen(thd->lex->query_tables->real_name); + + ut_ad((db_name_len + 1 + table_name_len) < 999); + strcpy(table_name, thd->lex->query_tables->db); + strcat(table_name, "/"); + strcat(table_name, thd->lex->query_tables->real_name); + + table = dict_table_get(table_name, trx); + + if (table) { + auto_inc_value = dict_table_autoinc_peek(table); + + if( auto_inc_value < aic_new) { + + /* We have to decrease the new auto increment + value by one because this function will increase + the value given by one. */ + + dict_table_autoinc_update(table, aic_new - 1); + } + } + } + if (trx_handle != (void*)&innodb_dummy_stmt_trx_handle || (!(thd->options & (OPTION_NOT_AUTOCOMMIT | OPTION_BEGIN)))) { From c4dc0c2583031c35bb944edcd3ea918862ffa7b6 Mon Sep 17 00:00:00 2001 From: unknown Date: Mon, 13 Dec 2004 14:21:59 +0100 Subject: [PATCH 02/24] flush_read_lock_kill-master.opt: don't make non-debug builds fail the testsuite mysql-test/t/flush_read_lock_kill-master.opt: don't make non-debug builds fail the testsuite --- mysql-test/t/flush_read_lock_kill-master.opt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mysql-test/t/flush_read_lock_kill-master.opt b/mysql-test/t/flush_read_lock_kill-master.opt index e7fe203239c..2b2b5eb5ebf 100644 --- a/mysql-test/t/flush_read_lock_kill-master.opt +++ b/mysql-test/t/flush_read_lock_kill-master.opt @@ -1 +1 @@ ---debug=d,make_global_read_lock_block_commit_loop +--loose-debug=d,make_global_read_lock_block_commit_loop From 08973f5c93d9f70da97a00a54b0c676c5eb6def2 Mon Sep 17 00:00:00 2001 From: unknown Date: Mon, 13 Dec 2004 15:44:45 +0200 Subject: [PATCH 03/24] Fixed a bug no error message for ALTER with InnoDB and AUTO_INCREMENT (Bug #7061). sql/ha_innodb.cc: Fixed a bug no error message for ALTER with InnoDB and AUTO_INCREMENT (Bug #7061). It cant be put on commit because ALTER TABLE will commit on every 10000 rows. Therefore, this change must be done when a new temporary table is created in the ALTER TABLE. --- sql/ha_innodb.cc | 56 +++++++++++++----------------------------------- 1 file changed, 15 insertions(+), 41 deletions(-) diff --git a/sql/ha_innodb.cc b/sql/ha_innodb.cc index ff6239cf4ce..3e535385ed0 100644 --- a/sql/ha_innodb.cc +++ b/sql/ha_innodb.cc @@ -1327,12 +1327,6 @@ innobase_commit( that the current SQL statement ended */ { trx_t* trx; - dict_table_t* table; - ib_longlong auto_inc_value; - ib_longlong aic_new; - char table_name[1000]; - ulint db_name_len; - ulint table_name_len; DBUG_ENTER("innobase_commit"); DBUG_PRINT("trans", ("ending transaction")); @@ -1367,41 +1361,6 @@ innobase_commit( "InnoDB: but trx->conc_state != TRX_NOT_STARTED\n"); } - if (thd->lex->sql_command == SQLCOM_ALTER_TABLE && - (thd->lex->create_info.used_fields & HA_CREATE_USED_AUTO) && - (thd->lex->create_info.auto_increment_value != 0)) { - - /* Query was ALTER TABLE...AUTO_INC = x; Find out a table - definition from the dictionary and get the current value - of the auto increment field. Set a new value to the - auto increment field if the new value is creater than - the current value. */ - - aic_new = thd->lex->create_info.auto_increment_value; - db_name_len = strlen(thd->lex->query_tables->db); - table_name_len = strlen(thd->lex->query_tables->real_name); - - ut_ad((db_name_len + 1 + table_name_len) < 999); - strcpy(table_name, thd->lex->query_tables->db); - strcat(table_name, "/"); - strcat(table_name, thd->lex->query_tables->real_name); - - table = dict_table_get(table_name, trx); - - if (table) { - auto_inc_value = dict_table_autoinc_peek(table); - - if( auto_inc_value < aic_new) { - - /* We have to decrease the new auto increment - value by one because this function will increase - the value given by one. */ - - dict_table_autoinc_update(table, aic_new - 1); - } - } - } - if (trx_handle != (void*)&innodb_dummy_stmt_trx_handle || (!(thd->options & (OPTION_NOT_AUTOCOMMIT | OPTION_BEGIN)))) { @@ -3871,6 +3830,7 @@ ha_innobase::create( char name2[FN_REFLEN]; char norm_name[FN_REFLEN]; THD *thd= current_thd; + ib_longlong auto_inc_value; DBUG_ENTER("ha_innobase::create"); @@ -4041,6 +4001,20 @@ ha_innobase::create( DBUG_ASSERT(innobase_table != 0); + if (thd->lex->sql_command == SQLCOM_ALTER_TABLE && + (thd->lex->create_info.used_fields & HA_CREATE_USED_AUTO) && + (thd->lex->create_info.auto_increment_value != 0)) { + + /* Query was ALTER TABLE...AUTO_INC = x; Find out a table + definition from the dictionary and get the current value + of the auto increment field. Set a new value to the + auto increment field if the new value is creater than + the current value. */ + + auto_inc_value = thd->lex->create_info.auto_increment_value; + dict_table_autoinc_initialize(innobase_table, auto_inc_value); + } + /* Tell the InnoDB server that there might be work for utility threads: */ From 87275b28664befb2e42070c4ea7824914c4d9884 Mon Sep 17 00:00:00 2001 From: unknown Date: Mon, 13 Dec 2004 22:51:54 +0200 Subject: [PATCH 04/24] WL#1051, more maintanable error messages. BitKeeper/deleted/.del-mysqld_error.h~9dac75782467aab7: Delete: include/mysqld_error.h BitKeeper/deleted/.del-sql_state.h~4307ea5f1fe99019: Delete: include/sql_state.h BitKeeper/deleted/.del-errmsg.txt~ba132dc9bc936c8a: Delete: sql/share/czech/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~4617575065d612b9: Delete: sql/share/danish/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~ef28b592c7591b7: Delete: sql/share/dutch/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~11edc4db89248c16: Delete: sql/share/french/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~184eb1f09242dc72: Delete: sql/share/estonian/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~898865062c970766: Delete: sql/share/greek/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~94a93cc742fca24d: Delete: sql/share/german/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~f96b7055cac394e: Delete: sql/share/english/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~2cdeb8d6f80eba72: Delete: sql/share/norwegian/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~587903f9311db2d1: Delete: sql/share/italian/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~9dab24f7fb11b1e1: Delete: sql/share/korean/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~e3183b99fbba0a9c: Delete: sql/share/japanese/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~eeb2c47537ed9c23: Delete: sql/share/hungarian/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~606dfaeb9e81aa4e: Delete: sql/share/portuguese/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~7397c423c52c6d2c: Delete: sql/share/polish/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~b6181e29d8282b06: Delete: sql/share/norwegian-ny/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~e2609fdf7870795: Delete: sql/share/romanian/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~ef53c33ac0ff8a84: Delete: sql/share/russian/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~ffe4a0c9e3206150: Delete: sql/share/serbian/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~6bbd9eac7f0e6b89: Delete: sql/share/slovak/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~b44a85a177954da0: Delete: sql/share/swedish/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~f19bfd5d4c918964: Delete: sql/share/spanish/errmsg.txt BitKeeper/deleted/.del-errmsg.txt~8ed1999cbd481dc4: Delete: sql/share/ukrainian/errmsg.txt client/Makefile.am: Added pass to mysqld_error.j and sql_state.h extra/Makefile.am: Added rules to create mysqld_error.h and sql_state.h extra/comp_err.c: WL#1051 include/Makefile.am: Added pass to mysqld_error.h and sql_state.h libmysql/Makefile.am: Added pass to mysqld_error.h and sql_state.h libmysql_r/Makefile.am: Added pass to mysqld_error.h and sql_state.h server-tools/instance-manager/Makefile.am: Added pass to mysqld_error.h and sql_state.h sql/Makefile.am: Added pass to mysqld_error.h and sql_state.h sql/share/Makefile.am: Removed unnecessary loop over all languages; addred rule to creat .sys files tools/Makefile.am: Added pass to mysqld_error.h and sql_state.h BitKeeper/etc/logging_ok: Logging to logging@openlogging.org accepted --- BitKeeper/etc/logging_ok | 1 + client/Makefile.am | 2 +- extra/Makefile.am | 12 +- extra/comp_err.c | 1160 ++++++++++++++++----- include/Makefile.am | 4 +- include/mysqld_error.h | 416 -------- include/sql_state.h | 206 ---- libmysql/Makefile.am | 3 +- libmysql_r/Makefile.am | 4 +- server-tools/instance-manager/Makefile.am | 2 +- sql/Makefile.am | 2 +- sql/share/Makefile.am | 19 +- sql/share/czech/errmsg.txt | 427 -------- sql/share/danish/errmsg.txt | 418 -------- sql/share/dutch/errmsg.txt | 427 -------- sql/share/english/errmsg.txt | 415 -------- sql/share/estonian/errmsg.txt | 420 -------- sql/share/french/errmsg.txt | 415 -------- sql/share/german/errmsg.txt | 428 -------- sql/share/greek/errmsg.txt | 415 -------- sql/share/hungarian/errmsg.txt | 420 -------- sql/share/italian/errmsg.txt | 415 -------- sql/share/japanese/errmsg.txt | 419 -------- sql/share/korean/errmsg.txt | 415 -------- sql/share/norwegian-ny/errmsg.txt | 417 -------- sql/share/norwegian/errmsg.txt | 417 -------- sql/share/polish/errmsg.txt | 420 -------- sql/share/portuguese/errmsg.txt | 417 -------- sql/share/romanian/errmsg.txt | 420 -------- sql/share/russian/errmsg.txt | 420 -------- sql/share/serbian/errmsg.txt | 408 -------- sql/share/slovak/errmsg.txt | 423 -------- sql/share/spanish/errmsg.txt | 419 -------- sql/share/swedish/errmsg.txt | 415 -------- sql/share/ukrainian/errmsg.txt | 421 -------- tools/Makefile.am | 3 +- 36 files changed, 927 insertions(+), 10538 deletions(-) delete mode 100644 include/mysqld_error.h delete mode 100644 include/sql_state.h delete mode 100644 sql/share/czech/errmsg.txt delete mode 100644 sql/share/danish/errmsg.txt delete mode 100644 sql/share/dutch/errmsg.txt delete mode 100644 sql/share/english/errmsg.txt delete mode 100644 sql/share/estonian/errmsg.txt delete mode 100644 sql/share/french/errmsg.txt delete mode 100644 sql/share/german/errmsg.txt delete mode 100644 sql/share/greek/errmsg.txt delete mode 100644 sql/share/hungarian/errmsg.txt delete mode 100644 sql/share/italian/errmsg.txt delete mode 100644 sql/share/japanese/errmsg.txt delete mode 100644 sql/share/korean/errmsg.txt delete mode 100644 sql/share/norwegian-ny/errmsg.txt delete mode 100644 sql/share/norwegian/errmsg.txt delete mode 100644 sql/share/polish/errmsg.txt delete mode 100644 sql/share/portuguese/errmsg.txt delete mode 100644 sql/share/romanian/errmsg.txt delete mode 100644 sql/share/russian/errmsg.txt delete mode 100644 sql/share/serbian/errmsg.txt delete mode 100644 sql/share/slovak/errmsg.txt delete mode 100644 sql/share/spanish/errmsg.txt delete mode 100644 sql/share/swedish/errmsg.txt delete mode 100644 sql/share/ukrainian/errmsg.txt diff --git a/BitKeeper/etc/logging_ok b/BitKeeper/etc/logging_ok index 11a49cee843..9f58011490e 100644 --- a/BitKeeper/etc/logging_ok +++ b/BitKeeper/etc/logging_ok @@ -10,6 +10,7 @@ acurtis@pcgem.rdg.cyberkinetica.com administrador@light.hegel.local ahlentz@co3064164-a.rochd1.qld.optusnet.com.au akishkin@work.mysql.com +anjuta@arthur.local antony@ltantony.dsl-verizon.net antony@ltantony.rdg.cyberkinetica.com antony@ltantony.rdg.cyberkinetica.homeunix.net diff --git a/client/Makefile.am b/client/Makefile.am index 0362c2f3358..95000fff5c5 100644 --- a/client/Makefile.am +++ b/client/Makefile.am @@ -18,7 +18,7 @@ #AUTOMAKE_OPTIONS = nostdinc INCLUDES = -I$(top_srcdir)/include -I$(top_srcdir)/regex \ - $(openssl_includes) + $(openssl_includes) -I$(top_srcdir)/extra LIBS = @CLIENT_LIBS@ DEPLIB= ../libmysql/libmysqlclient.la LDADD = @CLIENT_EXTRA_LDFLAGS@ $(DEPLIB) diff --git a/extra/Makefile.am b/extra/Makefile.am index 08f3985c34c..1ca7c9fb692 100644 --- a/extra/Makefile.am +++ b/extra/Makefile.am @@ -15,9 +15,19 @@ # Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA INCLUDES = @MT_INCLUDES@ -I$(top_srcdir)/include \ - @ndbcluster_includes@ -I$(top_srcdir)/sql + @ndbcluster_includes@ -I$(top_srcdir)/sql \ + -I$(top_srcdir)/extra LDADD = @CLIENT_EXTRA_LDFLAGS@ ../mysys/libmysys.a \ ../dbug/libdbug.a ../strings/libmystrings.a +BUILT_SOURCES=mysqld_error.h sql_state.h +pkginclude_HEADERS=$(BUILT_SOURCES) + +mysqld_error.h: comp_err + $(top_builddir)/extra/comp_err --charset=$(srcdir)/../sql/share/charsets --out-dir=$(top_builddir)/sql/share/ --header_file=$(top_builddir)/extra/mysqld_error.h --state_file=$(top_builddir)/extra/sql_state.h --in_file=$(srcdir)/../sql/share/errmsg.txt + +sql_state.h: comp_err + $(top_builddir)/extra/comp_err --charset=$(srcdir)/../sql/share/charsets --out-dir=$(top_builddir)/sql/share/ --header_file=$(top_builddir)/extra/mysqld_error.h --state_file=$(top_builddir)/extra/sql_state.h --in_file=$(srcdir)/../sql/share/errmsg.txt + bin_PROGRAMS = replace comp_err perror resolveip my_print_defaults \ resolve_stack_dump mysql_waitpid noinst_PROGRAMS = charset2html diff --git a/extra/comp_err.c b/extra/comp_err.c index 6c7fad6a270..fb5da3a066a 100644 --- a/extra/comp_err.c +++ b/extra/comp_err.c @@ -1,4 +1,4 @@ -/* Copyright (C) 2000 MySQL AB +/* Copyright (C) 2004 MySQL AB This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by @@ -14,287 +14,919 @@ along with this program; if not, write to the Free Software Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ -/* Saves all errmesg in a header file, updated by me, in a compact file */ +/* + Written by Anjuta Widenius +*/ + +/* + Creates one include file and multiple language-error message files from one + multi-language text file. +*/ #include #include #include #include +#include +#include +#include -#define MAXLENGTH 1000 #define MAX_ROWS 1000 -#define MAX_FILES 10 -#define MAX_CHARSET_NAME 64 +#define HEADER_LENGTH 32 /* Length of header in errmsg.sys */ +#define DEFAULT_CHARSET_DIR "../sql/share/charsets" +#define ER_PREFIX "ER_" +static char *OUTFILE= (char*) "errmsg.sys"; +static char *HEADERFILE= (char*) "mysqld_error.h"; +static char *STATEFILE= (char*) "sql_state.h"; +static char *TXTFILE= (char*) "../sql/share/errmsg.txt"; +static char *DATADIR= (char*) "../sql/share/"; +static char *default_dbug_option= (char*) "d:t:O,/tmp/comp_err.trace"; -int row_count; -uint file_pos[MAX_ROWS],file_row_pos[MAX_FILES]; -my_string saved_row[MAX_ROWS]; -uchar file_head[]= { 254,254,2,1 }; -char charset_name[MAX_CHARSET_NAME]; +/* Header for errmsg.sys files */ +uchar file_head[]= { 254, 254, 2, 1 }; +/* Store positions to each error message row to store in errmsg.sys header */ +uint file_pos[MAX_ROWS]; -static void get_options(int *argc,char **argv[]); -static int count_rows(FILE *from,pchar c, pchar c2); -static int remember_rows(FILE *from,pchar c); -static int copy_rows(FILE *to); +const char *empty_string= ""; /* For empty states */ +/* + Default values for command line options. See getopt structure for defintions + for these. +*/ +const char *default_language= "eng"; +int er_offset= 1000; +my_bool info_flag= 0; - /* Functions defined in this file */ +/* Storage of one error message row (for one language) */ -int main(int argc,char *argv[]) +struct message +{ + char *lang_short_name; + char *text; +}; + + +/* Storage for languages and charsets (from start of error text file) */ + +struct languages +{ + char *lang_long_name; /* full name of the language */ + char *lang_short_name; /* abbreviation of the lang. */ + char *charset; /* Character set name */ + struct languages *next_lang; /* Pointer to next language */ +}; + + +/* Name, code and texts (for all lang) for one error message */ + +struct errors +{ + const char *er_name; /* Name of the error (ER_HASHCK) */ + int d_code; /* Error code number */ + const char *sql_code1; /* sql state */ + const char *sql_code2; /* ODBC state */ + struct errors *next_error; /* Pointer to next error */ + DYNAMIC_ARRAY msg; /* All language texts for this error */ +}; + + +static struct my_option my_long_options[]= +{ +#ifdef DBUG_OFF + {"debug", '#', "This is a non-debug version. Catch this and exit", + 0, 0, 0, GET_DISABLED, OPT_ARG, 0, 0, 0, 0, 0, 0}, +#else + {"debug", '#', "Output debug log", (gptr *) & default_dbug_option, + (gptr *) & default_dbug_option, 0, GET_STR, OPT_ARG, 0, 0, 0, 0, 0, 0}, +#endif + {"debug-info", 'T', "Print some debug info at exit.", (gptr *) & info_flag, + (gptr *) & info_flag, 0, GET_BOOL, NO_ARG, 0, 0, 0, 0, 0, 0}, + {"help", '?', "Displays this help and exits.", 0, 0, 0, GET_NO_ARG, + NO_ARG, 0, 0, 0, 0, 0, 0}, + {"version", 'V', "Prints version", 0, 0, 0, GET_NO_ARG, + NO_ARG, 0, 0, 0, 0, 0, 0}, + {"charset", 'C', "Charset dir", (gptr *) & charsets_dir, + (gptr *) & charsets_dir, + 0, GET_STR, REQUIRED_ARG, 0, 0, 0, 0, 0, 0}, + {"in_file", 'F', "Input file", (gptr *) & TXTFILE, (gptr *) & TXTFILE, + 0, GET_STR, REQUIRED_ARG, 0, 0, 0, 0, 0, 0}, + {"out_dir", 'D', "Output base directory", (gptr *) & DATADIR, + (gptr *) & DATADIR, + 0, GET_STR, REQUIRED_ARG, 0, 0, 0, 0, 0, 0}, + {"out_file", 'O', "Output filename (errmsg.sys)", (gptr *) & OUTFILE, + (gptr *) & OUTFILE, 0, GET_STR, REQUIRED_ARG, 0, 0, 0, 0, 0, 0}, + {"header_file", 'H', "mysqld_error.h file ", (gptr *) & HEADERFILE, + (gptr *) & HEADERFILE, 0, GET_STR, REQUIRED_ARG, 0, 0, 0, 0, 0, 0}, + {"state_file", 'S', "sql_state.h file", (gptr *) & STATEFILE, + (gptr *) & STATEFILE, 0, GET_STR, REQUIRED_ARG, 0, 0, 0, 0, 0, 0}, + {0, 0, 0, 0, 0, 0, GET_NO_ARG, NO_ARG, 0, 0, 0, 0, 0, 0} +}; + + +static struct languages *parse_charset_string(char *str); +static struct errors *parse_error_string(char *ptr, int er_count); +static struct message *parse_message_string(struct message *new_message, + char *str); +static struct message *find_message(struct errors *err, const char *lang); +static int parse_input_file(const char *file_name, struct errors **top_error, + struct languages **top_language); +static int get_options(int *argc, char ***argv); +static void print_version(void); +static void usage(void); +static my_bool get_one_option(int optid, const struct my_option *opt, + char *argument); +static char *parse_text_line(char *pos); +static int copy_rows(FILE * to, char *row, int row_nr, long start_pos); +static char *parse_default_language(char *str); +static uint parse_error_offset(char *str); + +static char *skip_delimiters(char *str); +static char *get_word(char **str); +static char *find_end_of_word(char *str); +static void clean_up(struct languages *lang_head, struct errors *error_head); +static int create_header_files(struct errors *error_head); +static int create_sys_files(struct languages *lang_head, + struct errors *error_head, uint row_count); + + +int main(int argc, char *argv[]) { - uint csnum= 0; - int i,error,files,length; - uchar head[32]; - FILE *from,*to; MY_INIT(argv[0]); - - get_options(&argc,&argv); - error=1; - row_count=files=0; - - to=0; - for ( ; argc-- > 1 ; argv++) { - file_row_pos[files++] = row_count; + uint row_count; + struct errors *error_head; + struct languages *lang_head; - if ((from = fopen(*argv,"r")) == NULL) + DBUG_ENTER("main"); + LINT_INIT(error_head); + LINT_INIT(lang_head); + charsets_dir= DEFAULT_CHARSET_DIR; + if (get_options(&argc, &argv)) + DBUG_RETURN(1); + if (!(row_count= parse_input_file(TXTFILE, &error_head, &lang_head))) { - fprintf(stderr,"Can't open file '%s'\n",*argv); - return(1); - } - - VOID(count_rows(from,'"','{')); /* Calculate start-info */ - if (!charset_name[0]) - { - fprintf(stderr,"Character set is not specified in '%s'\n",*argv); - fclose(from); - goto end; - } - - if (!(csnum= get_charset_number(charset_name, MY_CS_PRIMARY))) - { - fprintf(stderr,"Unknown character '%s' in '%s'\n",charset_name, *argv); - fclose(from); - goto end; - } - - if (remember_rows(from,'}') < 0) /* Remember rows */ - { - fprintf(stderr,"Can't find textrows in '%s'\n",*argv); - fclose(from); - goto end; - } - fclose(from); - } - - if ((to=my_fopen(*argv,O_WRONLY | FILE_BINARY,MYF(0))) == NULL) - { - fprintf(stderr,"Can't create file '%s'\n",*argv); - return(1); - } - - fseek(to,(long) (32+row_count*2),0); - if (copy_rows(to)) - goto end; - - length=ftell(to)-32-row_count*2; - - bzero((gptr) head,32); /* Save Header & pointers */ - bmove((byte*) head,(byte*) file_head,4); - head[4]=files; - int2store(head+6,length); - int2store(head+8,row_count); - for (i=0 ; i0 && *(pos = *(++*argv)) == '-' ) { - while (*++pos) - switch(*pos) { - case '#': - DBUG_PUSH (++pos); - *(pos--) = '\0'; /* Skippa argument */ - break; - case 'V': - printf("%s (Compile errormessage) Ver 1.3\n",progname); - break; - case 'C': - charsets_dir= pos+1; - *(pos--)= '\0'; - break; - case 'I': - case '?': - printf(" %s (Compile errormessage) Ver 1.3\n",progname); - puts("This software comes with ABSOLUTELY NO WARRANTY. This is free software,\nand you are welcome to modify and redistribute it under the GPL license\n"); - printf("Usage: %s [-?] [-I] [-V] fromfile[s] tofile\n",progname); - puts("Options: -Info -Version\n"); - help=1; - break; - default: - fprintf(stderr,"illegal option: -%c\n",*pos); - fprintf(stderr,"legal options: -?IV\n"); - break; - } - } - if (*argc < 2) - { - if (!help) - printf("Usage: %s [-?] [-I] [-V] fromfile[s] tofile\n",progname); - exit(-1); - } - return; -} /* get_options */ - - - /* Count rows in from-file until row that start with char is found */ - -static int count_rows(FILE *from, pchar c, pchar c2) -{ - int count; - long pos; - char rad[MAXLENGTH]; - DBUG_ENTER("count_rows"); - - pos=ftell(from); count=0; - - charset_name[0]= '\0'; - while (fgets(rad,MAXLENGTH,from) != NULL) - { - if (!strncmp(rad,"character-set=",14)) - { - char *b= rad+14, *e; - for (e=b ; e[0] && e-b < MAX_CHARSET_NAME && - e[0] != ' ' && e[0] != '\r' && - e[0] != '\n' && e[0] != '\t' ; e++); - e[0]= '\0'; - strcpy(charset_name, b); - } - if (rad[0] == c || rad[0] == c2) - break; - count++; - pos=ftell(from); - } - fseek(from,pos,0); /* Position to beginning of last row */ - DBUG_PRINT("exit",("count: %d",count)); - DBUG_RETURN(count); -} /* count_rows */ - - - /* Read rows and remember them until row that start with char */ - /* Converts row as a C-compiler would convert a textstring */ - -static int remember_rows(FILE* from, pchar c) -{ - int i,nr,start_count,found_end; - char row[MAXLENGTH],*pos; - DBUG_ENTER("remember_rows"); - - start_count=row_count; found_end=0; - while (fgets(row,MAXLENGTH,from) != NULL) - { - if (row[0] == c) - { - found_end=1; - break; - } - for (pos=row ; *pos ;) - { - if (*pos == '\\') - { - switch (*++pos) { - case '\\': - case '"': - VOID(strmov(pos-1,pos)); - break; - case 'n': - pos[-1]='\n'; - VOID(strmov(pos,pos+1)); - break; - default: - if (*pos >= '0' && *pos <'8') - { - nr=0; - for (i=0 ; i<3 && (*pos >= '0' && *pos <'8' ) ; i++) - nr=nr*8+ (*(pos++) -'0'); - pos-=i; - pos[-1]=nr; - VOID(strmov(pos,pos+i)); - } - else if (*pos) - VOID(strmov(pos-1,pos)); /* Remove '\' */ - } - } - else pos++; - } - while (pos >row+1 && *pos != '"') - pos--; - - if (!(saved_row[row_count] = (my_string) my_malloc((uint) (pos-row), - MYF(MY_WME)))) - DBUG_RETURN(-1); - *pos=0; - VOID(strmov(saved_row[row_count],row+1)); - row_count++; - } - if (row_count-start_count == 0 && ! found_end) - DBUG_RETURN(-1); /* Found nothing */ - DBUG_RETURN(row_count-start_count); -} /* remember_rows */ - - - /* Copy rows from memory to file and remember position */ - - -static int copy_rows(FILE *to) -{ - int row_nr; - long start_pos; - DBUG_ENTER("copy_rows"); - - start_pos=ftell(to); - for (row_nr =0 ; row_nr < row_count; row_nr++) - { - file_pos[row_nr]= (int) (ftell(to)-start_pos); - if (fputs(saved_row[row_nr],to) == EOF || fputc('\0',to) == EOF) - { - fprintf(stderr,"Can't write to outputfile\n"); + fprintf(stderr, "Failed to parse input file %s\n", TXTFILE); DBUG_RETURN(1); } - my_free((gptr) saved_row[row_nr],MYF(0)); + if (lang_head == NULL || error_head == NULL) + { + fprintf(stderr, "Failed to parse input file %s\n", TXTFILE); + DBUG_RETURN(1); + } + + if (create_header_files(error_head)) + { + fprintf(stderr, "Failed to create header files\n"); + DBUG_RETURN(1); + } + if (create_sys_files(lang_head, error_head, row_count)) + { + fprintf(stderr, "Failed to create sys files\n"); + DBUG_RETURN(1); + } + clean_up(lang_head, error_head); + my_end(info_flag ? MY_CHECK_ERROR | MY_GIVE_INFO : 0); + DBUG_RETURN(0); + } +} + + +static int create_header_files(struct errors *error_head) +{ + uint er_count= 0; + FILE *er_definef, *sql_statef; + struct errors *tmp_error; + DBUG_ENTER("create_header_files"); + + if (!(er_definef= my_fopen(HEADERFILE, O_WRONLY, MYF(MY_WME)))) + { + DBUG_RETURN(1); + } + if (!(sql_statef= my_fopen(STATEFILE, O_WRONLY, MYF(MY_WME)))) + { + my_fclose(er_definef, MYF(0)); + DBUG_RETURN(1); + } + + fprintf(er_definef, "/* Autogenerated file, please don't edit */\n\n"); + fprintf(sql_statef, "/* Autogenerated file, please don't edit */\n\n"); + + for (tmp_error= error_head; tmp_error; tmp_error= tmp_error->next_error) + { + /* + generating mysqld_error.h + fprintf() will automaticly add \r on windows + */ + fprintf(er_definef, "#define %s %d\n", tmp_error->er_name, + tmp_error->d_code); + + /* generating sql_state.h file */ + if (tmp_error->sql_code1[0] || tmp_error->sql_code2[0]) + fprintf(sql_statef, + "%-40s,\"%s\", \"%s\",\n", tmp_error->er_name, + tmp_error->sql_code1, tmp_error->sql_code2); + er_count++; + } + /* finishing off with mysqld_error.h */ + fprintf(er_definef, "#define ER_ERROR_MESSAGES %d\n", er_count); + my_fclose(er_definef, MYF(0)); + my_fclose(sql_statef, MYF(0)); + DBUG_RETURN(0); +} + + +static int create_sys_files(struct languages *lang_head, + struct errors *error_head, uint row_count) +{ + FILE *to; + uint csnum= 0, length, i, row_nr; + uchar head[32]; + char outfile[FN_REFLEN], *outfile_end; + long start_pos; + struct message *tmp; + struct languages *tmp_lang; + struct errors *tmp_error; + + MY_STAT stat_info; + DBUG_ENTER("create_sys_files"); + + /* + going over all languages and assembling corresponding error messages + */ + for (tmp_lang= lang_head; tmp_lang; tmp_lang= tmp_lang->next_lang) + { + + /* setting charset name */ + if (!(csnum= get_charset_number(tmp_lang->charset, MY_CS_PRIMARY))) + { + fprintf(stderr, "Unknown charset '%s' in '%s'\n", tmp_lang->charset, + TXTFILE); + DBUG_RETURN(1); + } + + outfile_end= strxmov(outfile, DATADIR, + tmp_lang->lang_long_name, NullS); + if (!my_stat(outfile, &stat_info,MYF(0))) + { + if (my_mkdir(outfile, 0777,MYF(0)) < 0) + { + fprintf(stderr, "Can't create output directory for %s\n", + outfile); + DBUG_RETURN(1); + } + } + + strxmov(outfile_end, FN_ROOTDIR, OUTFILE, NullS); + + if (!(to= my_fopen(outfile, O_WRONLY | FILE_BINARY, MYF(MY_WME)))) + DBUG_RETURN(1); + + /* 2 is for 2 bytes to store row position / error message */ + start_pos= (long) (HEADER_LENGTH + row_count * 2); + fseek(to, start_pos, 0); + row_nr= 0; + for (tmp_error= error_head; tmp_error; tmp_error= tmp_error->next_error) + { + /* dealing with messages */ + tmp= find_message(tmp_error, tmp_lang->lang_short_name); + + if (!tmp) + { + fprintf(stderr, + "Did not find message for %s neither in %s nor in default " + "language\n", tmp_error->er_name, tmp_lang->lang_short_name); + goto err; + } + if (copy_rows(to, tmp->text, row_nr, start_pos)) + { + fprintf(stderr, "Failed to copy rows to %s\n", outfile); + goto err; + } + row_nr++; + } + + /* continue with header of the errmsg.sys file */ + length= ftell(to) - HEADER_LENGTH - row_count * 2; + bzero((gptr) head, HEADER_LENGTH); + bmove((byte *) head, (byte *) file_head, 4); + head[4]= 1; + int2store(head + 6, length); + int2store(head + 8, row_count); + head[30]= csnum; + + my_fseek(to, 0l, MY_SEEK_SET, MYF(0)); + if (my_fwrite(to, head, HEADER_LENGTH, MYF(MY_WME | MY_FNABP))) + goto err; + + for (i= 0; i < row_count; i++) + { + int2store(head, file_pos[i]); + if (my_fwrite(to, head, 2, MYF(MY_WME | MY_FNABP))) + goto err; + } + my_fclose(to, MYF(0)); } DBUG_RETURN(0); -} /* copy_rows */ + +err: + my_fclose(to, MYF(0)); + DBUG_RETURN(1); +} + + +static void clean_up(struct languages *lang_head, struct errors *error_head) +{ + struct languages *tmp_lang, *next_language; + struct errors *tmp_error, *next_error; + uint count, i; + + my_free((gptr) default_language, MYF(0)); + + for (tmp_lang= lang_head; tmp_lang; tmp_lang= next_language) + { + next_language= tmp_lang->next_lang; + my_free(tmp_lang->lang_short_name, MYF(0)); + my_free(tmp_lang->lang_long_name, MYF(0)); + my_free(tmp_lang->charset, MYF(0)); + my_free((gptr) tmp_lang, MYF(0)); + } + + for (tmp_error= error_head; tmp_error; tmp_error= next_error) + { + next_error= tmp_error->next_error; + count= (tmp_error->msg).elements; + for (i= 0; i < count; i++) + { + struct message *tmp; + tmp= dynamic_element(&tmp_error->msg, i, struct message*); + my_free((gptr) tmp->lang_short_name, MYF(0)); + my_free((gptr) tmp->text, MYF(0)); + } + + delete_dynamic(&tmp_error->msg); + if (tmp_error->sql_code1[0]) + my_free((gptr) tmp_error->sql_code1, MYF(0)); + if (tmp_error->sql_code2[0]) + my_free((gptr) tmp_error->sql_code2, MYF(0)); + my_free((gptr) tmp_error->er_name, MYF(0)); + my_free((gptr) tmp_error, MYF(0)); + } +} + + +static int parse_input_file(const char *file_name, struct errors **top_error, + struct languages **top_lang) +{ + FILE *file; + char *str, buff[1000]; + struct errors *current_error= 0, **tail_error= top_error; + struct message current_message; + int rcount= 0; + DBUG_ENTER("parse_input_file"); + + if (!(file= my_fopen(file_name, O_RDONLY | O_SHARE, MYF(MY_WME)))) + DBUG_RETURN(0); + + while ((str= fgets(buff, sizeof(buff), file))) + { + if (is_prefix(str, "language")) + { + if (!(*top_lang= parse_charset_string(str))) + { + fprintf(stderr, "Failed to parse the charset string!\n"); + DBUG_RETURN(0); + } + continue; + } + if (is_prefix(str, "start-error-number")) + { + if (!(er_offset= parse_error_offset(str))) + { + fprintf(stderr, "Failed to parse the error offset string!\n"); + DBUG_RETURN(0); + } + continue; + } + if (is_prefix(str, "default-language")) + { + if (!(default_language= parse_default_language(str))) + { + DBUG_PRINT("info", ("default_slang: %s", default_language)); + fprintf(stderr, + "Failed to parse the default language line. Aborting\n"); + DBUG_RETURN(0); + } + continue; + } + + if (*str == '\t' || *str == ' ') + { + /* New error message in another language for previous error */ + if (!current_error) + { + fprintf(stderr, "Error in the input file format\n"); + DBUG_RETURN(0); + } + if (!parse_message_string(¤t_message, str)) + { + fprintf(stderr, "Failed to parse message string for error '%s'", + current_error->er_name); + DBUG_RETURN(0); + } + if (insert_dynamic(¤t_error->msg, (byte *) & current_message)) + DBUG_RETURN(0); + continue; + } + if (is_prefix(str, ER_PREFIX)) + { + if (!(current_error= parse_error_string(str, rcount))) + { + fprintf(stderr, "Failed to parse the error name string\n"); + DBUG_RETURN(0); + } + rcount++; /* Count number of unique errors */ + + /* add error to the list */ + *tail_error= current_error; + tail_error= ¤t_error->next_error; + continue; + } + if (*str == '#' || *str == '\n') + continue; /* skip comment or empty lines */ + + fprintf(stderr, "Wrong input file format. Stop!\nLine: %s\n", str); + DBUG_RETURN(0); + } + *tail_error= 0; /* Mark end of list */ + + my_fclose(file, MYF(0)); + DBUG_RETURN(rcount); +} + + +static uint parse_error_offset(char *str) +{ + char *soffset, *end; + int error; + uint ioffset; + + DBUG_ENTER("parse_error_offset"); + /* skipping the "start-error-number" keyword and spaces after it */ + str= find_end_of_word(str); + str= skip_delimiters(str); + + if (!*str) + DBUG_RETURN(0); /* Unexpected EOL: No error number after the keyword */ + + /* reading the error offset */ + if (!(soffset= get_word(&str))) + DBUG_RETURN(0); /* OOM: Fatal error */ + DBUG_PRINT("info", ("default_error_offset: %s", soffset)); + + /* skipping space(s) and/or tabs after the error offset */ + str= skip_delimiters(str); + DBUG_PRINT("info", ("str: %s", str)); + if (*str) + { + /* The line does not end with the error offset -> error! */ + fprintf(stderr, "The error offset line does not end with an error offset"); + DBUG_RETURN(0); + } + DBUG_PRINT("info", ("str: %s", str)); + + end= 0; + ioffset= (uint) my_strtoll10(soffset, &end, &error); + my_free((gptr) soffset, MYF(0)); + DBUG_RETURN(ioffset); +} + + +/* Parsing of the default language line. e.g. "default-lanuage eng" */ + +static char *parse_default_language(char *str) +{ + char *slang; + + DBUG_ENTER("parse_default_language"); + /* skipping the "default_language" keyword */ + str= find_end_of_word(str); + /* skipping space(s) and/or tabs after the keyword */ + str= skip_delimiters(str); + if (!*str) + { + fprintf(stderr, + "Unexpected EOL: No short language name after the keyword\n"); + DBUG_RETURN(0); + } + + /* reading the short language tag */ + if (!(slang= get_word(&str))) + DBUG_RETURN(0); /* OOM: Fatal error */ + DBUG_PRINT("info", ("default_slang: %s", slang)); + + str= skip_delimiters(str); + DBUG_PRINT("info", ("str: %s", str)); + if (*str) + { + fprintf(stderr, + "The default language line does not end with short language " + "name\n"); + DBUG_RETURN(0); + } + DBUG_PRINT("info", ("str: %s", str)); + DBUG_RETURN(slang); +} + + +/* + For given error finds message on given language, if does not exist, + returns english. +*/ + +static struct message *find_message(struct errors *err, const char *lang) +{ + struct message *tmp, *return_val= 0; + uint i, count; + DBUG_ENTER("find_message"); + + count= (err->msg).elements; + for (i= 0; i < count; i++) + { + tmp= dynamic_element(&err->msg, i, struct message*); + + if (!strcmp(tmp->lang_short_name, lang)) + DBUG_RETURN(tmp); + if (!strcmp(tmp->lang_short_name, default_language)) + { + DBUG_ASSERT(tmp->text[0] != 0); + return_val= tmp; + } + } + DBUG_RETURN(return_val); +} + + +/* + Skips spaces and or tabs till the beginning of the next word + Returns pointer to the beginning of the first character of the word +*/ + +static char *skip_delimiters(char *str) +{ + DBUG_ENTER("skip_delimiters"); + for (; + *str == ' ' || *str == ',' || *str == '\t' || *str == '\r' || + *str == '\n' || *str == '='; str++) + ; + DBUG_RETURN(str); +} + + +/* + Skips all characters till meets with space, or tab, or EOL +*/ + +static char *find_end_of_word(char *str) +{ + DBUG_ENTER("find_end_of_word"); + for (; + *str != ' ' && *str != '\t' && *str != '\n' && *str != '\r' && *str && + *str != ',' && *str != ';' && *str != '='; str++) + ; + DBUG_RETURN(str); +} + + +/* Read the word starting from *str */ + +static char *get_word(char **str) +{ + char *start= *str; + DBUG_ENTER("get_word"); + + *str= find_end_of_word(start); + DBUG_RETURN(my_strdup_with_length(start, (uint) (*str - start), + MYF(MY_WME | MY_FAE))); +} + + +/* + Parsing the string with short_lang - message text. Code - to + remember to which error does the text belong +*/ + +static struct message *parse_message_string(struct message *new_message, + char *str) +{ + char *start; + + DBUG_ENTER("parse_message_string"); + DBUG_PRINT("enter", ("str: %s", str)); + + /*skip space(s) and/or tabs in the beginning */ + while (*str == ' ' || *str == '\t' || *str == '\n') + str++; + + if (!*str) + { + /* It was not a message line, but an empty line. */ + DBUG_PRINT("info", ("str: %s", str)); + DBUG_RETURN(0); + } + + /* reading the short lang */ + start= str; + while (*str != ' ' && *str != '\t' && *str) + str++; + if (!(new_message->lang_short_name= + my_strdup_with_length(start, (uint) (str - start), + MYF(MY_WME | MY_FAE)))) + DBUG_RETURN(0); /* Fatal error */ + DBUG_PRINT("info", ("msg_slang: %s", new_message->lang_short_name)); + + /*skip space(s) and/or tabs after the lang */ + while (*str == ' ' || *str == '\t' || *str == '\n') + str++; + + if (*str != '"') + { + fprintf(stderr, "Unexpected EOL"); + DBUG_PRINT("info", ("str: %s", str)); + DBUG_RETURN(0); + } + + /* reading the text */ + start= str + 1; + str= parse_text_line(start); + + if (!(new_message->text= my_strdup_with_length(start, (uint) (str - start), + MYF(MY_WME | MY_FAE)))) + DBUG_RETURN(0); /* Fatal error */ + DBUG_PRINT("info", ("msg_text: %s", new_message->text)); + + DBUG_RETURN(new_message); +} + + +/* + Parsing the string with error name and codes; returns the pointer to + the errors struct +*/ + +static struct errors *parse_error_string(char *str, int er_count) +{ + struct errors *new_error; + char *start; + DBUG_ENTER("parse_error_string"); + DBUG_PRINT("enter", ("str: %s", str)); + + /* create a new a element */ + new_error= (struct errors *) my_malloc(sizeof(*new_error), MYF(MY_WME)); + + if (my_init_dynamic_array(&new_error->msg, sizeof(struct message), 0, 0)) + DBUG_RETURN(0); /* OOM: Fatal error */ + + /* getting the error name */ + start= str; + str= skip_delimiters(str); + + if (!(new_error->er_name= get_word(&str))) + DBUG_RETURN(0); /* OOM: Fatal error */ + DBUG_PRINT("info", ("er_name: %s", new_error->er_name)); + + str= skip_delimiters(str); + + /* getting the code1 */ + + new_error->d_code= er_offset + er_count; + DBUG_PRINT("info", ("d_code: %d", new_error->d_code)); + + str= skip_delimiters(str); + + /* if we reached EOL => no more codes, but this can happen */ + if (!*str) + { + new_error->sql_code1= empty_string; + new_error->sql_code2= empty_string; + DBUG_PRINT("info", ("str: %s", str)); + DBUG_RETURN(new_error); + } + + /* getting the sql_code 1 */ + + if (!(new_error->sql_code1= get_word(&str))) + DBUG_RETURN(0); /* OOM: Fatal error */ + DBUG_PRINT("info", ("sql_code1: %s", new_error->sql_code1)); + + str= skip_delimiters(str); + + /* if we reached EOL => no more codes, but this can happen */ + if (!*str) + { + new_error->sql_code2= empty_string; + DBUG_PRINT("info", ("str: %s", str)); + DBUG_RETURN(new_error); + } + + /* getting the sql_code 2 */ + if (!(new_error->sql_code2= get_word(&str))) + DBUG_RETURN(0); /* OOM: Fatal error */ + DBUG_PRINT("info", ("sql_code2: %s", new_error->sql_code2)); + + str= skip_delimiters(str); + if (*str) + { + fprintf(stderr, "The error line did not end with sql/odbc code!"); + DBUG_RETURN(0); + } + + DBUG_RETURN(new_error); +} + + +/* + Parsing the string with charset/full lang name/short lang name; + returns pointer to the language structure +*/ + +static struct languages *parse_charset_string(char *str) +{ + struct languages *head, *new_lang; + + DBUG_ENTER("parse_charset_string"); + DBUG_PRINT("enter", ("str: %s", str)); + + LINT_INIT(head); + + /* skip over keyword */ + str= find_end_of_word(str); + if (!*str) + { + /* unexpected EOL */ + DBUG_PRINT("info", ("str: %s", str)); + DBUG_RETURN(0); + } + + str= skip_delimiters(str); + if (!(*str != ';' && *str)) + DBUG_RETURN(0); + + do + { + /*creating new element of the linked list */ + new_lang= (struct languages *) my_malloc(sizeof(*new_lang), MYF(MY_WME)); + new_lang->next_lang= head; + head= new_lang; + + /* get the full language name */ + + if (!(new_lang->lang_long_name= get_word(&str))) + DBUG_RETURN(0); /* OOM: Fatal error */ + + DBUG_PRINT("info", ("long_name: %s", new_lang->lang_long_name)); + + /* getting the short name for language */ + str= skip_delimiters(str); + if (!*str) + DBUG_RETURN(0); /* Error: No space or tab */ + + if (!(new_lang->lang_short_name= get_word(&str))) + DBUG_RETURN(0); /* OOM: Fatal error */ + DBUG_PRINT("info", ("short_name: %s", new_lang->lang_short_name)); + + /* getting the charset name */ + str= skip_delimiters(str); + if (!(new_lang->charset= get_word(&str))) + DBUG_RETURN(0); /* Fatal error */ + DBUG_PRINT("info", ("charset: %s", new_lang->charset)); + + /* skipping space, tub or "," */ + str= skip_delimiters(str); + } + while (*str != ';' && *str); + + DBUG_PRINT("info", ("long name: %s", new_lang->lang_long_name)); + DBUG_RETURN(head); +} + + +/* Read options */ + +static void print_version(void) +{ + DBUG_ENTER("print_version"); + printf("%s (Compile errormessage) Ver %s\n", my_progname, "2.0"); + DBUG_VOID_RETURN; +} + + +static my_bool +get_one_option(int optid, const struct my_option *opt __attribute__ ((unused)), + char *argument __attribute__ ((unused))) +{ + DBUG_ENTER("get_one_option"); + switch (optid) { + case 'V': + print_version(); + exit(0); + break; + case '?': + usage(); + exit(0); + break; + case '#': + DBUG_PUSH(argument ? argument : default_dbug_option); + break; + } + DBUG_RETURN(0); +} + + +static void usage(void) +{ + DBUG_ENTER("usage"); + print_version(); + printf("This software comes with ABSOLUTELY NO WARRANTY. This is free " + "software,\nand you are welcome to modify and redistribute it under " + "the GPL license\nUsage:\n"); + my_print_help(my_long_options); + my_print_variables(my_long_options); + DBUG_VOID_RETURN; +} + + +static int get_options(int *argc, char ***argv) +{ + int ho_error; + DBUG_ENTER("get_options"); + + if ((ho_error= handle_options(argc, argv, my_long_options, get_one_option))) + DBUG_RETURN(ho_error); + DBUG_RETURN(0); +} + + +/* + Read rows and remember them until row that start with char Converts + row as a C-compiler would convert a textstring +*/ + +static char *parse_text_line(char *pos) +{ + int i, nr; + char *row; + row= pos; + DBUG_ENTER("parse_text_line"); + + while (*pos) + { + if (*pos == '\\') + { + switch (*++pos) { + case '\\': + case '"': + VOID(strmov(pos - 1, pos)); + break; + case 'n': + pos[-1]= '\n'; + VOID(strmov(pos, pos + 1)); + break; + default: + if (*pos >= '0' && *pos < '8') + { + nr= 0; + for (i= 0; i < 3 && (*pos >= '0' && *pos < '8'); i++) + nr= nr * 8 + (*(pos++) - '0'); + pos -= i; + pos[-1]= nr; + VOID(strmov(pos, pos + i)); + } + else if (*pos) + VOID(strmov(pos - 1, pos)); /* Remove '\' */ + } + } + else + pos++; + } + while (pos > row + 1 && *pos != '"') + pos--; + *pos= 0; + DBUG_RETURN(pos); +} + + +/* Copy rows from memory to file and remember position */ + +static int copy_rows(FILE *to, char *row, int row_nr, long start_pos) +{ + DBUG_ENTER("copy_rows"); + + file_pos[row_nr]= (int) (ftell(to) - start_pos); + if (fputs(row, to) == EOF || fputc('\0', to) == EOF) + { + fprintf(stderr, "Can't write to outputfile\n"); + DBUG_RETURN(1); + } + + DBUG_RETURN(0); +} diff --git a/include/Makefile.am b/include/Makefile.am index cbb8e1ead53..e11ca2b4647 100644 --- a/include/Makefile.am +++ b/include/Makefile.am @@ -17,12 +17,12 @@ BUILT_SOURCES = mysql_version.h m_ctype.h my_config.h pkginclude_HEADERS = my_dbug.h m_string.h my_sys.h my_list.h my_xml.h \ - mysql.h mysql_com.h mysqld_error.h mysql_embed.h \ + mysql.h mysql_com.h mysql_embed.h \ my_semaphore.h my_pthread.h my_no_pthread.h raid.h \ errmsg.h my_global.h my_net.h my_alloc.h \ my_getopt.h sslopt-longopts.h my_dir.h typelib.h \ sslopt-vars.h sslopt-case.h sql_common.h keycache.h \ - sql_state.h mysql_time.h $(BUILT_SOURCES) + mysql_time.h $(BUILT_SOURCES) noinst_HEADERS = config-win.h config-os2.h config-netware.h \ nisam.h heap.h merge.h my_bitmap.h\ myisam.h myisampack.h myisammrg.h ft_global.h\ diff --git a/include/mysqld_error.h b/include/mysqld_error.h deleted file mode 100644 index 99f126cc23d..00000000000 --- a/include/mysqld_error.h +++ /dev/null @@ -1,416 +0,0 @@ -/* Copyright (C) 2000 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Placeo Suite 330, Boston, MA 02111-1307 USA */ - -/* Definefile for error messagenumbers */ - -#define ER_HASHCHK 1000 -#define ER_NISAMCHK 1001 -#define ER_NO 1002 -#define ER_YES 1003 -#define ER_CANT_CREATE_FILE 1004 -#define ER_CANT_CREATE_TABLE 1005 -#define ER_CANT_CREATE_DB 1006 -#define ER_DB_CREATE_EXISTS 1007 -#define ER_DB_DROP_EXISTS 1008 -#define ER_DB_DROP_DELETE 1009 -#define ER_DB_DROP_RMDIR 1010 -#define ER_CANT_DELETE_FILE 1011 -#define ER_CANT_FIND_SYSTEM_REC 1012 -#define ER_CANT_GET_STAT 1013 -#define ER_CANT_GET_WD 1014 -#define ER_CANT_LOCK 1015 -#define ER_CANT_OPEN_FILE 1016 -#define ER_FILE_NOT_FOUND 1017 -#define ER_CANT_READ_DIR 1018 -#define ER_CANT_SET_WD 1019 -#define ER_CHECKREAD 1020 -#define ER_DISK_FULL 1021 -#define ER_DUP_KEY 1022 -#define ER_ERROR_ON_CLOSE 1023 -#define ER_ERROR_ON_READ 1024 -#define ER_ERROR_ON_RENAME 1025 -#define ER_ERROR_ON_WRITE 1026 -#define ER_FILE_USED 1027 -#define ER_FILSORT_ABORT 1028 -#define ER_FORM_NOT_FOUND 1029 -#define ER_GET_ERRNO 1030 -#define ER_ILLEGAL_HA 1031 -#define ER_KEY_NOT_FOUND 1032 -#define ER_NOT_FORM_FILE 1033 -#define ER_NOT_KEYFILE 1034 -#define ER_OLD_KEYFILE 1035 -#define ER_OPEN_AS_READONLY 1036 -#define ER_OUTOFMEMORY 1037 -#define ER_OUT_OF_SORTMEMORY 1038 -#define ER_UNEXPECTED_EOF 1039 -#define ER_CON_COUNT_ERROR 1040 -#define ER_OUT_OF_RESOURCES 1041 -#define ER_BAD_HOST_ERROR 1042 -#define ER_HANDSHAKE_ERROR 1043 -#define ER_DBACCESS_DENIED_ERROR 1044 -#define ER_ACCESS_DENIED_ERROR 1045 -#define ER_NO_DB_ERROR 1046 -#define ER_UNKNOWN_COM_ERROR 1047 -#define ER_BAD_NULL_ERROR 1048 -#define ER_BAD_DB_ERROR 1049 -#define ER_TABLE_EXISTS_ERROR 1050 -#define ER_BAD_TABLE_ERROR 1051 -#define ER_NON_UNIQ_ERROR 1052 -#define ER_SERVER_SHUTDOWN 1053 -#define ER_BAD_FIELD_ERROR 1054 -#define ER_WRONG_FIELD_WITH_GROUP 1055 -#define ER_WRONG_GROUP_FIELD 1056 -#define ER_WRONG_SUM_SELECT 1057 -#define ER_WRONG_VALUE_COUNT 1058 -#define ER_TOO_LONG_IDENT 1059 -#define ER_DUP_FIELDNAME 1060 -#define ER_DUP_KEYNAME 1061 -#define ER_DUP_ENTRY 1062 -#define ER_WRONG_FIELD_SPEC 1063 -#define ER_PARSE_ERROR 1064 -#define ER_EMPTY_QUERY 1065 -#define ER_NONUNIQ_TABLE 1066 -#define ER_INVALID_DEFAULT 1067 -#define ER_MULTIPLE_PRI_KEY 1068 -#define ER_TOO_MANY_KEYS 1069 -#define ER_TOO_MANY_KEY_PARTS 1070 -#define ER_TOO_LONG_KEY 1071 -#define ER_KEY_COLUMN_DOES_NOT_EXITS 1072 -#define ER_BLOB_USED_AS_KEY 1073 -#define ER_TOO_BIG_FIELDLENGTH 1074 -#define ER_WRONG_AUTO_KEY 1075 -#define ER_READY 1076 -#define ER_NORMAL_SHUTDOWN 1077 -#define ER_GOT_SIGNAL 1078 -#define ER_SHUTDOWN_COMPLETE 1079 -#define ER_FORCING_CLOSE 1080 -#define ER_IPSOCK_ERROR 1081 -#define ER_NO_SUCH_INDEX 1082 -#define ER_WRONG_FIELD_TERMINATORS 1083 -#define ER_BLOBS_AND_NO_TERMINATED 1084 -#define ER_TEXTFILE_NOT_READABLE 1085 -#define ER_FILE_EXISTS_ERROR 1086 -#define ER_LOAD_INFO 1087 -#define ER_ALTER_INFO 1088 -#define ER_WRONG_SUB_KEY 1089 -#define ER_CANT_REMOVE_ALL_FIELDS 1090 -#define ER_CANT_DROP_FIELD_OR_KEY 1091 -#define ER_INSERT_INFO 1092 -#define ER_UPDATE_TABLE_USED 1093 -#define ER_NO_SUCH_THREAD 1094 -#define ER_KILL_DENIED_ERROR 1095 -#define ER_NO_TABLES_USED 1096 -#define ER_TOO_BIG_SET 1097 -#define ER_NO_UNIQUE_LOGFILE 1098 -#define ER_TABLE_NOT_LOCKED_FOR_WRITE 1099 -#define ER_TABLE_NOT_LOCKED 1100 -#define ER_BLOB_CANT_HAVE_DEFAULT 1101 -#define ER_WRONG_DB_NAME 1102 -#define ER_WRONG_TABLE_NAME 1103 -#define ER_TOO_BIG_SELECT 1104 -#define ER_UNKNOWN_ERROR 1105 -#define ER_UNKNOWN_PROCEDURE 1106 -#define ER_WRONG_PARAMCOUNT_TO_PROCEDURE 1107 -#define ER_WRONG_PARAMETERS_TO_PROCEDURE 1108 -#define ER_UNKNOWN_TABLE 1109 -#define ER_FIELD_SPECIFIED_TWICE 1110 -#define ER_INVALID_GROUP_FUNC_USE 1111 -#define ER_UNSUPPORTED_EXTENSION 1112 -#define ER_TABLE_MUST_HAVE_COLUMNS 1113 -#define ER_RECORD_FILE_FULL 1114 -#define ER_UNKNOWN_CHARACTER_SET 1115 -#define ER_TOO_MANY_TABLES 1116 -#define ER_TOO_MANY_FIELDS 1117 -#define ER_TOO_BIG_ROWSIZE 1118 -#define ER_STACK_OVERRUN 1119 -#define ER_WRONG_OUTER_JOIN 1120 -#define ER_NULL_COLUMN_IN_INDEX 1121 -#define ER_CANT_FIND_UDF 1122 -#define ER_CANT_INITIALIZE_UDF 1123 -#define ER_UDF_NO_PATHS 1124 -#define ER_UDF_EXISTS 1125 -#define ER_CANT_OPEN_LIBRARY 1126 -#define ER_CANT_FIND_DL_ENTRY 1127 -#define ER_FUNCTION_NOT_DEFINED 1128 -#define ER_HOST_IS_BLOCKED 1129 -#define ER_HOST_NOT_PRIVILEGED 1130 -#define ER_PASSWORD_ANONYMOUS_USER 1131 -#define ER_PASSWORD_NOT_ALLOWED 1132 -#define ER_PASSWORD_NO_MATCH 1133 -#define ER_UPDATE_INFO 1134 -#define ER_CANT_CREATE_THREAD 1135 -#define ER_WRONG_VALUE_COUNT_ON_ROW 1136 -#define ER_CANT_REOPEN_TABLE 1137 -#define ER_INVALID_USE_OF_NULL 1138 -#define ER_REGEXP_ERROR 1139 -#define ER_MIX_OF_GROUP_FUNC_AND_FIELDS 1140 -#define ER_NONEXISTING_GRANT 1141 -#define ER_TABLEACCESS_DENIED_ERROR 1142 -#define ER_COLUMNACCESS_DENIED_ERROR 1143 -#define ER_ILLEGAL_GRANT_FOR_TABLE 1144 -#define ER_GRANT_WRONG_HOST_OR_USER 1145 -#define ER_NO_SUCH_TABLE 1146 -#define ER_NONEXISTING_TABLE_GRANT 1147 -#define ER_NOT_ALLOWED_COMMAND 1148 -#define ER_SYNTAX_ERROR 1149 -#define ER_DELAYED_CANT_CHANGE_LOCK 1150 -#define ER_TOO_MANY_DELAYED_THREADS 1151 -#define ER_ABORTING_CONNECTION 1152 -#define ER_NET_PACKET_TOO_LARGE 1153 -#define ER_NET_READ_ERROR_FROM_PIPE 1154 -#define ER_NET_FCNTL_ERROR 1155 -#define ER_NET_PACKETS_OUT_OF_ORDER 1156 -#define ER_NET_UNCOMPRESS_ERROR 1157 -#define ER_NET_READ_ERROR 1158 -#define ER_NET_READ_INTERRUPTED 1159 -#define ER_NET_ERROR_ON_WRITE 1160 -#define ER_NET_WRITE_INTERRUPTED 1161 -#define ER_TOO_LONG_STRING 1162 -#define ER_TABLE_CANT_HANDLE_BLOB 1163 -#define ER_TABLE_CANT_HANDLE_AUTO_INCREMENT 1164 -#define ER_DELAYED_INSERT_TABLE_LOCKED 1165 -#define ER_WRONG_COLUMN_NAME 1166 -#define ER_WRONG_KEY_COLUMN 1167 -#define ER_WRONG_MRG_TABLE 1168 -#define ER_DUP_UNIQUE 1169 -#define ER_BLOB_KEY_WITHOUT_LENGTH 1170 -#define ER_PRIMARY_CANT_HAVE_NULL 1171 -#define ER_TOO_MANY_ROWS 1172 -#define ER_REQUIRES_PRIMARY_KEY 1173 -#define ER_NO_RAID_COMPILED 1174 -#define ER_UPDATE_WITHOUT_KEY_IN_SAFE_MODE 1175 -#define ER_KEY_DOES_NOT_EXITS 1176 -#define ER_CHECK_NO_SUCH_TABLE 1177 -#define ER_CHECK_NOT_IMPLEMENTED 1178 -#define ER_CANT_DO_THIS_DURING_AN_TRANSACTION 1179 -#define ER_ERROR_DURING_COMMIT 1180 -#define ER_ERROR_DURING_ROLLBACK 1181 -#define ER_ERROR_DURING_FLUSH_LOGS 1182 -#define ER_ERROR_DURING_CHECKPOINT 1183 -#define ER_NEW_ABORTING_CONNECTION 1184 -#define ER_DUMP_NOT_IMPLEMENTED 1185 -#define ER_FLUSH_MASTER_BINLOG_CLOSED 1186 -#define ER_INDEX_REBUILD 1187 -#define ER_MASTER 1188 -#define ER_MASTER_NET_READ 1189 -#define ER_MASTER_NET_WRITE 1190 -#define ER_FT_MATCHING_KEY_NOT_FOUND 1191 -#define ER_LOCK_OR_ACTIVE_TRANSACTION 1192 -#define ER_UNKNOWN_SYSTEM_VARIABLE 1193 -#define ER_CRASHED_ON_USAGE 1194 -#define ER_CRASHED_ON_REPAIR 1195 -#define ER_WARNING_NOT_COMPLETE_ROLLBACK 1196 -#define ER_TRANS_CACHE_FULL 1197 -#define ER_SLAVE_MUST_STOP 1198 -#define ER_SLAVE_NOT_RUNNING 1199 -#define ER_BAD_SLAVE 1200 -#define ER_MASTER_INFO 1201 -#define ER_SLAVE_THREAD 1202 -#define ER_TOO_MANY_USER_CONNECTIONS 1203 -#define ER_SET_CONSTANTS_ONLY 1204 -#define ER_LOCK_WAIT_TIMEOUT 1205 -#define ER_LOCK_TABLE_FULL 1206 -#define ER_READ_ONLY_TRANSACTION 1207 -#define ER_DROP_DB_WITH_READ_LOCK 1208 -#define ER_CREATE_DB_WITH_READ_LOCK 1209 -#define ER_WRONG_ARGUMENTS 1210 -#define ER_NO_PERMISSION_TO_CREATE_USER 1211 -#define ER_UNION_TABLES_IN_DIFFERENT_DIR 1212 -#define ER_LOCK_DEADLOCK 1213 -#define ER_TABLE_CANT_HANDLE_FT 1214 -#define ER_CANNOT_ADD_FOREIGN 1215 -#define ER_NO_REFERENCED_ROW 1216 -#define ER_ROW_IS_REFERENCED 1217 -#define ER_CONNECT_TO_MASTER 1218 -#define ER_QUERY_ON_MASTER 1219 -#define ER_ERROR_WHEN_EXECUTING_COMMAND 1220 -#define ER_WRONG_USAGE 1221 -#define ER_WRONG_NUMBER_OF_COLUMNS_IN_SELECT 1222 -#define ER_CANT_UPDATE_WITH_READLOCK 1223 -#define ER_MIXING_NOT_ALLOWED 1224 -#define ER_DUP_ARGUMENT 1225 -#define ER_USER_LIMIT_REACHED 1226 -#define ER_SPECIFIC_ACCESS_DENIED_ERROR 1227 -#define ER_LOCAL_VARIABLE 1228 -#define ER_GLOBAL_VARIABLE 1229 -#define ER_NO_DEFAULT 1230 -#define ER_WRONG_VALUE_FOR_VAR 1231 -#define ER_WRONG_TYPE_FOR_VAR 1232 -#define ER_VAR_CANT_BE_READ 1233 -#define ER_CANT_USE_OPTION_HERE 1234 -#define ER_NOT_SUPPORTED_YET 1235 -#define ER_MASTER_FATAL_ERROR_READING_BINLOG 1236 -#define ER_SLAVE_IGNORED_TABLE 1237 -#define ER_INCORRECT_GLOBAL_LOCAL_VAR 1238 -#define ER_WRONG_FK_DEF 1239 -#define ER_KEY_REF_DO_NOT_MATCH_TABLE_REF 1240 -#define ER_OPERAND_COLUMNS 1241 -#define ER_SUBQUERY_NO_1_ROW 1242 -#define ER_UNKNOWN_STMT_HANDLER 1243 -#define ER_CORRUPT_HELP_DB 1244 -#define ER_CYCLIC_REFERENCE 1245 -#define ER_AUTO_CONVERT 1246 -#define ER_ILLEGAL_REFERENCE 1247 -#define ER_DERIVED_MUST_HAVE_ALIAS 1248 -#define ER_SELECT_REDUCED 1249 -#define ER_TABLENAME_NOT_ALLOWED_HERE 1250 -#define ER_NOT_SUPPORTED_AUTH_MODE 1251 -#define ER_SPATIAL_CANT_HAVE_NULL 1252 -#define ER_COLLATION_CHARSET_MISMATCH 1253 -#define ER_SLAVE_WAS_RUNNING 1254 -#define ER_SLAVE_WAS_NOT_RUNNING 1255 -#define ER_TOO_BIG_FOR_UNCOMPRESS 1256 -#define ER_ZLIB_Z_MEM_ERROR 1257 -#define ER_ZLIB_Z_BUF_ERROR 1258 -#define ER_ZLIB_Z_DATA_ERROR 1259 -#define ER_CUT_VALUE_GROUP_CONCAT 1260 -#define ER_WARN_TOO_FEW_RECORDS 1261 -#define ER_WARN_TOO_MANY_RECORDS 1262 -#define ER_WARN_NULL_TO_NOTNULL 1263 -#define ER_WARN_DATA_OUT_OF_RANGE 1264 -#define ER_WARN_DATA_TRUNCATED 1265 -#define ER_WARN_USING_OTHER_HANDLER 1266 -#define ER_CANT_AGGREGATE_2COLLATIONS 1267 -#define ER_DROP_USER 1268 -#define ER_REVOKE_GRANTS 1269 -#define ER_CANT_AGGREGATE_3COLLATIONS 1270 -#define ER_CANT_AGGREGATE_NCOLLATIONS 1271 -#define ER_VARIABLE_IS_NOT_STRUCT 1272 -#define ER_UNKNOWN_COLLATION 1273 -#define ER_SLAVE_IGNORED_SSL_PARAMS 1274 -#define ER_SERVER_IS_IN_SECURE_AUTH_MODE 1275 -#define ER_WARN_FIELD_RESOLVED 1276 -#define ER_BAD_SLAVE_UNTIL_COND 1277 -#define ER_MISSING_SKIP_SLAVE 1278 -#define ER_UNTIL_COND_IGNORED 1279 -#define ER_WRONG_NAME_FOR_INDEX 1280 -#define ER_WRONG_NAME_FOR_CATALOG 1281 -#define ER_WARN_QC_RESIZE 1282 -#define ER_BAD_FT_COLUMN 1283 -#define ER_UNKNOWN_KEY_CACHE 1284 -#define ER_WARN_HOSTNAME_WONT_WORK 1285 -#define ER_UNKNOWN_STORAGE_ENGINE 1286 -#define ER_WARN_DEPRECATED_SYNTAX 1287 -#define ER_NON_UPDATABLE_TABLE 1288 -#define ER_FEATURE_DISABLED 1289 -#define ER_OPTION_PREVENTS_STATEMENT 1290 -#define ER_DUPLICATED_VALUE_IN_TYPE 1291 -#define ER_TRUNCATED_WRONG_VALUE 1292 -#define ER_TOO_MUCH_AUTO_TIMESTAMP_COLS 1293 -#define ER_INVALID_ON_UPDATE 1294 -#define ER_UNSUPPORTED_PS 1295 -#define ER_GET_ERRMSG 1296 -#define ER_GET_TEMPORARY_ERRMSG 1297 -#define ER_UNKNOWN_TIME_ZONE 1298 -#define ER_WARN_INVALID_TIMESTAMP 1299 -#define ER_INVALID_CHARACTER_STRING 1300 -#define ER_WARN_ALLOWED_PACKET_OVERFLOWED 1301 -#define ER_CONFLICTING_DECLARATIONS 1302 -#define ER_SP_NO_RECURSIVE_CREATE 1303 -#define ER_SP_ALREADY_EXISTS 1304 -#define ER_SP_DOES_NOT_EXIST 1305 -#define ER_SP_DROP_FAILED 1306 -#define ER_SP_STORE_FAILED 1307 -#define ER_SP_LILABEL_MISMATCH 1308 -#define ER_SP_LABEL_REDEFINE 1309 -#define ER_SP_LABEL_MISMATCH 1310 -#define ER_SP_UNINIT_VAR 1311 -#define ER_SP_BADSELECT 1312 -#define ER_SP_BADRETURN 1313 -#define ER_SP_BADSTATEMENT 1314 -#define ER_UPDATE_LOG_DEPRECATED_IGNORED 1315 -#define ER_UPDATE_LOG_DEPRECATED_TRANSLATED 1316 -#define ER_QUERY_INTERRUPTED 1317 -#define ER_SP_WRONG_NO_OF_ARGS 1318 -#define ER_SP_COND_MISMATCH 1319 -#define ER_SP_NORETURN 1320 -#define ER_SP_NORETURNEND 1321 -#define ER_SP_BAD_CURSOR_QUERY 1322 -#define ER_SP_BAD_CURSOR_SELECT 1323 -#define ER_SP_CURSOR_MISMATCH 1324 -#define ER_SP_CURSOR_ALREADY_OPEN 1325 -#define ER_SP_CURSOR_NOT_OPEN 1326 -#define ER_SP_UNDECLARED_VAR 1327 -#define ER_SP_WRONG_NO_OF_FETCH_ARGS 1328 -#define ER_SP_FETCH_NO_DATA 1329 -#define ER_SP_DUP_PARAM 1330 -#define ER_SP_DUP_VAR 1331 -#define ER_SP_DUP_COND 1332 -#define ER_SP_DUP_CURS 1333 -#define ER_SP_CANT_ALTER 1334 -#define ER_SP_SUBSELECT_NYI 1335 -#define ER_SP_NO_USE 1336 -#define ER_SP_VARCOND_AFTER_CURSHNDLR 1337 -#define ER_SP_CURSOR_AFTER_HANDLER 1338 -#define ER_SP_CASE_NOT_FOUND 1339 -#define ER_FPARSER_TOO_BIG_FILE 1340 -#define ER_FPARSER_BAD_HEADER 1341 -#define ER_FPARSER_EOF_IN_COMMENT 1342 -#define ER_FPARSER_ERROR_IN_PARAMETER 1343 -#define ER_FPARSER_EOF_IN_UNKNOWN_PARAMETER 1344 -#define ER_VIEW_NO_EXPLAIN 1345 -#define ER_FRM_UNKNOWN_TYPE 1346 -#define ER_WRONG_OBJECT 1347 -#define ER_NONUPDATEABLE_COLUMN 1348 -#define ER_VIEW_SELECT_DERIVED 1349 -#define ER_VIEW_SELECT_CLAUSE 1350 -#define ER_VIEW_SELECT_VARIABLE 1351 -#define ER_VIEW_SELECT_TMPTABLE 1352 -#define ER_VIEW_WRONG_LIST 1353 -#define ER_WARN_VIEW_MERGE 1354 -#define ER_WARN_VIEW_WITHOUT_KEY 1355 -#define ER_VIEW_INVALID 1356 -#define ER_SP_NO_DROP_SP 1357 -#define ER_SP_GOTO_IN_HNDLR 1358 -#define ER_TRG_ALREADY_EXISTS 1359 -#define ER_TRG_DOES_NOT_EXIST 1360 -#define ER_TRG_ON_VIEW_OR_TEMP_TABLE 1361 -#define ER_TRG_CANT_CHANGE_ROW 1362 -#define ER_TRG_NO_SUCH_ROW_IN_TRG 1363 -#define ER_NO_DEFAULT_FOR_FIELD 1364 -#define ER_DIVISION_BY_ZERO 1365 -#define ER_TRUNCATED_WRONG_VALUE_FOR_FIELD 1366 -#define ER_ILLEGAL_VALUE_FOR_TYPE 1367 -#define ER_VIEW_NONUPD_CHECK 1368 -#define ER_VIEW_CHECK_FAILED 1369 -#define ER_SP_ACCESS_DENIED_ERROR 1370 -#define ER_RELAY_LOG_FAIL 1371 -#define ER_PASSWD_LENGTH 1372 -#define ER_UNKNOWN_TARGET_BINLOG 1373 -#define ER_IO_ERR_LOG_INDEX_READ 1374 -#define ER_BINLOG_PURGE_PROHIBITED 1375 -#define ER_FSEEK_FAIL 1376 -#define ER_BINLOG_PURGE_FATAL_ERR 1377 -#define ER_LOG_IN_USE 1378 -#define ER_LOG_PURGE_UNKNOWN_ERR 1379 -#define ER_RELAY_LOG_INIT 1380 -#define ER_NO_BINARY_LOGGING 1381 -#define ER_RESERVED_SYNTAX 1382 -#define ER_WSAS_FAILED 1383 -#define ER_DIFF_GROUPS_PROC 1384 -#define ER_NO_GROUP_FOR_PROC 1385 -#define ER_ORDER_WITH_PROC 1386 -#define ER_LOGING_PROHIBIT_CHANGING_OF 1387 -#define ER_NO_FILE_MAPPING 1388 -#define ER_WRONG_MAGIC 1389 -#define ER_PS_MANY_PARAM 1390 -#define ER_KEY_PART_0 1391 -#define ER_VIEW_CHECKSUM 1392 -#define ER_VIEW_MULTIUPDATE 1393 -#define ER_VIEW_NO_INSERT_FIELD_LIST 1394 -#define ER_VIEW_DELETE_MERGE_VIEW 1395 -#define ER_CANNOT_USER 1396 -#define ER_ERROR_MESSAGES 397 diff --git a/include/sql_state.h b/include/sql_state.h deleted file mode 100644 index d13ed444548..00000000000 --- a/include/sql_state.h +++ /dev/null @@ -1,206 +0,0 @@ -/* Copyright (C) 2000-2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -/* - This file includes a mapping from mysql_errno.h to sql_state (as used by - MyODBC) and jdbc_state. - It's suitable to include into a C struct for further processing - - The first column is the mysqld server error (declared in mysqld_error.h), - the second column is the ODBC state (which the 4.1 server sends out by - default) and the last is the state used by the JDBC driver. - If the last column is "" then it means that the JDBC driver is using the - ODBC state. - - The errors in this file are sorted in the same order as in mysqld_error.h - to allow one to do binary searches for the sqlstate. -*/ - -ER_DUP_KEY, "23000", "", -ER_OUTOFMEMORY, "HY001", "S1001", -ER_OUT_OF_SORTMEMORY, "HY001", "S1001", -ER_CON_COUNT_ERROR, "08004", "", -ER_BAD_HOST_ERROR, "08S01", "", -ER_HANDSHAKE_ERROR, "08S01", "", -ER_DBACCESS_DENIED_ERROR, "42000", "", -ER_ACCESS_DENIED_ERROR, "28000", "", -ER_NO_DB_ERROR, "3D000", "", -ER_UNKNOWN_COM_ERROR, "08S01", "", -ER_BAD_NULL_ERROR, "23000", "", -ER_BAD_DB_ERROR, "42000", "", -ER_TABLE_EXISTS_ERROR, "42S01", "", -ER_BAD_TABLE_ERROR, "42S02", "", -ER_NON_UNIQ_ERROR, "23000", "", -ER_SERVER_SHUTDOWN, "08S01", "", -ER_BAD_FIELD_ERROR, "42S22", "S0022", -ER_WRONG_FIELD_WITH_GROUP, "42000", "S1009", -ER_WRONG_GROUP_FIELD, "42000", "S1009", -ER_WRONG_SUM_SELECT, "42000", "S1009", -ER_WRONG_VALUE_COUNT, "21S01", "", -ER_TOO_LONG_IDENT, "42000", "S1009", -ER_DUP_FIELDNAME, "42S21", "S1009", -ER_DUP_KEYNAME, "42000", "S1009", -ER_DUP_ENTRY, "23000", "S1009", -ER_WRONG_FIELD_SPEC, "42000", "S1009", -ER_PARSE_ERROR, "42000", "", -ER_EMPTY_QUERY, "42000" , "", -ER_NONUNIQ_TABLE, "42000", "S1009", -ER_INVALID_DEFAULT, "42000", "S1009", -ER_MULTIPLE_PRI_KEY, "42000", "S1009", -ER_TOO_MANY_KEYS, "42000", "S1009", -ER_TOO_MANY_KEY_PARTS, "42000", "S1009", -ER_TOO_LONG_KEY, "42000", "S1009", -ER_KEY_COLUMN_DOES_NOT_EXITS, "42000", "S1009", -ER_BLOB_USED_AS_KEY, "42000", "S1009", -ER_TOO_BIG_FIELDLENGTH, "42000", "S1009", -ER_WRONG_AUTO_KEY, "42000", "S1009", -ER_FORCING_CLOSE, "08S01", "", -ER_IPSOCK_ERROR, "08S01", "", -ER_NO_SUCH_INDEX, "42S12", "S1009", -ER_WRONG_FIELD_TERMINATORS, "42000", "S1009", -ER_BLOBS_AND_NO_TERMINATED, "42000", "S1009", -ER_CANT_REMOVE_ALL_FIELDS, "42000", "", -ER_CANT_DROP_FIELD_OR_KEY, "42000", "", -ER_BLOB_CANT_HAVE_DEFAULT, "42000", "", -ER_WRONG_DB_NAME, "42000", "", -ER_WRONG_TABLE_NAME, "42000", "", -ER_TOO_BIG_SELECT, "42000", "", -ER_UNKNOWN_PROCEDURE, "42000", "", -ER_WRONG_PARAMCOUNT_TO_PROCEDURE, "42000", "", -ER_UNKNOWN_TABLE, "42S02", "", -ER_FIELD_SPECIFIED_TWICE, "42000", "", -ER_UNSUPPORTED_EXTENSION, "42000", "", -ER_TABLE_MUST_HAVE_COLUMNS, "42000", "", -ER_UNKNOWN_CHARACTER_SET, "42000", "", -ER_TOO_BIG_ROWSIZE, "42000", "", -ER_WRONG_OUTER_JOIN, "42000", "", -ER_NULL_COLUMN_IN_INDEX, "42000", "", -ER_PASSWORD_ANONYMOUS_USER, "42000", "", -ER_PASSWORD_NOT_ALLOWED, "42000", "", -ER_PASSWORD_NO_MATCH, "42000", "", -ER_WRONG_VALUE_COUNT_ON_ROW, "21S01", "", -ER_INVALID_USE_OF_NULL, "22004", "", -ER_REGEXP_ERROR, "42000", "", -ER_MIX_OF_GROUP_FUNC_AND_FIELDS,"42000", "", -ER_NONEXISTING_GRANT, "42000", "", -ER_TABLEACCESS_DENIED_ERROR, "42000", "", -ER_COLUMNACCESS_DENIED_ERROR, "42000", "", -ER_ILLEGAL_GRANT_FOR_TABLE, "42000", "", -ER_GRANT_WRONG_HOST_OR_USER, "42000", "", -ER_NO_SUCH_TABLE, "42S02", "", -ER_NONEXISTING_TABLE_GRANT, "42000", "", -ER_NOT_ALLOWED_COMMAND, "42000", "", -ER_SYNTAX_ERROR, "42000", "", -ER_ABORTING_CONNECTION, "08S01", "", -ER_NET_PACKET_TOO_LARGE, "08S01", "", -ER_NET_READ_ERROR_FROM_PIPE, "08S01", "", -ER_NET_FCNTL_ERROR, "08S01", "", -ER_NET_PACKETS_OUT_OF_ORDER, "08S01", "", -ER_NET_UNCOMPRESS_ERROR, "08S01", "", -ER_NET_READ_ERROR, "08S01", "", -ER_NET_READ_INTERRUPTED, "08S01", "", -ER_NET_ERROR_ON_WRITE, "08S01", "", -ER_NET_WRITE_INTERRUPTED, "08S01", "", -ER_TOO_LONG_STRING, "42000", "", -ER_TABLE_CANT_HANDLE_BLOB, "42000", "", -ER_TABLE_CANT_HANDLE_AUTO_INCREMENT, "42000", "", -ER_WRONG_COLUMN_NAME, "42000", "", -ER_WRONG_KEY_COLUMN, "42000", "", -ER_DUP_UNIQUE, "23000", "", -ER_BLOB_KEY_WITHOUT_LENGTH, "42000", "", -ER_PRIMARY_CANT_HAVE_NULL, "42000", "", -ER_TOO_MANY_ROWS, "42000", "", -ER_REQUIRES_PRIMARY_KEY, "42000", "", -ER_CHECK_NO_SUCH_TABLE, "42000", "", -ER_CHECK_NOT_IMPLEMENTED, "42000", "", -ER_CANT_DO_THIS_DURING_AN_TRANSACTION, "25000", "", -ER_NEW_ABORTING_CONNECTION, "08S01", "", -ER_MASTER_NET_READ, "08S01", "", -ER_MASTER_NET_WRITE, "08S01", "", -ER_TOO_MANY_USER_CONNECTIONS, "42000", "", -ER_READ_ONLY_TRANSACTION, "25000", "", -ER_NO_PERMISSION_TO_CREATE_USER,"42000", "", -ER_LOCK_DEADLOCK, "40001", "", -ER_NO_REFERENCED_ROW, "23000", "", -ER_ROW_IS_REFERENCED, "23000", "", -ER_CONNECT_TO_MASTER, "08S01", "", -ER_WRONG_NUMBER_OF_COLUMNS_IN_SELECT,"21000", "", -ER_USER_LIMIT_REACHED, "42000", "", -ER_NO_DEFAULT, "42000", "", -ER_WRONG_VALUE_FOR_VAR, "42000", "", -ER_WRONG_TYPE_FOR_VAR, "42000", "", -ER_CANT_USE_OPTION_HERE, "42000", "", -ER_NOT_SUPPORTED_YET, "42000", "", -ER_WRONG_FK_DEF, "42000", "", -ER_OPERAND_COLUMNS, "21000", "", -ER_SUBQUERY_NO_1_ROW, "21000", "", -ER_ILLEGAL_REFERENCE, "42S22", "", -ER_DERIVED_MUST_HAVE_ALIAS, "42000", "", -ER_SELECT_REDUCED, "01000", "", -ER_TABLENAME_NOT_ALLOWED_HERE, "42000", "", -ER_NOT_SUPPORTED_AUTH_MODE, "08004", "", -ER_SPATIAL_CANT_HAVE_NULL, "42000", "", -ER_COLLATION_CHARSET_MISMATCH, "42000", "", -ER_WARN_TOO_FEW_RECORDS, "01000", "", -ER_WARN_TOO_MANY_RECORDS, "01000", "", -ER_WARN_NULL_TO_NOTNULL, "22004", "", -ER_WARN_DATA_OUT_OF_RANGE, "22003", "", -ER_WARN_DATA_TRUNCATED, "01000", "", -ER_WRONG_NAME_FOR_INDEX, "42000", "", -ER_WRONG_NAME_FOR_CATALOG, "42000", "", -ER_UNKNOWN_STORAGE_ENGINE, "42000", "", -ER_TRUNCATED_WRONG_VALUE, "22007", "", -/* 5.0 */ -ER_SP_NO_RECURSIVE_CREATE, "2F003", "", -ER_SP_ALREADY_EXISTS, "42000", "", -ER_SP_DOES_NOT_EXIST, "42000", "", -/*ER_SP_DROP_FAILED*/ -/*ER_SP_STORE_FAILED*/ -ER_SP_LILABEL_MISMATCH, "42000", "", -ER_SP_LABEL_REDEFINE, "42000", "", -ER_SP_LABEL_MISMATCH, "42000", "", -ER_SP_UNINIT_VAR, "01000", "", -ER_SP_BADSELECT, "0A000", "", -ER_SP_BADRETURN, "42000", "", -ER_SP_BADSTATEMENT, "0A000", "", -ER_UPDATE_LOG_DEPRECATED_IGNORED, "42000", "", -ER_UPDATE_LOG_DEPRECATED_TRANSLATED, "42000", "", -ER_QUERY_INTERRUPTED, "70100", "", -ER_SP_WRONG_NO_OF_ARGS, "42000", "", -ER_SP_COND_MISMATCH, "42000", "", -ER_SP_NORETURN, "42000", "", -ER_SP_NORETURNEND, "2F005", "", -ER_SP_BAD_CURSOR_QUERY, "42000", "", -ER_SP_BAD_CURSOR_SELECT, "42000", "", -ER_SP_CURSOR_MISMATCH, "42000", "", -ER_SP_CURSOR_ALREADY_OPEN, "24000", "", -ER_SP_CURSOR_NOT_OPEN, "24000", "", -ER_SP_UNDECLARED_VAR, "42000", "", -/*ER_SP_WRONG_NO_OF_FETCH_ARGS*/ -ER_SP_FETCH_NO_DATA, "02000", "", -ER_SP_DUP_PARAM, "42000", "", -ER_SP_DUP_VAR, "42000", "", -ER_SP_DUP_COND, "42000", "", -ER_SP_DUP_CURS, "42000", "", -/*ER_SP_CANT_ALTER*/ -ER_SP_SUBSELECT_NYI, "0A000", "", -ER_SP_NO_USE, "42000", "", -ER_SP_VARCOND_AFTER_CURSHNDLR, "42000", "", -ER_SP_CURSOR_AFTER_HANDLER, "42000", "", -ER_SP_CASE_NOT_FOUND, "20000", "", -ER_DIVISION_BY_ZERO, "22012", "", -ER_ILLEGAL_VALUE_FOR_TYPE, "22007", "", -ER_SP_ACCESS_DENIED_ERROR, "42000", "", diff --git a/libmysql/Makefile.am b/libmysql/Makefile.am index 72ff44ecef3..91ee5e66c83 100644 --- a/libmysql/Makefile.am +++ b/libmysql/Makefile.am @@ -23,7 +23,8 @@ target = libmysqlclient.la target_defs = -DUNDEF_THREADS_HACK -DDONT_USE_RAID @LIB_EXTRA_CCFLAGS@ LIBS = @CLIENT_LIBS@ -INCLUDES = -I$(top_srcdir)/include $(openssl_includes) @ZLIB_INCLUDES@ +INCLUDES = -I$(top_srcdir)/include $(openssl_includes) @ZLIB_INCLUDES@ \ + -I$(top_srcdir)/extra include $(srcdir)/Makefile.shared diff --git a/libmysql_r/Makefile.am b/libmysql_r/Makefile.am index 939cb4c73dd..82253154771 100644 --- a/libmysql_r/Makefile.am +++ b/libmysql_r/Makefile.am @@ -25,8 +25,8 @@ target_defs = -DDONT_USE_RAID -DMYSQL_CLIENT @LIB_EXTRA_CCFLAGS@ LIBS = @LIBS@ @openssl_libs@ INCLUDES = @MT_INCLUDES@ \ - -I$(top_srcdir)/include $(openssl_includes) @ZLIB_INCLUDES@ - + -I$(top_srcdir)/include $(openssl_includes) @ZLIB_INCLUDES@ \ + -I$(top_srcdir)/extra ## automake barfs if you don't use $(srcdir) or $(top_srcdir) in include include $(top_srcdir)/libmysql/Makefile.shared diff --git a/server-tools/instance-manager/Makefile.am b/server-tools/instance-manager/Makefile.am index 050f9b9bfd2..a15ff9321cb 100644 --- a/server-tools/instance-manager/Makefile.am +++ b/server-tools/instance-manager/Makefile.am @@ -14,7 +14,7 @@ # along with this program; if not, write to the Free Software # Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA -INCLUDES= -I$(top_srcdir)/include +INCLUDES= -I$(top_srcdir)/include -I$(top_srcdir)/extra DEFS= -DMYSQL_INSTANCE_MANAGER -DMYSQL_SERVER diff --git a/sql/Makefile.am b/sql/Makefile.am index 7d2eda1e222..501f9b03e0d 100644 --- a/sql/Makefile.am +++ b/sql/Makefile.am @@ -22,7 +22,7 @@ MYSQLBASEdir= $(prefix) INCLUDES = @MT_INCLUDES@ @ZLIB_INCLUDES@ \ @bdb_includes@ @innodb_includes@ @ndbcluster_includes@ \ -I$(top_srcdir)/include -I$(top_srcdir)/regex \ - -I$(srcdir) $(openssl_includes) + -I$(srcdir) $(openssl_includes) -I$(top_srcdir)/extra WRAPLIBS= @WRAPLIBS@ SUBDIRS = share libexec_PROGRAMS = mysqld diff --git a/sql/share/Makefile.am b/sql/share/Makefile.am index 662159a9c63..b50ba2be8da 100644 --- a/sql/share/Makefile.am +++ b/sql/share/Makefile.am @@ -9,10 +9,13 @@ dist-hook: $(INSTALL_DATA) $(srcdir)/charsets/README $(distdir)/charsets $(INSTALL_DATA) $(srcdir)/charsets/Index.xml $(distdir)/charsets -all: @AVAILABLE_LANGUAGES_ERRORS@ +all: english/errmsg.sys -# this is ugly, but portable -@AVAILABLE_LANGUAGES_ERRORS_RULES@ +# Use the english errmsg.sys as a flag that all errmsg.sys needs to be +# created. Normally these are created by extra/Makefile.am + +english/errmsg.sys: errmsg.txt + $(top_builddir)/extra/comp_err --charset=$(srcdir)/charsets --out-dir=$(top_builddir)/sql/share/ --header_file=$(top_builddir)/extra/mysqld_error.h --state_file=$(top_builddir)/extra/sql_state.h --in_file=errmsg.txt install-data-local: for lang in @AVAILABLE_LANGUAGES@; \ @@ -20,18 +23,12 @@ install-data-local: $(mkinstalldirs) $(DESTDIR)$(pkgdatadir)/$$lang; \ $(INSTALL_DATA) $(srcdir)/$$lang/errmsg.sys \ $(DESTDIR)$(pkgdatadir)/$$lang/errmsg.sys; \ - $(INSTALL_DATA) $(srcdir)/$$lang/errmsg.txt \ - $(DESTDIR)$(pkgdatadir)/$$lang/errmsg.txt; \ done $(mkinstalldirs) $(DESTDIR)$(pkgdatadir)/charsets + $(INSTALL_DATA) $(srcdir)/errmsg.txt \ + $(DESTDIR)$(pkgdatadir)/errmsg.txt; \ $(INSTALL_DATA) $(srcdir)/charsets/README $(DESTDIR)$(pkgdatadir)/charsets/README $(INSTALL_DATA) $(srcdir)/charsets/*.xml $(DESTDIR)$(pkgdatadir)/charsets -fix_errors: - for lang in @AVAILABLE_LANGUAGES@; \ - do \ - ../../extra/comp_err -C$(srcdir)/charsets/ $(srcdir)/$$lang/errmsg.txt $(srcdir)/$$lang/errmsg.sys; \ - done - # Don't update the files from bitkeeper %::SCCS/s.% diff --git a/sql/share/czech/errmsg.txt b/sql/share/czech/errmsg.txt deleted file mode 100644 index e8ea55f0739..00000000000 --- a/sql/share/czech/errmsg.txt +++ /dev/null @@ -1,427 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -/* - Modifikoval Petr -B©najdr, snajdr@pvt.net, snajdr@cpress.cz v.0.01 - ISO LATIN-8852-2 - Dal-B¹í verze Jan Pazdziora, adelton@fi.muni.cz - Tue Nov 18 17:53:55 MET 1997 - Tue Dec 2 19:08:54 MET 1997 podle 3.21.15c - Thu May 7 17:40:49 MET DST 1998 podle 3.21.29 - Thu Apr 1 20:49:57 CEST 1999 podle 3.22.20 - Mon Aug 9 13:30:09 MET DST 1999 podle 3.23.2 - Thu Nov 30 14:02:52 MET 2000 podle 3.23.28 -*/ - -character-set=latin2 - -"hashchk", -"isamchk", -"NE", -"ANO", -"Nemohu vytvo-Bøit soubor '%-.64s' (chybový kód: %d)", -"Nemohu vytvo-Bøit tabulku '%-.64s' (chybový kód: %d)", -"Nemohu vytvo-Bøit databázi '%-.64s' (chybový kód: %d)", -"Nemohu vytvo-Bøit databázi '%-.64s'; databáze ji¾ existuje", -"Nemohu zru-B¹it databázi '%-.64s', databáze neexistuje", -"Chyba p-Bøi ru¹ení databáze (nemohu vymazat '%-.64s', chyba %d)", -"Chyba p-Bøi ru¹ení databáze (nemohu vymazat adresáø '%-.64s', chyba %d)", -"Chyba p-Bøi výmazu '%-.64s' (chybový kód: %d)", -"Nemohu -Bèíst záznam v systémové tabulce", -"Nemohu z-Bískat stav '%-.64s' (chybový kód: %d)", -"Chyba p-Bøi zji¹»ování pracovní adresáø (chybový kód: %d)", -"Nemohu uzamknout soubor (chybov-Bý kód: %d)", -"Nemohu otev-Bøít soubor '%-.64s' (chybový kód: %d)", -"Nemohu naj-Bít soubor '%-.64s' (chybový kód: %d)", -"Nemohu -Bèíst adresáø '%-.64s' (chybový kód: %d)", -"Nemohu zm-Bìnit adresáø na '%-.64s' (chybový kód: %d)", -"Z-Báznam byl zmìnìn od posledního ètení v tabulce '%-.64s'", -"Disk je pln-Bý (%s), èekám na uvolnìní nìjakého místa ...", -"Nemohu zapsat, zdvojen-Bý klíè v tabulce '%-.64s'", -"Chyba p-Bøi zavírání '%-.64s' (chybový kód: %d)", -"Chyba p-Bøi ètení souboru '%-.64s' (chybový kód: %d)", -"Chyba p-Bøi pøejmenování '%-.64s' na '%-.64s' (chybový kód: %d)", -"Chyba p-Bøi zápisu do souboru '%-.64s' (chybový kód: %d)", -"'%-.64s' je zam-Bèen proti zmìnám", -"T-Bøídìní pøeru¹eno", -"Pohled '%-.64s' pro '%-.64s' neexistuje", -"Obsluha tabulky vr-Bátila chybu %d", -"Obsluha tabulky '%-.64s' nem-Bá tento parametr", -"Nemohu naj-Bít záznam v '%-.64s'", -"Nespr-Bávná informace v souboru '%-.64s'", -"Nespr-Bávný klíè pro tabulku '%-.64s'; pokuste se ho opravit", -"Star-Bý klíèový soubor pro '%-.64s'; opravte ho.", -"'%-.64s' je jen pro -Bètení", -"M-Bálo pamìti. Pøestartujte daemona a zkuste znovu (je potøeba %d bytù)", -"M-Bálo pamìti pro tøídìní. Zvy¹te velikost tøídícího bufferu", -"Neo-Bèekávaný konec souboru pøi ètení '%-.64s' (chybový kód: %d)", -"P-Bøíli¹ mnoho spojení", -"M-Bálo prostoru/pamìti pro thread", -"Nemohu zjistit jm-Béno stroje pro Va¹i adresu", -"Chyba p-Bøi ustavování spojení", -"P-Bøístup pro u¾ivatele '%-.32s'@'%-.64s' k databázi '%-.64s' není povolen", -"P-Bøístup pro u¾ivatele '%-.32s'@'%-.64s' (s heslem %s)", -"Nebyla vybr-Bána ¾ádná databáze", -"Nezn-Bámý pøíkaz", -"Sloupec '%-.64s' nem-Bù¾e být null", -"Nezn-Bámá databáze '%-.64s'", -"Tabulka '%-.64s' ji-B¾ existuje", -"Nezn-Bámá tabulka '%-.64s'", -"Sloupec '%-.64s' v %s nen-Bí zcela jasný", -"Prob-Bíhá ukonèování práce serveru", -"Nezn-Bámý sloupec '%-.64s' v %s", -"Pou-B¾ité '%-.64s' nebylo v group by", -"Nemohu pou-B¾ít group na '%-.64s'", -"P-Bøíkaz obsahuje zároveò funkci sum a sloupce", -"Po-Bèet sloupcù neodpovídá zadané hodnotì", -"Jm-Béno identifikátoru '%-.64s' je pøíli¹ dlouhé", -"Zdvojen-Bé jméno sloupce '%-.64s'", -"Zdvojen-Bé jméno klíèe '%-.64s'", -"Zvojen-Bý klíè '%-.64s' (èíslo klíèe %d)", -"Chybn-Bá specifikace sloupce '%-.64s'", -"%s bl-Bízko '%-.64s' na øádku %d", -"V-Býsledek dotazu je prázdný", -"Nejednozna-Bèná tabulka/alias: '%-.64s'", -"Chybn-Bá defaultní hodnota pro '%-.64s'", -"Definov-Báno více primárních klíèù", -"Zad-Báno pøíli¹ mnoho klíèù, je povoleno nejvíce %d klíèù", -"Zad-Báno pøíli¹ mnoho èást klíèù, je povoleno nejvíce %d èástí", -"Zadan-Bý klíè byl pøíli¹ dlouhý, nejvìt¹í délka klíèe je %d", -"Kl-Bíèový sloupec '%-.64s' v tabulce neexistuje", -"Blob sloupec '%-.64s' nem-Bù¾e být pou¾it jako klíè", -"P-Bøíli¹ velká délka sloupce '%-.64s' (nejvíce %d). Pou¾ijte BLOB", -"M-Bù¾ete mít pouze jedno AUTO pole a to musí být definováno jako klíè", -"%s: p-Bøipraven na spojení", -"%s: norm-Bální ukonèení\n", -"%s: p-Bøijat signal %d, konèím\n", -"%s: ukon-Bèení práce hotovo\n", -"%s: n-Básilné uzavøení threadu %ld u¾ivatele '%-.64s'\n", -"Nemohu vytvo-Bøit IP socket", -"Tabulka '%-.64s' nem-Bá index odpovídající CREATE INDEX. Vytvoøte tabulku znovu", -"Argument separ-Bátoru polo¾ek nebyl oèekáván. Pøeètìte si manuál", -"Nen-Bí mo¾né pou¾ít pevný rowlength s BLOBem. Pou¾ijte 'fields terminated by'.", -"Soubor '%-.64s' mus-Bí být v adresáøi databáze nebo èitelný pro v¹echny", -"Soubor '%-.64s' ji-B¾ existuje", -"Z-Báznamù: %ld Vymazáno: %ld Pøeskoèeno: %ld Varování: %ld", -"Z-Báznamù: %ld Zdvojených: %ld", -"Chybn-Bá podèást klíèe -- není to øetìzec nebo je del¹í ne¾ délka èásti klíèe", -"Nen-Bí mo¾né vymazat v¹echny polo¾ky s ALTER TABLE. Pou¾ijte DROP TABLE", -"Nemohu zru-B¹it '%-.64s' (provést DROP). Zkontrolujte, zda neexistují záznamy/klíèe", -"Z-Báznamù: %ld Zdvojených: %ld Varování: %ld", -"You can't specify target table '%-.64s' for update in FROM clause", -"Nezn-Bámá identifikace threadu: %lu", -"Nejste vlastn-Bíkem threadu %lu", -"Nejsou pou-B¾ity ¾ádné tabulky", -"P-Bøíli¹ mnoho øetìzcù pro sloupec %s a SET", -"Nemohu vytvo-Bøit jednoznaèné jméno logovacího souboru %s.(1-999)\n", -"Tabulka '%-.64s' byla zam-Bèena s READ a nemù¾e být zmìnìna", -"Tabulka '%-.64s' nebyla zam-Bèena s LOCK TABLES", -"Blob polo-B¾ka '%-.64s' nemù¾e mít defaultní hodnotu", -"Nep-Bøípustné jméno databáze '%-.64s'", -"Nep-Bøípustné jméno tabulky '%-.64s'", -"Zadan-Bý SELECT by procházel pøíli¹ mnoho záznamù a trval velmi dlouho. Zkontrolujte tvar WHERE a je-li SELECT v poøádku, pou¾ijte SET SQL_BIG_SELECTS=1", -"Nezn-Bámá chyba", -"Nezn-Bámá procedura %s", -"Chybn-Bý poèet parametrù procedury %s", -"Chybn-Bé parametry procedury %s", -"Nezn-Bámá tabulka '%-.64s' v %s", -"Polo-B¾ka '%-.64s' je zadána dvakrát", -"Nespr-Bávné pou¾ití funkce group", -"Tabulka '%-.64s' pou-B¾ívá roz¹íøení, které v této verzi MySQL není", -"Tabulka mus-Bí mít alespoò jeden sloupec", -"Tabulka '%-.64s' je pln-Bá", -"Nezn-Bámá znaková sada: '%-.64s'", -"P-Bøíli¹ mnoho tabulek, MySQL jich mù¾e mít v joinu jen %d", -"P-Bøíli¹ mnoho polo¾ek", -"-BØádek je pøíli¹ velký. Maximální velikost øádku, nepoèítaje polo¾ky blob, je %d. Musíte zmìnit nìkteré polo¾ky na blob", -"P-Bøeteèení zásobníku threadu: pou¾ito %ld z %ld. Pou¾ijte 'mysqld -O thread_stack=#' k zadání vìt¹ího zásobníku", -"V OUTER JOIN byl nalezen k-Bøí¾ový odkaz. Provìøte ON podmínky", -"Sloupec '%-.32s' je pou-B¾it s UNIQUE nebo INDEX, ale není definován jako NOT NULL", -"Nemohu na-Bèíst funkci '%-.64s'", -"Nemohu inicializovat funkci '%-.64s'; %-.80s", -"Pro sd-Bílenou knihovnu nejsou povoleny cesty", -"Funkce '%-.64s' ji-B¾ existuje", -"Nemohu otev-Bøít sdílenou knihovnu '%-.64s' (errno: %d %s)", -"Nemohu naj-Bít funkci '%-.64s' v knihovnì'", -"Funkce '%-.64s' nen-Bí definována", -"Stroj '%-.64s' je zablokov-Bán kvùli mnoha chybám pøi pøipojování. Odblokujete pou¾itím 'mysqladmin flush-hosts'", -"Stroj '%-.64s' nem-Bá povoleno se k tomuto MySQL serveru pøipojit", -"Pou-B¾íváte MySQL jako anonymní u¾ivatel a anonymní u¾ivatelé nemají povoleno mìnit hesla", -"Na zm-Bìnu hesel ostatním musíte mít právo provést update tabulek v databázi mysql", -"V tabulce user nen-Bí ¾ádný odpovídající øádek", -"Nalezen-Bých øádkù: %ld Zmìnìno: %ld Varování: %ld", -"Nemohu vytvo-Bøit nový thread (errno %d). Pokud je je¹tì nìjaká volná pamì», podívejte se do manuálu na èást o chybách specifických pro jednotlivé operaèní systémy", -"Po-Bèet sloupcù neodpovídá poètu hodnot na øádku %ld", -"Nemohu znovuotev-Bøít tabulku: '%-.64s", -"Neplatn-Bé u¾ití hodnoty NULL", -"Regul-Bární výraz vrátil chybu '%-.64s'", -"Pokud nen-Bí ¾ádná GROUP BY klauzule, není dovoleno souèasné pou¾ití GROUP polo¾ek (MIN(),MAX(),COUNT()...) s ne GROUP polo¾kami", -"Neexistuje odpov-Bídající grant pro u¾ivatele '%-.32s' na stroji '%-.64s'", -"%-.16s p-Bøíkaz nepøístupný pro u¾ivatele: '%-.32s'@'%-.64s' pro tabulku '%-.64s'", -"%-.16s p-Bøíkaz nepøístupný pro u¾ivatele: '%-.32s'@'%-.64s' pro sloupec '%-.64s' v tabulce '%-.64s'", -"Neplatn-Bý pøíkaz GRANT/REVOKE. Prosím, pøeètìte si v manuálu, jaká privilegia je mo¾né pou¾ít.", -"Argument p-Bøíkazu GRANT u¾ivatel nebo stroj je pøíli¹ dlouhý", -"Tabulka '%-.64s.%s' neexistuje", -"Neexistuje odpov-Bídající grant pro u¾ivatele '%-.32s' na stroji '%-.64s' pro tabulku '%-.64s'", -"Pou-B¾itý pøíkaz není v této verzi MySQL povolen", -"Va-B¹e syntaxe je nìjaká divná", -"Zpo-B¾dìný insert threadu nebyl schopen získat po¾adovaný zámek pro tabulku %-.64s", -"P-Bøíli¹ mnoho zpo¾dìných threadù", -"Zru-B¹eno spojení %ld do databáze: '%-.64s' u¾ivatel: '%-.64s' (%s)", -"Zji-B¹tìn pøíchozí packet del¹í ne¾ 'max_allowed_packet'", -"Zji-B¹tìna chyba pøi ètení z roury spojení", -"Zji-B¹tìna chyba fcntl()", -"P-Bøíchozí packety v chybném poøadí", -"Nemohu rozkomprimovat komunika-Bèní packet", -"Zji-B¹tìna chyba pøi ètení komunikaèního packetu", -"Zji-B¹tìn timeout pøi ètení komunikaèního packetu", -"Zji-B¹tìna chyba pøi zápisu komunikaèního packetu", -"Zji-B¹tìn timeout pøi zápisu komunikaèního packetu", -"V-Býsledný øetìzec je del¹í ne¾ 'max_allowed_packet'", -"Typ pou-B¾ité tabulky nepodporuje BLOB/TEXT sloupce", -"Typ pou-B¾ité tabulky nepodporuje AUTO_INCREMENT sloupce", -"INSERT DELAYED nen-Bí mo¾no s tabulkou '%-.64s' pou¾ít, proto¾e je zamèená pomocí LOCK TABLES", -"Nespr-Bávné jméno sloupce '%-.100s'", -"Handler pou-B¾ité tabulky neumí indexovat sloupce '%-.64s'", -"V-B¹echny tabulky v MERGE tabulce nejsou definovány stejnì", -"Kv-Bùli unique constraintu nemozu zapsat do tabulky '%-.64s'", -"BLOB sloupec '%-.64s' je pou-B¾it ve specifikaci klíèe bez délky", -"V-B¹echny èásti primárního klíèe musejí být NOT NULL; pokud potøebujete NULL, pou¾ijte UNIQUE", -"V-Býsledek obsahuje více ne¾ jeden øádek", -"Tento typ tabulky vy-B¾aduje primární klíè", -"Tato verze MySQL nen-Bí zkompilována s podporou RAID", -"Update tabulky bez WHERE s kl-Bíèem není v módu bezpeèných update dovoleno", -"Kl-Bíè '%-.64s' v tabulce '%-.64s' neexistuje", -"Nemohu otev-Bøít tabulku", -"Handler tabulky nepodporuje %s", -"Proveden-Bí tohoto pøíkazu není v transakci dovoleno", -"Chyba %d p-Bøi COMMIT", -"Chyba %d p-Bøi ROLLBACK", -"Chyba %d p-Bøi FLUSH_LOGS", -"Chyba %d p-Bøi CHECKPOINT", -"Spojen-Bí %ld do databáze: '%-.64s' u¾ivatel: '%-.32s' stroj: `%-.64s' (%-.64s) bylo pøeru¹eno", -"Handler tabulky nepodporuje bin-Bární dump", -"Binlog uzav-Bøen pøi pokusu o FLUSH MASTER", -"P-Bøebudování indexu dumpnuté tabulky '%-.64s' nebylo úspì¹né", -"Chyba masteru: '%-.64s'", -"S-Bí»ová chyba pøi ètení z masteru", -"S-Bí»ová chyba pøi zápisu na master", -"-B®ádný sloupec nemá vytvoøen fulltextový index", -"Nemohu prov-Bést zadaný pøíkaz, proto¾e existují aktivní zamèené tabulky nebo aktivní transakce", -"Nezn-Bámá systémová promìnná '%-.64s'", -"Tabulka '%-.64s' je ozna-Bèena jako poru¹ená a mìla by být opravena", -"Tabulka '%-.64s' je ozna-Bèena jako poru¹ená a poslední (automatická?) oprava se nezdaøila", -"Some non-transactional changed tables couldn't be rolled back", -"Multi-statement transaction required more than 'max_binlog_cache_size' bytes of storage; increase this mysqld variable and try again", -"This operation cannot be performed with a running slave; run STOP SLAVE first", -"This operation requires a running slave; configure slave and do START SLAVE", -"The server is not configured as slave; fix in config file or with CHANGE MASTER TO", -"Could not initialize master info structure; more error messages can be found in the MySQL error log", -"Could not create slave thread; check system resources", -"User %-.64s has already more than 'max_user_connections' active connections", -"You may only use constant expressions with SET", -"Lock wait timeout exceeded; try restarting transaction", -"The total number of locks exceeds the lock table size", -"Update locks cannot be acquired during a READ UNCOMMITTED transaction", -"DROP DATABASE not allowed while thread is holding global read lock", -"CREATE DATABASE not allowed while thread is holding global read lock", -"Incorrect arguments to %s", -"'%-.32s'@'%-.64s' is not allowed to create new users", -"Incorrect table definition; all MERGE tables must be in the same database", -"Deadlock found when trying to get lock; try restarting transaction", -"The used table type doesn't support FULLTEXT indexes", -"Cannot add foreign key constraint", -"Cannot add or update a child row: a foreign key constraint fails", -"Cannot delete or update a parent row: a foreign key constraint fails", -"Error connecting to master: %-.128s", -"Error running query on master: %-.128s", -"Error when executing command %s: %-.128s", -"Incorrect usage of %s and %s", -"The used SELECT statements have a different number of columns", -"Can't execute the query because you have a conflicting read lock", -"Mixing of transactional and non-transactional tables is disabled", -"Option '%s' used twice in statement", -"User '%-.64s' has exceeded the '%s' resource (current value: %ld)", -"Access denied; you need the %-.128s privilege for this operation", -"Variable '%-.64s' is a SESSION variable and can't be used with SET GLOBAL", -"Variable '%-.64s' is a GLOBAL variable and should be set with SET GLOBAL", -"Variable '%-.64s' doesn't have a default value", -"Variable '%-.64s' can't be set to the value of '%-.64s'", -"Incorrect argument type to variable '%-.64s'", -"Variable '%-.64s' can only be set, not read", -"Incorrect usage/placement of '%s'", -"This version of MySQL doesn't yet support '%s'", -"Got fatal error %d: '%-.128s' from master when reading data from binary log", -"Slave SQL thread ignored the query because of replicate-*-table rules", -"Variable '%-.64s' is a %s variable", -"Incorrect foreign key definition for '%-.64s': %s", -"Key reference and table reference don't match", -"Operand should contain %d column(s)", -"Subquery returns more than 1 row", -"Unknown prepared statement handler (%.*s) given to %s", -"Help database is corrupt or does not exist", -"Cyclic reference on subqueries", -"Converting column '%s' from %s to %s", -"Reference '%-.64s' not supported (%s)", -"Every derived table must have its own alias", -"Select %u was reduced during optimization", -"Table '%-.64s' from one of the SELECTs cannot be used in %-.32s", -"Client does not support authentication protocol requested by server; consider upgrading MySQL client", -"All parts of a SPATIAL index must be NOT NULL", -"COLLATION '%s' is not valid for CHARACTER SET '%s'", -"Slave is already running", -"Slave has already been stopped", -"Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)", -"ZLIB: Not enough memory", -"ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)", -"ZLIB: Input data corrupted", -"%d line(s) were cut by GROUP_CONCAT()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; it contained more data than there were input columns", -"Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld", -"Out of range value adjusted for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Using storage engine %s for table '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"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", -"Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format", -"Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d", -"Incorrect parameter or combination of parameters for START SLAVE UNTIL", -"It is recommended to use --skip-slave-start when doing step-by-step replication with START SLAVE UNTIL; otherwise, you will get problems if you get an unexpected slave's mysqld restart", -"SQL thread is not to be started so UNTIL options are ignored", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"Query cache failed to set size %lu; new query cache size is %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode; you must restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated; use '%s' instead", -"The target table %-.100s of the %s is not updatable", -"The '%s' feature is disabled; you need MySQL built with '%s' to have it working", -"The MySQL server is running with the %s option so it cannot execute this statement", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated incorrect %-.32s value: '%-.128s'" -"Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' column", -"This command is not supported in the prepared statement protocol yet", -"Got error %d '%-.100s' from %s", -"Got temporary error %d '%-.100s' from %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/danish/errmsg.txt b/sql/share/danish/errmsg.txt deleted file mode 100644 index 3664e5ba0ef..00000000000 --- a/sql/share/danish/errmsg.txt +++ /dev/null @@ -1,418 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -/* Knud Riishøjgård knudriis@post.tele.dk 99 && - Carsten H. Pedersen, carsten.pedersen@bitbybit.dk oct. 1999 / aug. 2001. */ - -character-set=latin1 - -"hashchk", -"isamchk", -"NEJ", -"JA", -"Kan ikke oprette filen '%-.64s' (Fejlkode: %d)", -"Kan ikke oprette tabellen '%-.64s' (Fejlkode: %d)", -"Kan ikke oprette databasen '%-.64s' (Fejlkode: %d)", -"Kan ikke oprette databasen '%-.64s'; databasen eksisterer", -"Kan ikke slette (droppe) '%-.64s'; databasen eksisterer ikke", -"Fejl ved sletning (drop) af databasen (kan ikke slette '%-.64s', Fejlkode %d)", -"Fejl ved sletting af database (kan ikke slette folderen '%-.64s', Fejlkode %d)", -"Fejl ved sletning af '%-.64s' (Fejlkode: %d)", -"Kan ikke læse posten i systemfolderen", -"Kan ikke læse status af '%-.64s' (Fejlkode: %d)", -"Kan ikke læse aktive folder (Fejlkode: %d)", -"Kan ikke låse fil (Fejlkode: %d)", -"Kan ikke åbne fil: '%-.64s' (Fejlkode: %d)", -"Kan ikke finde fila: '%-.64s' (Fejlkode: %d)", -"Kan ikke læse folder '%-.64s' (Fejlkode: %d)", -"Kan ikke skifte folder til '%-.64s' (Fejlkode: %d)", -"Posten er ændret siden sidste læsning '%-.64s'", -"Ikke mere diskplads (%s). Venter på at få frigjort plads...", -"Kan ikke skrive, flere ens nøgler i tabellen '%-.64s'", -"Fejl ved lukning af '%-.64s' (Fejlkode: %d)", -"Fejl ved læsning af '%-.64s' (Fejlkode: %d)", -"Fejl ved omdøbning af '%-.64s' til '%-.64s' (Fejlkode: %d)", -"Fejl ved skriving av filen '%-.64s' (Fejlkode: %d)", -"'%-.64s' er låst mod opdateringer", -"Sortering afbrudt", -"View '%-.64s' eksisterer ikke for '%-.64s'", -"Modtog fejl %d fra tabel håndteringen", -"Denne mulighed eksisterer ikke for tabeltypen '%-.64s'", -"Kan ikke finde posten i '%-.64s'", -"Forkert indhold i: '%-.64s'", -"Fejl i indeksfilen til tabellen '%-.64s'; prøv at reparere den", -"Gammel indeksfil for tabellen '%-.64s'; reparer den", -"'%-.64s' er skrivebeskyttet", -"Ikke mere hukommelse. Genstart serveren og prøv igen (mangler %d bytes)", -"Ikke mere sorteringshukommelse. Øg sorteringshukommelse (sort buffer size) for serveren", -"Uventet afslutning på fil (eof) ved læsning af filen '%-.64s' (Fejlkode: %d)", -"For mange forbindelser (connections)", -"Udgået for tråde/hukommelse", -"Kan ikke få værtsnavn for din adresse", -"Forkert håndtryk (handshake)", -"Adgang nægtet bruger: '%-.32s'@'%-.64s' til databasen '%-.64s'", -"Adgang nægtet bruger: '%-.32s'@'%-.64s' (Bruger adgangskode: %s)", -"Ingen database valgt", -"Ukendt kommando", -"Kolonne '%-.64s' kan ikke være NULL", -"Ukendt database '%-.64s'", -"Tabellen '%-.64s' findes allerede", -"Ukendt tabel '%-.64s'", -"Felt: '%-.64s' i tabel %s er ikke entydigt", -"Database nedlukning er i gang", -"Ukendt kolonne '%-.64s' i tabel %s", -"Brugte '%-.64s' som ikke var i group by", -"Kan ikke gruppere på '%-.64s'", -"Udtrykket har summer (sum) funktioner og kolonner i samme udtryk", -"Kolonne tæller stemmer ikke med antallet af værdier", -"Navnet '%-.64s' er for langt", -"Feltnavnet '%-.64s' findes allerede", -"Indeksnavnet '%-.64s' findes allerede", -"Ens værdier '%-.64s' for indeks %d", -"Forkert kolonnespecifikaton for felt '%-.64s'", -"%s nær '%-.64s' på linje %d", -"Forespørgsel var tom", -"Tabellen/aliaset: '%-.64s' er ikke unikt", -"Ugyldig standardværdi for '%-.64s'", -"Flere primærnøgler specificeret", -"For mange nøgler specificeret. Kun %d nøgler må bruges", -"For mange nøgledele specificeret. Kun %d dele må bruges", -"Specificeret nøgle var for lang. Maksimal nøglelængde er %d", -"Nøglefeltet '%-.64s' eksisterer ikke i tabellen", -"BLOB feltet '%-.64s' kan ikke bruges ved specifikation af indeks", -"For stor feltlængde for kolonne '%-.64s' (maks = %d). Brug BLOB i stedet", -"Der kan kun specificeres eet AUTO_INCREMENT-felt, og det skal være indekseret", -"%s: klar til tilslutninger", -"%s: Normal nedlukning\n", -"%s: Fangede signal %d. Afslutter!!\n", -"%s: Server lukket\n", -"%s: Forceret nedlukning af tråd: %ld bruger: '%-.64s'\n", -"Kan ikke oprette IP socket", -"Tabellen '%-.64s' har ikke den nøgle, som blev brugt i CREATE INDEX. Genopret tabellen", -"Felt adskiller er ikke som forventet, se dokumentationen", -"Man kan ikke bruge faste feltlængder med BLOB. Brug i stedet 'fields terminated by'.", -"Filen '%-.64s' skal være i database-folderen og kunne læses af alle", -"Filen '%-.64s' eksisterer allerede", -"Poster: %ld Fjernet: %ld Sprunget over: %ld Advarsler: %ld", -"Poster: %ld Ens: %ld", -"Forkert indeksdel. Den anvendte nøgledel er ikke en streng eller længden er større end nøglelængden", -"Man kan ikke slette alle felter med ALTER TABLE. Brug DROP TABLE i stedet.", -"Kan ikke udføre DROP '%-.64s'. Undersøg om feltet/nøglen eksisterer.", -"Poster: %ld Ens: %ld Advarsler: %ld", -"You can't specify target table '%-.64s' for update in FROM clause", -"Ukendt tråd id: %lu", -"Du er ikke ejer af tråden %lu", -"Ingen tabeller i brug", -"For mange tekststrenge til specifikationen af SET i kolonne %-.64s", -"Kan ikke lave unikt log-filnavn %s.(1-999)\n", -"Tabellen '%-.64s' var låst med READ lås og kan ikke opdateres", -"Tabellen '%-.64s' var ikke låst med LOCK TABLES", -"BLOB feltet '%-.64s' kan ikke have en standard værdi", -"Ugyldigt database navn '%-.64s'", -"Ugyldigt tabel navn '%-.64s'", -"SELECT ville undersøge for mange poster og ville sandsynligvis tage meget lang tid. Undersøg WHERE delen og brug SET SQL_BIG_SELECTS=1 hvis udtrykket er korrekt", -"Ukendt fejl", -"Ukendt procedure %s", -"Forkert antal parametre til proceduren %s", -"Forkert(e) parametre til proceduren %s", -"Ukendt tabel '%-.64s' i %s", -"Feltet '%-.64s' er anvendt to gange", -"Forkert brug af grupperings-funktion", -"Tabellen '%-.64s' bruger et filtypenavn som ikke findes i denne MySQL version", -"En tabel skal have mindst een kolonne", -"Tabellen '%-.64s' er fuld", -"Ukendt tegnsæt: '%-.64s'", -"For mange tabeller. MySQL kan kun bruge %d tabeller i et join", -"For mange felter", -"For store poster. Max post størrelse, uden BLOB's, er %d. Du må lave nogle felter til BLOB's", -"Thread stack brugt: Brugt: %ld af en %ld stak. Brug 'mysqld -O thread_stack=#' for at allokere en større stak om nødvendigt", -"Krydsreferencer fundet i OUTER JOIN; check dine ON conditions", -"Kolonne '%-.32s' bruges som UNIQUE eller INDEX men er ikke defineret som NOT NULL", -"Kan ikke læse funktionen '%-.64s'", -"Kan ikke starte funktionen '%-.64s'; %-.80s", -"Angivelse af sti ikke tilladt for delt bibliotek", -"Funktionen '%-.64s' findes allerede", -"Kan ikke åbne delt bibliotek '%-.64s' (errno: %d %s)", -"Kan ikke finde funktionen '%-.64s' i bibliotek'", -"Funktionen '%-.64s' er ikke defineret", -"Værten er blokeret på grund af mange fejlforespørgsler. Lås op med 'mysqladmin flush-hosts'", -"Værten '%-.64s' kan ikke tilkoble denne MySQL-server", -"Du bruger MySQL som anonym bruger. Anonyme brugere må ikke ændre adgangskoder", -"Du skal have tilladelse til at opdatere tabeller i MySQL databasen for at ændre andres adgangskoder", -"Kan ikke finde nogen tilsvarende poster i bruger tabellen", -"Poster fundet: %ld Ændret: %ld Advarsler: %ld", -"Kan ikke danne en ny tråd (fejl nr. %d). Hvis computeren ikke er løbet tør for hukommelse, kan du se i brugervejledningen for en mulig operativ-system - afhængig fejl", -"Kolonne antallet stemmer ikke overens med antallet af værdier i post %ld", -"Kan ikke genåbne tabel '%-.64s", -"Forkert brug af nulværdi (NULL)", -"Fik fejl '%-.64s' fra regexp", -"Sammenblanding af GROUP kolonner (MIN(),MAX(),COUNT()...) uden GROUP kolonner er ikke tilladt, hvis der ikke er noget GROUP BY prædikat", -"Denne tilladelse findes ikke for brugeren '%-.32s' på vært '%-.64s'", -"%-.16s-kommandoen er ikke tilladt for brugeren '%-.32s'@'%-.64s' for tabellen '%-.64s'", -"%-.16s-kommandoen er ikke tilladt for brugeren '%-.32s'@'%-.64s' for kolonne '%-.64s' in tabellen '%-.64s'", -"Forkert GRANT/REVOKE kommando. Se i brugervejledningen hvilke privilegier der kan specificeres.", -"Værts- eller brugernavn for langt til GRANT", -"Tabellen '%-.64s.%-.64s' eksisterer ikke", -"Denne tilladelse eksisterer ikke for brugeren '%-.32s' på vært '%-.64s' for tabellen '%-.64s'", -"Den brugte kommando er ikke tilladt med denne udgave af MySQL", -"Der er en fejl i SQL syntaksen", -"Forsinket indsættelse tråden (delayed insert thread) kunne ikke opnå lås på tabellen %-.64s", -"For mange slettede tråde (threads) i brug", -"Afbrudt forbindelse %ld til database: '%-.64s' bruger: '%-.64s' (%-.64s)", -"Modtog en datapakke som var større end 'max_allowed_packet'", -"Fik læsefejl fra forbindelse (connection pipe)", -"Fik fejlmeddelelse fra fcntl()", -"Modtog ikke datapakker i korrekt rækkefølge", -"Kunne ikke dekomprimere kommunikations-pakke (communication packet)", -"Fik fejlmeddelelse ved læsning af kommunikations-pakker (communication packets)", -"Timeout-fejl ved læsning af kommunukations-pakker (communication packets)", -"Fik fejlmeddelelse ved skrivning af kommunukations-pakker (communication packets)", -"Timeout-fejl ved skrivning af kommunukations-pakker (communication packets)", -"Strengen med resultater er større end 'max_allowed_packet'", -"Denne tabeltype understøtter ikke brug af BLOB og TEXT kolonner", -"Denne tabeltype understøtter ikke brug af AUTO_INCREMENT kolonner", -"INSERT DELAYED kan ikke bruges med tabellen '%-.64s', fordi tabellen er låst med LOCK TABLES", -"Forkert kolonnenavn '%-.100s'", -"Den brugte tabeltype kan ikke indeksere kolonnen '%-.64s'", -"Tabellerne i MERGE er ikke defineret ens", -"Kan ikke skrive til tabellen '%-.64s' fordi det vil bryde CONSTRAINT regler", -"BLOB kolonnen '%-.64s' brugt i nøglespecifikation uden nøglelængde", -"Alle dele af en PRIMARY KEY skal være NOT NULL; Hvis du skal bruge NULL i nøglen, brug UNIQUE istedet", -"Resultatet bestod af mere end een række", -"Denne tabeltype kræver en primærnøgle", -"Denne udgave af MySQL er ikke oversat med understøttelse af RAID", -"Du bruger sikker opdaterings modus ('safe update mode') og du forsøgte at opdatere en tabel uden en WHERE klausul, der gør brug af et KEY felt", -"Nøglen '%-.64s' eksisterer ikke i tabellen '%-.64s'", -"Kan ikke åbne tabellen", -"Denne tabeltype understøtter ikke %s", -"Du må ikke bruge denne kommando i en transaktion", -"Modtog fejl %d mens kommandoen COMMIT blev udført", -"Modtog fejl %d mens kommandoen ROLLBACK blev udført", -"Modtog fejl %d mens kommandoen FLUSH_LOGS blev udført", -"Modtog fejl %d mens kommandoen CHECKPOINT blev udført", -"Afbrød forbindelsen %ld til databasen '%-.64s' bruger: '%-.32s' vært: `%-.64s' (%-.64s)", -"Denne tabeltype unserstøtter ikke binært tabeldump", -"Binlog blev lukket mens kommandoen FLUSH MASTER blev udført", -"Kunne ikke genopbygge indekset for den dumpede tabel '%-.64s'", -"Fejl fra master: '%-.64s'", -"Netværksfejl ved læsning fra master", -"Netværksfejl ved skrivning til master", -"Kan ikke finde en FULLTEXT nøgle som svarer til kolonne listen", -"Kan ikke udføre den givne kommando fordi der findes aktive, låste tabeller eller fordi der udføres en transaktion", -"Ukendt systemvariabel '%-.64s'", -"Tabellen '%-.64s' er markeret med fejl og bør repareres", -"Tabellen '%-.64s' er markeret med fejl og sidste (automatiske?) REPAIR fejlede", -"Advarsel: Visse data i tabeller der ikke understøtter transaktioner kunne ikke tilbagestilles", -"Fler-udtryks transaktion krævede mere plads en 'max_binlog_cache_size' bytes. Forhøj værdien af denne variabel og prøv igen", -"Denne handling kunne ikke udføres med kørende slave, brug først kommandoen STOP SLAVE", -"Denne handling kræver en kørende slave. Konfigurer en slave og brug kommandoen START SLAVE", -"Denne server er ikke konfigureret som slave. Ret in config-filen eller brug kommandoen CHANGE MASTER TO", -"Could not initialize master info structure, more error messages can be found in the MySQL error log", -"Kunne ikke danne en slave-tråd; check systemressourcerne", -"Brugeren %-.64s har allerede mere end 'max_user_connections' aktive forbindelser", -"Du må kun bruge konstantudtryk med SET", -"Lock wait timeout overskredet", -"Det totale antal låse overstiger størrelsen på låse-tabellen", -"Update lås kan ikke opnås under en READ UNCOMMITTED transaktion", -"DROP DATABASE er ikke tilladt mens en tråd holder på globalt read lock", -"CREATE DATABASE er ikke tilladt mens en tråd holder på globalt read lock", -"Incorrect arguments to %s", -"'%-.32s'@'%-.64s' is not allowed to create new users", -"Incorrect table definition; all MERGE tables must be in the same database", -"Deadlock found when trying to get lock; try restarting transaction", -"The used table type doesn't support FULLTEXT indexes", -"Cannot add foreign key constraint", -"Cannot add a child row: a foreign key constraint fails", -"Cannot delete a parent row: a foreign key constraint fails", -"Error connecting to master: %-.128s", -"Error running query on master: %-.128s", -"Error when executing command %s: %-.128s", -"Incorrect usage of %s and %s", -"The used SELECT statements have a different number of columns", -"Can't execute the query because you have a conflicting read lock", -"Mixing of transactional and non-transactional tables is disabled", -"Option '%s' used twice in statement", -"User '%-.64s' has exceeded the '%s' resource (current value: %ld)", -"Access denied; you need the %-.128s privilege for this operation", -"Variable '%-.64s' is a SESSION variable and can't be used with SET GLOBAL", -"Variable '%-.64s' is a GLOBAL variable and should be set with SET GLOBAL", -"Variable '%-.64s' doesn't have a default value", -"Variable '%-.64s' can't be set to the value of '%-.64s'", -"Incorrect argument type to variable '%-.64s'", -"Variable '%-.64s' can only be set, not read", -"Incorrect usage/placement of '%s'", -"This version of MySQL doesn't yet support '%s'", -"Got fatal error %d: '%-.128s' from master when reading data from binary log", -"Slave SQL thread ignored the query because of replicate-*-table rules", -"Variable '%-.64s' is a %s variable", -"Incorrect foreign key definition for '%-.64s': %s", -"Key reference and table reference don't match", -"Operand should contain %d column(s)", -"Subquery returns more than 1 row", -"Unknown prepared statement handler (%ld) given to %s", -"Help database is corrupt or does not exist", -"Cyclic reference on subqueries", -"Converting column '%s' from %s to %s", -"Reference '%-.64s' not supported (%s)", -"Every derived table must have its own alias", -"Select %u was reduced during optimization", -"Table '%-.64s' from one of the SELECTs cannot be used in %-.32s", -"Client does not support authentication protocol requested by server; consider upgrading MySQL client", -"All parts of a SPATIAL index must be NOT NULL", -"COLLATION '%s' is not valid for CHARACTER SET '%s'", -"Slave is already running", -"Slave has already been stopped", -"Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)", -"ZLIB: Not enough memory", -"ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)", -"ZLIB: Input data corrupted", -"%d line(s) were cut by GROUP_CONCAT()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; it contained more data than there were input columns", -"Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld", -"Out of range value adjusted for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Using storage engine %s for table '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"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", -"Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format", -"Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d", -"Incorrect parameter or combination of parameters for START SLAVE UNTIL", -"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", -"SQL thread is not to be started so UNTIL options are ignored", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"Query cache failed to set size %lu, new query cache size is %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated, use '%s' instead", -"The target table %-.100s of the %s is not updateable", -"The '%s' feature was disabled; you need MySQL built with '%s' to have it working", -"The MySQL server is running with the %s option so it cannot execute this statement", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated wrong %-.32s value: '%-.128s'" -"Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' column", -"This command is not supported in the prepared statement protocol yet", -"Modtog fejl %d '%-.100s' fra %s", -"Modtog temporary fejl %d '%-.100s' fra %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/dutch/errmsg.txt b/sql/share/dutch/errmsg.txt deleted file mode 100644 index cd71ddc3588..00000000000 --- a/sql/share/dutch/errmsg.txt +++ /dev/null @@ -1,427 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -/* - Dutch error messages (share/dutch/errmsg.txt) - 2001-08-02 - Arjen Lentz (agl@bitbike.com) - Completed earlier partial translation; worked on consistency and spelling. - 2002-01-29 - Arjen Lentz (arjen@mysql.com) - 2002-04-11 - Arjen Lentz (arjen@mysql.com) - 2002-06-13 - Arjen Lentz (arjen@mysql.com) - 2002-08-08 - Arjen Lentz (arjen@mysql.com) - 2002-08-22 - Arjen Lentz (arjen@mysql.com) - Translated new error messages. -*/ - -character-set=latin1 - -"hashchk", -"isamchk", -"NEE", -"JA", -"Kan file '%-.64s' niet aanmaken (Errcode: %d)", -"Kan tabel '%-.64s' niet aanmaken (Errcode: %d)", -"Kan database '%-.64s' niet aanmaken (Errcode: %d)", -"Kan database '%-.64s' niet aanmaken; database bestaat reeds", -"Kan database '%-.64s' niet verwijderen; database bestaat niet", -"Fout bij verwijderen database (kan '%-.64s' niet verwijderen, Errcode: %d)", -"Fout bij verwijderen database (kan rmdir '%-.64s' niet uitvoeren, Errcode: %d)", -"Fout bij het verwijderen van '%-.64s' (Errcode: %d)", -"Kan record niet lezen in de systeem tabel", -"Kan de status niet krijgen van '%-.64s' (Errcode: %d)", -"Kan de werkdirectory niet krijgen (Errcode: %d)", -"Kan de file niet blokeren (Errcode: %d)", -"Kan de file '%-.64s' niet openen (Errcode: %d)", -"Kan de file: '%-.64s' niet vinden (Errcode: %d)", -"Kan de directory niet lezen van '%-.64s' (Errcode: %d)", -"Kan de directory niet veranderen naar '%-.64s' (Errcode: %d)", -"Record is veranderd sinds de laatste lees activiteit in de tabel '%-.64s'", -"Schijf vol (%s). Aan het wachten totdat er ruimte vrij wordt gemaakt...", -"Kan niet schrijven, dubbele zoeksleutel in tabel '%-.64s'", -"Fout bij het sluiten van '%-.64s' (Errcode: %d)", -"Fout bij het lezen van file '%-.64s' (Errcode: %d)", -"Fout bij het hernoemen van '%-.64s' naar '%-.64s' (Errcode: %d)", -"Fout bij het wegschrijven van file '%-.64s' (Errcode: %d)", -"'%-.64s' is geblokeerd tegen veranderingen", -"Sorteren afgebroken", -"View '%-.64s' bestaat niet voor '%-.64s'", -"Fout %d van tabel handler", -"Tabel handler voor '%-.64s' heeft deze optie niet", -"Kan record niet vinden in '%-.64s'", -"Verkeerde info in file: '%-.64s'", -"Verkeerde zoeksleutel file voor tabel: '%-.64s'; probeer het te repareren", -"Oude zoeksleutel file voor tabel '%-.64s'; repareer het!", -"'%-.64s' is alleen leesbaar", -"Geen geheugen meer. Herstart server en probeer opnieuw (%d bytes nodig)", -"Geen geheugen om te sorteren. Verhoog de server sort buffer size", -"Onverwachte eof gevonden tijdens het lezen van file '%-.64s' (Errcode: %d)", -"Te veel verbindingen", -"Geen thread geheugen meer; controleer of mysqld of andere processen al het beschikbare geheugen gebruikt. Zo niet, dan moet u wellicht 'ulimit' gebruiken om mysqld toe te laten meer geheugen te benutten, of u kunt extra swap ruimte toevoegen", -"Kan de hostname niet krijgen van uw adres", -"Verkeerde handshake", -"Toegang geweigerd voor gebruiker: '%-.32s'@'%-.64s' naar database '%-.64s'", -"Toegang geweigerd voor gebruiker: '%-.32s'@'%-.64s' (Wachtwoord gebruikt: %s)", -"Geen database geselecteerd", -"Onbekend commando", -"Kolom '%-.64s' kan niet null zijn", -"Onbekende database '%-.64s'", -"Tabel '%-.64s' bestaat al", -"Onbekende tabel '%-.64s'", -"Kolom: '%-.64s' in %s is niet eenduidig", -"Bezig met het stoppen van de server", -"Onbekende kolom '%-.64s' in %s", -"Opdracht gebruikt '%-.64s' dat niet in de GROUP BY voorkomt", -"Kan '%-.64s' niet groeperen", -"Opdracht heeft totaliseer functies en kolommen in dezelfde opdracht", -"Het aantal kolommen komt niet overeen met het aantal opgegeven waardes", -"Naam voor herkenning '%-.64s' is te lang", -"Dubbele kolom naam '%-.64s'", -"Dubbele zoeksleutel naam '%-.64s'", -"Dubbele ingang '%-.64s' voor zoeksleutel %d", -"Verkeerde kolom specificatie voor kolom '%-.64s'", -"%s bij '%-.64s' in regel %d", -"Query was leeg", -"Niet unieke waarde tabel/alias: '%-.64s'", -"Foutieve standaard waarde voor '%-.64s'", -"Meerdere primaire zoeksleutels gedefinieerd", -"Teveel zoeksleutels gedefinieerd. Maximaal zijn %d zoeksleutels toegestaan", -"Teveel zoeksleutel onderdelen gespecificeerd. Maximaal %d onderdelen toegestaan", -"Gespecificeerde zoeksleutel was te lang. De maximale lengte is %d", -"Zoeksleutel kolom '%-.64s' bestaat niet in tabel", -"BLOB kolom '%-.64s' kan niet gebruikt worden bij zoeksleutel specificatie", -"Te grote kolomlengte voor '%-.64s' (max = %d). Maak hiervoor gebruik van het type BLOB", -"Er kan slechts 1 autofield zijn en deze moet als zoeksleutel worden gedefinieerd.", -"%s: klaar voor verbindingen", -"%s: Normaal afgesloten \n", -"%s: Signaal %d. Systeem breekt af!\n", -"%s: Afsluiten afgerond\n", -"%s: Afsluiten afgedwongen van thread %ld gebruiker: '%-.64s'\n", -"Kan IP-socket niet openen", -"Tabel '%-.64s' heeft geen INDEX zoals deze gemaakt worden met CREATE INDEX. Maak de tabel opnieuw", -"De argumenten om velden te scheiden zijn anders dan verwacht. Raadpleeg de handleiding", -"Bij het gebruik van BLOBs is het niet mogelijk om vaste rijlengte te gebruiken. Maak s.v.p. gebruik van 'fields terminated by'.", -"Het bestand '%-.64s' dient in de database directory voor the komen of leesbaar voor iedereen te zijn.", -"Het bestand '%-.64s' bestaat reeds", -"Records: %ld Verwijderd: %ld Overgeslagen: %ld Waarschuwingen: %ld", -"Records: %ld Dubbel: %ld", -"Foutief sub-gedeelte van de zoeksleutel. De gebruikte zoeksleutel is geen onderdeel van een string of of de gebruikte lengte is langer dan de zoeksleutel", -"Het is niet mogelijk alle velden te verwijderen met ALTER TABLE. Gebruik a.u.b. DROP TABLE hiervoor!", -"Kan '%-.64s' niet weggooien. Controleer of het veld of de zoeksleutel daadwerkelijk bestaat.", -"Records: %ld Dubbel: %ld Waarschuwing: %ld", -"You can't specify target table '%-.64s' for update in FROM clause", -"Onbekend thread id: %lu", -"U bent geen bezitter van thread %lu", -"Geen tabellen gebruikt.", -"Teveel strings voor kolom %s en SET", -"Het is niet mogelijk een unieke naam te maken voor de logfile %s.(1-999)\n", -"Tabel '%-.64s' was gelocked met een lock om te lezen. Derhalve kunnen geen wijzigingen worden opgeslagen.", -"Tabel '%-.64s' was niet gelocked met LOCK TABLES", -"Blob veld '%-.64s' can geen standaardwaarde bevatten", -"Databasenaam '%-.64s' is niet getoegestaan", -"Niet toegestane tabelnaam '%-.64s'", -"Het SELECT-statement zou te veel records analyseren en dus veel tijd in beslagnemen. Kijk het WHERE-gedeelte van de query na en kies SET SQL_BIG_SELECTS=1 als het stament in orde is.", -"Onbekende Fout", -"Onbekende procedure %s", -"Foutief aantal parameters doorgegeven aan procedure %s", -"Foutieve parameters voor procedure %s", -"Onbekende tabel '%-.64s' in %s", -"Veld '%-.64s' is dubbel gespecificeerd", -"Ongeldig gebruik van GROUP-functie", -"Tabel '%-.64s' gebruikt een extensie, die niet in deze MySQL-versie voorkomt.", -"Een tabel moet minstens 1 kolom bevatten", -"De tabel '%-.64s' is vol", -"Onbekende character set: '%-.64s'", -"Teveel tabellen. MySQL kan slechts %d tabellen in een join bevatten", -"Te veel velden", -"Rij-grootte is groter dan toegestaan. Maximale rij grootte, blobs niet meegeteld, is %d. U dient sommige velden in blobs te veranderen.", -"Thread stapel overrun: Gebruikte: %ld van een %ld stack. Gebruik 'mysqld -O thread_stack=#' om een grotere stapel te definieren (indien noodzakelijk).", -"Gekruiste afhankelijkheid gevonden in OUTER JOIN. Controleer uw ON-conditions", -"Kolom '%-.64s' wordt gebruikt met UNIQUE of INDEX maar is niet gedefinieerd als NOT NULL", -"Kan functie '%-.64s' niet laden", -"Kan functie '%-.64s' niet initialiseren; %-.80s", -"Geen pad toegestaan voor shared library", -"Functie '%-.64s' bestaat reeds", -"Kan shared library '%-.64s' niet openen (Errcode: %d %s)", -"Kan functie '%-.64s' niet in library vinden", -"Functie '%-.64s' is niet gedefinieerd", -"Host '%-.64s' is geblokkeeerd vanwege te veel verbindings fouten. Deblokkeer met 'mysqladmin flush-hosts'", -"Het is host '%-.64s' is niet toegestaan verbinding te maken met deze MySQL server", -"U gebruikt MySQL als anonieme gebruiker en deze mogen geen wachtwoorden wijzigen", -"U moet tabel update priveleges hebben in de mysql database om wachtwoorden voor anderen te mogen wijzigen", -"Kan geen enkele passende rij vinden in de gebruikers tabel", -"Passende rijen: %ld Gewijzigd: %ld Waarschuwingen: %ld", -"Kan geen nieuwe thread aanmaken (Errcode: %d). Indien er geen tekort aan geheugen is kunt u de handleiding consulteren over een mogelijke OS afhankelijke fout", -"Kolom aantal komt niet overeen met waarde aantal in rij %ld", -"Kan tabel niet opnieuw openen: '%-.64s", -"Foutief gebruik van de NULL waarde", -"Fout '%-.64s' ontvangen van regexp", -"Het mixen van GROUP kolommen (MIN(),MAX(),COUNT()...) met no-GROUP kolommen is foutief indien er geen GROUP BY clausule is", -"Deze toegang (GRANT) is niet toegekend voor gebruiker '%-.32s' op host '%-.64s'", -"%-.16s commando geweigerd voor gebruiker: '%-.32s'@'%-.64s' voor tabel '%-.64s'", -"%-.16s commando geweigerd voor gebruiker: '%-.32s'@'%-.64s' voor kolom '%-.64s' in tabel '%-.64s'", -"Foutief GRANT/REVOKE commando. Raadpleeg de handleiding welke priveleges gebruikt kunnen worden.", -"De host of gebruiker parameter voor GRANT is te lang", -"Tabel '%-.64s.%s' bestaat niet", -"Deze toegang (GRANT) is niet toegekend voor gebruiker '%-.32s' op host '%-.64s' op tabel '%-.64s'", -"Het used commando is niet toegestaan in deze MySQL versie", -"Er is iets fout in de gebruikte syntax", -"'Delayed insert' thread kon de aangevraagde 'lock' niet krijgen voor tabel %-.64s", -"Te veel 'delayed' threads in gebruik", -"Afgebroken verbinding %ld naar db: '%-.64s' gebruiker: '%-.64s' (%s)", -"Groter pakket ontvangen dan 'max_allowed_packet'", -"Kreeg leesfout van de verbindings pipe", -"Kreeg fout van fcntl()", -"Pakketten in verkeerde volgorde ontvangen", -"Communicatiepakket kon niet worden gedecomprimeerd", -"Fout bij het lezen van communicatiepakketten", -"Timeout bij het lezen van communicatiepakketten", -"Fout bij het schrijven van communicatiepakketten", -"Timeout bij het schrijven van communicatiepakketten", -"Resultaat string is langer dan 'max_allowed_packet'", -"Het gebruikte tabel type ondersteunt geen BLOB/TEXT kolommen", -"Het gebruikte tabel type ondersteunt geen AUTO_INCREMENT kolommen", -"INSERT DELAYED kan niet worden gebruikt bij table '%-.64s', vanwege een 'lock met LOCK TABLES", -"Incorrecte kolom naam '%-.100s'", -"De gebruikte tabel 'handler' kan kolom '%-.64s' niet indexeren", -"Niet alle tabellen in de MERGE tabel hebben identieke gedefinities", -"Kan niet opslaan naar table '%-.64s' vanwege 'unique' beperking", -"BLOB kolom '%-.64s' gebruikt in zoeksleutel specificatie zonder zoeksleutel lengte", -"Alle delen van een PRIMARY KEY moeten NOT NULL zijn; Indien u NULL in een zoeksleutel nodig heeft kunt u UNIQUE gebruiken", -"Resultaat bevatte meer dan een rij", -"Dit tabel type heeft een primaire zoeksleutel nodig", -"Deze versie van MySQL is niet gecompileerd met RAID ondersteuning", -"U gebruikt 'safe update mode' en u probeerde een tabel te updaten zonder een WHERE met een KEY kolom", -"Zoeksleutel '%-.64s' bestaat niet in tabel '%-.64s'", -"Kan tabel niet openen", -"De 'handler' voor de tabel ondersteund geen %s", -"Het is u niet toegestaan dit commando uit te voeren binnen een transactie", -"Kreeg fout %d tijdens COMMIT", -"Kreeg fout %d tijdens ROLLBACK", -"Kreeg fout %d tijdens FLUSH_LOGS", -"Kreeg fout %d tijdens CHECKPOINT", -"Afgebroken verbinding %ld naar db: '%-.64s' gebruiker: '%-.32s' host: `%-.64s' (%-.64s)", -"De 'handler' voor de tabel ondersteund geen binaire tabel dump", -"Binlog gesloten tijdens FLUSH MASTER poging", -"Gefaald tijdens heropbouw index van gedumpte tabel '%-.64s'", -"Fout van master: '%-.64s'", -"Net fout tijdens lezen van master", -"Net fout tijdens schrijven naar master", -"Kan geen FULLTEXT index vinden passend bij de kolom lijst", -"Kan het gegeven commando niet uitvoeren, want u heeft actieve gelockte tabellen of een actieve transactie", -"Onbekende systeem variabele '%-.64s'", -"Tabel '%-.64s' staat als gecrashed gemarkeerd en dient te worden gerepareerd", -"Tabel '%-.64s' staat als gecrashed gemarkeerd en de laatste (automatische?) reparatie poging mislukte", -"Waarschuwing: Roll back mislukt voor sommige buiten transacties gewijzigde tabellen", -"Multi-statement transactie vereist meer dan 'max_binlog_cache_size' bytes opslag. Verhoog deze mysqld variabele en probeer opnieuw", -"Deze operatie kan niet worden uitgevoerd met een actieve slave, doe eerst STOP SLAVE", -"Deze operatie vereist een actieve slave, configureer slave en doe dan START SLAVE", -"De server is niet geconfigureerd als slave, fix in configuratie bestand of met CHANGE MASTER TO", -"Could not initialize master info structure, more error messages can be found in the MySQL error log", -"Kon slave thread niet aanmaken, controleer systeem resources", -"Gebruiker %-.64s heeft reeds meer dan 'max_user_connections' actieve verbindingen", -"U mag alleen constante expressies gebruiken bij SET", -"Lock wacht tijd overschreden", -"Het totale aantal locks overschrijdt de lock tabel grootte", -"Update locks kunnen niet worden verkregen tijdens een READ UNCOMMITTED transactie", -"DROP DATABASE niet toegestaan terwijl thread een globale 'read lock' bezit", -"CREATE DATABASE niet toegestaan terwijl thread een globale 'read lock' bezit", -"Foutieve parameters voor %s", -"'%-.32s'@'%-.64s' mag geen nieuwe gebruikers creeren", -"Incorrecte tabel definitie; alle MERGE tabellen moeten tot dezelfde database behoren", -"Deadlock gevonden tijdens lock-aanvraag poging; Probeer herstart van de transactie", -"Het gebruikte tabel type ondersteund geen FULLTEXT indexen", -"Kan foreign key beperking niet toevoegen", -"Kan onderliggende rij niet toevoegen: foreign key beperking gefaald", -"Kan bovenliggende rij nite verwijderen: foreign key beperking gefaald", -"Fout bij opbouwen verbinding naar master: %-.128s", -"Fout bij uitvoeren query op master: %-.128s", -"Fout tijdens uitvoeren van commando %s: %-.128s", -"Foutief gebruik van %s en %s", -"De gebruikte SELECT commando's hebben een verschillend aantal kolommen", -"Kan de query niet uitvoeren vanwege een conflicterende read lock", -"Het combineren van transactionele en niet-transactionele tabellen is uitgeschakeld.", -"Optie '%s' tweemaal gebruikt in opdracht", -"Gebruiker '%-.64s' heeft het maximale gebruik van de '%s' faciliteit overschreden (huidige waarde: %ld)", -"Toegang geweigerd. U moet het %-.128s privilege hebben voor deze operatie", -"Variabele '%-.64s' is SESSION en kan niet worden gebruikt met SET GLOBAL", -"Variabele '%-.64s' is GLOBAL en dient te worden gewijzigd met SET GLOBAL", -"Variabele '%-.64s' heeft geen standaard waarde", -"Variabele '%-.64s' kan niet worden gewijzigd naar de waarde '%-.64s'", -"Foutief argumenttype voor variabele '%-.64s'", -"Variabele '%-.64s' kan alleen worden gewijzigd, niet gelezen", -"Foutieve toepassing/plaatsing van '%s'", -"Deze versie van MySQL ondersteunt nog geen '%s'", -"Kreeg fatale fout %d: '%-.128s' van master tijdens lezen van data uit binaire log", -"Slave SQL thread ignored the query because of replicate-*-table rules", -"Variable '%-.64s' is a %s variable", -"Incorrect foreign key definition for '%-.64s': %s", -"Key reference and table reference don't match", -"Operand should contain %d column(s)", -"Subquery returns more than 1 row", -"Unknown prepared statement handler (%.*s) given to %s", -"Help database is corrupt or does not exist", -"Cyclic reference on subqueries", -"Converting column '%s' from %s to %s", -"Reference '%-.64s' not supported (%s)", -"Every derived table must have its own alias", -"Select %u was reduced during optimization", -"Table '%-.64s' from one of the SELECTs cannot be used in %-.32s", -"Client does not support authentication protocol requested by server; consider upgrading MySQL client", -"All parts of a SPATIAL index must be NOT NULL", -"COLLATION '%s' is not valid for CHARACTER SET '%s'", -"Slave is already running", -"Slave has already been stopped", -"Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)", -"ZLIB: Not enough memory", -"ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)", -"ZLIB: Input data corrupted", -"%d line(s) were cut by GROUP_CONCAT()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; it contained more data than there were input columns", -"Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld", -"Out of range value adjusted for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Using storage engine %s for table '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"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", -"Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format", -"Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d", -"Incorrect parameter or combination of parameters for START SLAVE UNTIL", -"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", -"SQL thread is not to be started so UNTIL options are ignored", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"Query cache failed to set size %lu, new query cache size is %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated, use '%s' instead", -"The target table %-.100s of the %s is not updateable", -"The '%s' feature was disabled; you need MySQL built with '%s' to have it working", -"The MySQL server is running with the %s option so it cannot execute this statement", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated wrong %-.32s value: '%-.128s'" -"Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' column", -"This command is not supported in the prepared statement protocol yet", -"Got error %d '%-.100s' from %s", -"Got temporary error %d '%-.100s' from %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/english/errmsg.txt b/sql/share/english/errmsg.txt deleted file mode 100644 index 3050f94936f..00000000000 --- a/sql/share/english/errmsg.txt +++ /dev/null @@ -1,415 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -character-set=latin1 - -"hashchk", -"isamchk", -"NO", -"YES", -"Can't create file '%-.64s' (errno: %d)", -"Can't create table '%-.64s' (errno: %d)", -"Can't create database '%-.64s' (errno: %d)", -"Can't create database '%-.64s'; database exists", -"Can't drop database '%-.64s'; database doesn't exist", -"Error dropping database (can't delete '%-.64s', errno: %d)", -"Error dropping database (can't rmdir '%-.64s', errno: %d)", -"Error on delete of '%-.64s' (errno: %d)", -"Can't read record in system table", -"Can't get status of '%-.64s' (errno: %d)", -"Can't get working directory (errno: %d)", -"Can't lock file (errno: %d)", -"Can't open file: '%-.64s' (errno: %d)", -"Can't find file: '%-.64s' (errno: %d)", -"Can't read dir of '%-.64s' (errno: %d)", -"Can't change dir to '%-.64s' (errno: %d)", -"Record has changed since last read in table '%-.64s'", -"Disk full (%s); waiting for someone to free some space...", -"Can't write; duplicate key in table '%-.64s'", -"Error on close of '%-.64s' (errno: %d)", -"Error reading file '%-.64s' (errno: %d)", -"Error on rename of '%-.64s' to '%-.64s' (errno: %d)", -"Error writing file '%-.64s' (errno: %d)", -"'%-.64s' is locked against change", -"Sort aborted", -"View '%-.64s' doesn't exist for '%-.64s'", -"Got error %d from storage engine", -"Table storage engine for '%-.64s' doesn't have this option", -"Can't find record in '%-.64s'", -"Incorrect information in file: '%-.64s'", -"Incorrect key file for table '%-.64s'; try to repair it", -"Old key file for table '%-.64s'; repair it!", -"Table '%-.64s' is read only", -"Out of memory; restart server and try again (needed %d bytes)", -"Out of sort memory; increase server sort buffer size", -"Unexpected EOF found when reading file '%-.64s' (errno: %d)", -"Too many connections", -"Out of memory; check if mysqld or some other process uses all available memory; if not, you may have to use 'ulimit' to allow mysqld to use more memory or you can add more swap space", -"Can't get hostname for your address", -"Bad handshake", -"Access denied for user '%-.32s'@'%-.64s' to database '%-.64s'", -"Access denied for user '%-.32s'@'%-.64s' (using password: %s)", -"No database selected", -"Unknown command", -"Column '%-.64s' cannot be null", -"Unknown database '%-.64s'", -"Table '%-.64s' already exists", -"Unknown table '%-.64s'", -"Column '%-.64s' in %-.64s is ambiguous", -"Server shutdown in progress", -"Unknown column '%-.64s' in '%-.64s'", -"'%-.64s' isn't in GROUP BY", -"Can't group on '%-.64s'", -"Statement has sum functions and columns in same statement", -"Column count doesn't match value count", -"Identifier name '%-.100s' is too long", -"Duplicate column name '%-.64s'", -"Duplicate key name '%-.64s'", -"Duplicate entry '%-.64s' for key %d", -"Incorrect column specifier for column '%-.64s'", -"%s near '%-.80s' at line %d", -"Query was empty", -"Not unique table/alias: '%-.64s'", -"Invalid default value for '%-.64s'", -"Multiple primary key defined", -"Too many keys specified; max %d keys allowed", -"Too many key parts specified; max %d parts allowed", -"Specified key was too long; max key length is %d bytes", -"Key column '%-.64s' doesn't exist in table", -"BLOB column '%-.64s' can't be used in key specification with the used table type", -"Column length too big for column '%-.64s' (max = %d); use BLOB instead", -"Incorrect table definition; there can be only one auto column and it must be defined as a key", -"%s: ready for connections.\nVersion: '%s' socket: '%s' port: %d", -"%s: Normal shutdown\n", -"%s: Got signal %d. Aborting!\n", -"%s: Shutdown complete\n", -"%s: Forcing close of thread %ld user: '%-.32s'\n", -"Can't create IP socket", -"Table '%-.64s' has no index like the one used in CREATE INDEX; recreate the table", -"Field separator argument is not what is expected; check the manual", -"You can't use fixed rowlength with BLOBs; please use 'fields terminated by'", -"The file '%-.64s' must be in the database directory or be readable by all", -"File '%-.80s' already exists", -"Records: %ld Deleted: %ld Skipped: %ld Warnings: %ld", -"Records: %ld Duplicates: %ld", -"Incorrect sub part key; the used key part isn't a string, the used length is longer than the key part, or the storage engine doesn't support unique sub keys", -"You can't delete all columns with ALTER TABLE; use DROP TABLE instead", -"Can't DROP '%-.64s'; check that column/key exists", -"Records: %ld Duplicates: %ld Warnings: %ld", -"You can't specify target table '%-.64s' for update in FROM clause", -"Unknown thread id: %lu", -"You are not owner of thread %lu", -"No tables used", -"Too many strings for column %-.64s and SET", -"Can't generate a unique log-filename %-.64s.(1-999)\n", -"Table '%-.64s' was locked with a READ lock and can't be updated", -"Table '%-.64s' was not locked with LOCK TABLES", -"BLOB/TEXT column '%-.64s' can't have a default value", -"Incorrect database name '%-.100s'", -"Incorrect table name '%-.100s'", -"The SELECT would examine more than MAX_JOIN_SIZE rows; check your WHERE and use SET SQL_BIG_SELECTS=1 or SET SQL_MAX_JOIN_SIZE=# if the SELECT is okay", -"Unknown error", -"Unknown procedure '%-.64s'", -"Incorrect parameter count to procedure '%-.64s'", -"Incorrect parameters to procedure '%-.64s'", -"Unknown table '%-.64s' in %-.32s", -"Column '%-.64s' specified twice", -"Invalid use of group function", -"Table '%-.64s' uses an extension that doesn't exist in this MySQL version", -"A table must have at least 1 column", -"The table '%-.64s' is full", -"Unknown character set: '%-.64s'", -"Too many tables; MySQL can only use %d tables in a join", -"Too many columns", -"Row size too large. The maximum row size for the used table type, not counting BLOBs, is %ld. You have to change some columns to TEXT or BLOBs", -"Thread stack overrun: Used: %ld of a %ld stack. Use 'mysqld -O thread_stack=#' to specify a bigger stack if needed", -"Cross dependency found in OUTER JOIN; examine your ON conditions", -"Column '%-.64s' is used with UNIQUE or INDEX but is not defined as NOT NULL", -"Can't load function '%-.64s'", -"Can't initialize function '%-.64s'; %-.80s", -"No paths allowed for shared library", -"Function '%-.64s' already exists", -"Can't open shared library '%-.64s' (errno: %d %-.64s)", -"Can't find function '%-.64s' in library'", -"Function '%-.64s' is not defined", -"Host '%-.64s' is blocked because of many connection errors; unblock with 'mysqladmin flush-hosts'", -"Host '%-.64s' is not allowed to connect to this MySQL server", -"You are using MySQL as an anonymous user and anonymous users are not allowed to change passwords", -"You must have privileges to update tables in the mysql database to be able to change passwords for others", -"Can't find any matching row in the user table", -"Rows matched: %ld Changed: %ld Warnings: %ld", -"Can't create a new thread (errno %d); if you are not out of available memory, you can consult the manual for a possible OS-dependent bug", -"Column count doesn't match value count at row %ld", -"Can't reopen table: '%-.64s'", -"Invalid use of NULL value", -"Got error '%-.64s' from regexp", -"Mixing of GROUP columns (MIN(),MAX(),COUNT(),...) with no GROUP columns is illegal if there is no GROUP BY clause", -"There is no such grant defined for user '%-.32s' on host '%-.64s'", -"%-.16s command denied to user '%-.32s'@'%-.64s' for table '%-.64s'", -"%-.16s command denied to user '%-.32s'@'%-.64s' for column '%-.64s' in table '%-.64s'", -"Illegal GRANT/REVOKE command; please consult the manual to see which privileges can be used", -"The host or user argument to GRANT is too long", -"Table '%-.64s.%-.64s' doesn't exist", -"There is no such grant defined for user '%-.32s' on host '%-.64s' on table '%-.64s'", -"The used command is not allowed with this MySQL version", -"You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax to use", -"Delayed insert thread couldn't get requested lock for table %-.64s", -"Too many delayed threads in use", -"Aborted connection %ld to db: '%-.64s' user: '%-.32s' (%-.64s)", -"Got a packet bigger than 'max_allowed_packet' bytes", -"Got a read error from the connection pipe", -"Got an error from fcntl()", -"Got packets out of order", -"Couldn't uncompress communication packet", -"Got an error reading communication packets", -"Got timeout reading communication packets", -"Got an error writing communication packets", -"Got timeout writing communication packets", -"Result string is longer than 'max_allowed_packet' bytes", -"The used table type doesn't support BLOB/TEXT columns", -"The used table type doesn't support AUTO_INCREMENT columns", -"INSERT DELAYED can't be used with table '%-.64s' because it is locked with LOCK TABLES", -"Incorrect column name '%-.100s'", -"The used storage engine can't index column '%-.64s'", -"All tables in the MERGE table are not identically defined", -"Can't write, because of unique constraint, to table '%-.64s'", -"BLOB/TEXT column '%-.64s' used in key specification without a key length", -"All parts of a PRIMARY KEY must be NOT NULL; if you need NULL in a key, use UNIQUE instead", -"Result consisted of more than one row", -"This table type requires a primary key", -"This version of MySQL is not compiled with RAID support", -"You are using safe update mode and you tried to update a table without a WHERE that uses a KEY column", -"Key '%-.64s' doesn't exist in table '%-.64s'", -"Can't open table", -"The storage engine for the table doesn't support %s", -"You are not allowed to execute this command in a transaction", -"Got error %d during COMMIT", -"Got error %d during ROLLBACK", -"Got error %d during FLUSH_LOGS", -"Got error %d during CHECKPOINT", -"Aborted connection %ld to db: '%-.64s' user: '%-.32s' host: `%-.64s' (%-.64s)", -"The storage engine for the table does not support binary table dump", -"Binlog closed, cannot RESET MASTER", -"Failed rebuilding the index of dumped table '%-.64s'", -"Error from master: '%-.64s'", -"Net error reading from master", -"Net error writing to master", -"Can't find FULLTEXT index matching the column list", -"Can't execute the given command because you have active locked tables or an active transaction", -"Unknown system variable '%-.64s'", -"Table '%-.64s' is marked as crashed and should be repaired", -"Table '%-.64s' is marked as crashed and last (automatic?) repair failed", -"Some non-transactional changed tables couldn't be rolled back", -"Multi-statement transaction required more than 'max_binlog_cache_size' bytes of storage; increase this mysqld variable and try again", -"This operation cannot be performed with a running slave; run STOP SLAVE first", -"This operation requires a running slave; configure slave and do START SLAVE", -"The server is not configured as slave; fix in config file or with CHANGE MASTER TO", -"Could not initialize master info structure; more error messages can be found in the MySQL error log", -"Could not create slave thread; check system resources", -"User %-.64s has already more than 'max_user_connections' active connections", -"You may only use constant expressions with SET", -"Lock wait timeout exceeded; try restarting transaction", -"The total number of locks exceeds the lock table size", -"Update locks cannot be acquired during a READ UNCOMMITTED transaction", -"DROP DATABASE not allowed while thread is holding global read lock", -"CREATE DATABASE not allowed while thread is holding global read lock", -"Incorrect arguments to %s", -"'%-.32s'@'%-.64s' is not allowed to create new users", -"Incorrect table definition; all MERGE tables must be in the same database", -"Deadlock found when trying to get lock; try restarting transaction", -"The used table type doesn't support FULLTEXT indexes", -"Cannot add foreign key constraint", -"Cannot add or update a child row: a foreign key constraint fails", -"Cannot delete or update a parent row: a foreign key constraint fails", -"Error connecting to master: %-.128s", -"Error running query on master: %-.128s", -"Error when executing command %s: %-.128s", -"Incorrect usage of %s and %s", -"The used SELECT statements have a different number of columns", -"Can't execute the query because you have a conflicting read lock", -"Mixing of transactional and non-transactional tables is disabled", -"Option '%s' used twice in statement", -"User '%-.64s' has exceeded the '%s' resource (current value: %ld)", -"Access denied; you need the %-.128s privilege for this operation", -"Variable '%-.64s' is a SESSION variable and can't be used with SET GLOBAL", -"Variable '%-.64s' is a GLOBAL variable and should be set with SET GLOBAL", -"Variable '%-.64s' doesn't have a default value", -"Variable '%-.64s' can't be set to the value of '%-.64s'", -"Incorrect argument type to variable '%-.64s'", -"Variable '%-.64s' can only be set, not read", -"Incorrect usage/placement of '%s'", -"This version of MySQL doesn't yet support '%s'", -"Got fatal error %d: '%-.128s' from master when reading data from binary log", -"Slave SQL thread ignored the query because of replicate-*-table rules", -"Variable '%-.64s' is a %s variable", -"Incorrect foreign key definition for '%-.64s': %s", -"Key reference and table reference don't match", -"Operand should contain %d column(s)", -"Subquery returns more than 1 row", -"Unknown prepared statement handler (%.*s) given to %s", -"Help database is corrupt or does not exist", -"Cyclic reference on subqueries", -"Converting column '%s' from %s to %s", -"Reference '%-.64s' not supported (%s)", -"Every derived table must have its own alias", -"Select %u was reduced during optimization", -"Table '%-.64s' from one of the SELECTs cannot be used in %-.32s", -"Client does not support authentication protocol requested by server; consider upgrading MySQL client", -"All parts of a SPATIAL index must be NOT NULL", -"COLLATION '%s' is not valid for CHARACTER SET '%s'", -"Slave is already running", -"Slave has already been stopped", -"Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)", -"ZLIB: Not enough memory", -"ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)", -"ZLIB: Input data corrupted", -"%d line(s) were cut by GROUP_CONCAT()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; it contained more data than there were input columns", -"Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld", -"Out of range value adjusted for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Using storage engine %s for table '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"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", -"Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format", -"Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d", -"Incorrect parameter or combination of parameters for START SLAVE UNTIL", -"It is recommended to use --skip-slave-start when doing step-by-step replication with START SLAVE UNTIL; otherwise, you will get problems if you get an unexpected slave's mysqld restart", -"SQL thread is not to be started so UNTIL options are ignored", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"Query cache failed to set size %lu; new query cache size is %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode; you must restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated; use '%s' instead", -"The target table %-.100s of the %s is not updatable", -"The '%s' feature is disabled; you need MySQL built with '%s' to have it working", -"The MySQL server is running with the %s option so it cannot execute this statement", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated incorrect %-.32s value: '%-.128s'" -"Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' column", -"This command is not supported in the prepared statement protocol yet", -"Got error %d '%-.100s' from %s", -"Got temporary error %d '%-.100s' from %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for %.256s", diff --git a/sql/share/estonian/errmsg.txt b/sql/share/estonian/errmsg.txt deleted file mode 100644 index 58b032ceb14..00000000000 --- a/sql/share/estonian/errmsg.txt +++ /dev/null @@ -1,420 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -/* - Esialgne tõlge: Tõnu Samuel (tonu@spam.ee) - Parandanud ja täiendanud: Indrek Siitan (tfr@mysql.com) -*/ - -character-set=latin7 - -"hashchk", -"isamchk", -"EI", -"JAH", -"Ei suuda luua faili '%-.64s' (veakood: %d)", -"Ei suuda luua tabelit '%-.64s' (veakood: %d)", -"Ei suuda luua andmebaasi '%-.64s' (veakood: %d)", -"Ei suuda luua andmebaasi '%-.64s': andmebaas juba eksisteerib", -"Ei suuda kustutada andmebaasi '%-.64s': andmebaasi ei eksisteeri", -"Viga andmebaasi kustutamisel (ei suuda kustutada faili '%-.64s', veakood: %d)", -"Viga andmebaasi kustutamisel (ei suuda kustutada kataloogi '%-.64s', veakood: %d)", -"Viga '%-.64s' kustutamisel (veakood: %d)", -"Ei suuda lugeda kirjet süsteemsest tabelist", -"Ei suuda lugeda '%-.64s' olekut (veakood: %d)", -"Ei suuda identifitseerida jooksvat kataloogi (veakood: %d)", -"Ei suuda lukustada faili (veakood: %d)", -"Ei suuda avada faili '%-.64s' (veakood: %d)", -"Ei suuda leida faili '%-.64s' (veakood: %d)", -"Ei suuda lugeda kataloogi '%-.64s' (veakood: %d)", -"Ei suuda siseneda kataloogi '%-.64s' (veakood: %d)", -"Kirje tabelis '%-.64s' on muutunud viimasest lugemisest saadik", -"Ketas täis (%s). Ootame kuni tekib vaba ruumi...", -"Ei saa kirjutada, korduv võti tabelis '%-.64s'", -"Viga faili '%-.64s' sulgemisel (veakood: %d)", -"Viga faili '%-.64s' lugemisel (veakood: %d)", -"Viga faili '%-.64s' ümbernimetamisel '%-.64s'-ks (veakood: %d)", -"Viga faili '%-.64s' kirjutamisel (veakood: %d)", -"'%-.64s' on lukustatud muudatuste vastu", -"Sorteerimine katkestatud", -"Vaade '%-.64s' ei eksisteeri '%-.64s' jaoks", -"Tabeli handler tagastas vea %d", -"Tabeli '%-.64s' handler ei toeta antud operatsiooni", -"Ei suuda leida kirjet '%-.64s'-s", -"Vigane informatsioon failis '%-.64s'", -"Tabeli '%-.64s' võtmefail on vigane; proovi seda parandada", -"Tabeli '%-.64s' võtmefail on aegunud; paranda see!", -"Tabel '%-.64s' on ainult lugemiseks", -"Mälu sai otsa. Proovi MySQL uuesti käivitada (puudu jäi %d baiti)", -"Mälu sai sorteerimisel otsa. Suurenda MySQL-i sorteerimispuhvrit", -"Ootamatu faililõpumärgend faili '%-.64s' lugemisel (veakood: %d)", -"Liiga palju samaaegseid ühendusi", -"Mälu sai otsa. Võimalik, et aitab swap-i lisamine või käsu 'ulimit' abil MySQL-le rohkema mälu kasutamise lubamine", -"Ei suuda lahendada IP aadressi masina nimeks", -"Väär handshake", -"Ligipääs keelatud kasutajale '%-.32s'@'%-.64s' andmebaasile '%-.64s'", -"Ligipääs keelatud kasutajale '%-.32s'@'%-.64s' (kasutab parooli: %s)", -"Andmebaasi ei ole valitud", -"Tundmatu käsk", -"Tulp '%-.64s' ei saa omada nullväärtust", -"Tundmatu andmebaas '%-.64s'", -"Tabel '%-.64s' juba eksisteerib", -"Tundmatu tabel '%-.64s'", -"Väli '%-.64s' %-.64s-s ei ole ühene", -"Serveri seiskamine käib", -"Tundmatu tulp '%-.64s' '%-.64s'-s", -"'%-.64s' puudub GROUP BY klauslis", -"Ei saa grupeerida '%-.64s' järgi", -"Lauses on korraga nii tulbad kui summeerimisfunktsioonid", -"Tulpade arv erineb väärtuste arvust", -"Identifikaatori '%-.100s' nimi on liiga pikk", -"Kattuv tulba nimi '%-.64s'", -"Kattuv võtme nimi '%-.64s'", -"Kattuv väärtus '%-.64s' võtmele %d", -"Vigane tulba kirjeldus tulbale '%-.64s'", -"%s '%-.80s' ligidal real %d", -"Tühi päring", -"Ei ole unikaalne tabel/alias '%-.64s'", -"Vigane vaikeväärtus '%-.64s' jaoks", -"Mitut primaarset võtit ei saa olla", -"Liiga palju võtmeid. Maksimaalselt võib olla %d võtit", -"Võti koosneb liiga paljudest osadest. Maksimaalselt võib olla %d osa", -"Võti on liiga pikk. Maksimaalne võtmepikkus on %d", -"Võtme tulp '%-.64s' puudub tabelis", -"BLOB-tüüpi tulpa '%-.64s' ei saa kasutada võtmena", -"Tulba '%-.64s' pikkus on liiga pikk (maksimaalne pikkus: %d). Kasuta BLOB väljatüüpi", -"Vigane tabelikirjeldus; Tabelis tohib olla üks auto_increment tüüpi tulp ning see peab olema defineeritud võtmena", -"%s: ootab ühendusi", -"%s: MySQL lõpetas\n", -"%s: sain signaali %d. Lõpetan!\n", -"%s: Lõpp\n", -"%s: Sulgen jõuga lõime %ld kasutaja: '%-.32s'\n", -"Ei suuda luua IP socketit", -"Tabelil '%-.64s' puuduvad võtmed. Loo tabel uuesti", -"Väljade eraldaja erineb oodatust. Tutvu kasutajajuhendiga", -"BLOB-tüüpi väljade olemasolul ei saa kasutada fikseeritud väljapikkust. Vajalik 'fields terminated by' määrang.", -"Fail '%-.64s' peab asuma andmebaasi kataloogis või olema kõigile loetav", -"Fail '%-.80s' juba eksisteerib", -"Kirjeid: %ld Kustutatud: %ld Vahele jäetud: %ld Hoiatusi: %ld", -"Kirjeid: %ld Kattuvaid: %ld", -"Vigane võtme osa. Kasutatud võtmeosa ei ole string tüüpi, määratud pikkus on pikem kui võtmeosa või tabelihandler ei toeta seda tüüpi võtmeid", -"ALTER TABLE kasutades ei saa kustutada kõiki tulpasid. Kustuta tabel DROP TABLE abil", -"Ei suuda kustutada '%-.64s'. Kontrolli kas tulp/võti eksisteerib", -"Kirjeid: %ld Kattuvaid: %ld Hoiatusi: %ld", -"You can't specify target table '%-.64s' for update in FROM clause", -"Tundmatu lõim: %lu", -"Ei ole lõime %lu omanik", -"Ühtegi tabelit pole kasutusel", -"Liiga palju string tulbale %-.64s tüübile SET", -"Ei suuda luua unikaalset logifaili nime %-.64s.(1-999)\n", -"Tabel '%-.64s' on lukustatud READ lukuga ning ei ole muudetav", -"Tabel '%-.64s' ei ole lukustatud käsuga LOCK TABLES", -"BLOB-tüüpi tulp '%-.64s' ei saa omada vaikeväärtust", -"Vigane andmebaasi nimi '%-.100s'", -"Vigane tabeli nimi '%-.100s'", -"SELECT lause peab läbi vaatama suure hulga kirjeid ja võtaks tõenäoliselt liiga kaua aega. Tasub kontrollida WHERE klauslit ja vajadusel kasutada käsku SET SQL_BIG_SELECTS=1", -"Tundmatu viga", -"Tundmatu protseduur '%-.64s'", -"Vale parameetrite hulk protseduurile '%-.64s'", -"Vigased parameetrid protseduurile '%-.64s'", -"Tundmatu tabel '%-.64s' %-.32s-s", -"Tulp '%-.64s' on määratletud topelt", -"Vigane grupeerimisfunktsiooni kasutus", -"Tabel '%-.64s' kasutab laiendust, mis ei eksisteeri antud MySQL versioonis", -"Tabelis peab olema vähemalt üks tulp", -"Tabel '%-.64s' on täis", -"Vigane kooditabel '%-.64s'", -"Liiga palju tabeleid. MySQL suudab JOINiga ühendada kuni %d tabelit", -"Liiga palju tulpasid", -"Liiga pikk kirje. Kirje maksimumpikkus arvestamata BLOB-tüüpi välju on %d. Muuda mõned väljad BLOB-tüüpi väljadeks", -"Thread stack overrun: Used: %ld of a %ld stack. Use 'mysqld -O thread_stack=#' to specify a bigger stack if needed", -"Ristsõltuvus OUTER JOIN klauslis. Kontrolli oma ON tingimusi", -"Tulp '%-.64s' on kasutusel indeksina, kuid ei ole määratletud kui NOT NULL", -"Ei suuda avada funktsiooni '%-.64s'", -"Ei suuda algväärtustada funktsiooni '%-.64s'; %-.80s", -"Teegi nimes ei tohi olla kataloogi", -"Funktsioon '%-.64s' juba eksisteerib", -"Ei suuda avada jagatud teeki '%-.64s' (veakood: %d %-.64s)", -"Ei leia funktsiooni '%-.64s' antud teegis", -"Funktsioon '%-.64s' ei ole defineeritud", -"Masin '%-.64s' on blokeeritud hulgaliste ühendusvigade tõttu. Blokeeringu saab tühistada 'mysqladmin flush-hosts' käsuga", -"Masinal '%-.64s' puudub ligipääs sellele MySQL serverile", -"Te kasutate MySQL-i anonüümse kasutajana, kelledel pole parooli muutmise õigust", -"Teiste paroolide muutmiseks on nõutav tabelite muutmisõigus 'mysql' andmebaasis", -"Ei leia vastavat kirjet kasutajate tabelis", -"Sobinud kirjeid: %ld Muudetud: %ld Hoiatusi: %ld", -"Ei suuda luua uut lõime (veakood %d). Kui mälu ei ole otsas, on tõenäoliselt tegemist operatsioonisüsteemispetsiifilise veaga", -"Tulpade hulk erineb väärtuste hulgast real %ld", -"Ei suuda taasavada tabelit '%-.64s'", -"NULL väärtuse väärkasutus", -"regexp tagastas vea '%-.64s'", -"GROUP tulpade (MIN(),MAX(),COUNT()...) kooskasutamine tavaliste tulpadega ilma GROUP BY klauslita ei ole lubatud", -"Sellist õigust ei ole defineeritud kasutajale '%-.32s' masinast '%-.64s'", -"%-.16s käsk ei ole lubatud kasutajale '%-.32s'@'%-.64s' tabelis '%-.64s'", -"%-.16s käsk ei ole lubatud kasutajale '%-.32s'@'%-.64s' tulbale '%-.64s' tabelis '%-.64s'", -"Vigane GRANT/REVOKE käsk. Tutvu kasutajajuhendiga", -"Masina või kasutaja nimi GRANT lauses on liiga pikk", -"Tabelit '%-.64s.%-.64s' ei eksisteeri", -"Sellist õigust ei ole defineeritud kasutajale '%-.32s' masinast '%-.64s' tabelile '%-.64s'", -"Antud käsk ei ole lubatud käesolevas MySQL versioonis", -"Viga SQL süntaksis", -"INSERT DELAYED lõim ei suutnud saada soovitud lukku tabelile %-.64s", -"Liiga palju DELAYED lõimesid kasutusel", -"Ühendus katkestatud %ld andmebaasile: '%-.64s' kasutajale: '%-.32s' (%-.64s)", -"Saabus suurem pakett kui lubatud 'max_allowed_packet' muutujaga", -"Viga ühendustoru lugemisel", -"fcntl() tagastas vea", -"Paketid saabusid vales järjekorras", -"Viga andmepaketi lahtipakkimisel", -"Viga andmepaketi lugemisel", -"Kontrollaja ületamine andmepakettide lugemisel", -"Viga andmepaketi kirjutamisel", -"Kontrollaja ületamine andmepakettide kirjutamisel", -"Tulemus on pikem kui lubatud 'max_allowed_packet' muutujaga", -"Valitud tabelitüüp ei toeta BLOB/TEXT tüüpi välju", -"Valitud tabelitüüp ei toeta AUTO_INCREMENT tüüpi välju", -"INSERT DELAYED ei saa kasutada tabeli '%-.64s' peal, kuna see on lukustatud LOCK TABLES käsuga", -"Vigane tulba nimi '%-.100s'", -"Tabelihandler ei oska indekseerida tulpa '%-.64s'", -"Kõik tabelid MERGE tabeli määratluses ei ole identsed", -"Ei suuda kirjutada tabelisse '%-.64s', kuna see rikub ühesuse kitsendust", -"BLOB-tüüpi tulp '%-.64s' on kasutusel võtmes ilma pikkust määratlemata", -"Kõik PRIMARY KEY peavad olema määratletud NOT NULL piiranguga; vajadusel kasuta UNIQUE tüüpi võtit", -"Tulemis oli rohkem kui üks kirje", -"Antud tabelitüüp nõuab primaarset võtit", -"Antud MySQL versioon on kompileeritud ilma RAID toeta", -"Katse muuta tabelit turvalises rezhiimis ilma WHERE klauslita", -"Võti '%-.64s' ei eksisteeri tabelis '%-.64s'", -"Ei suuda avada tabelit", -"Antud tabelitüüp ei toeta %s käske", -"Seda käsku ei saa kasutada transaktsiooni sees", -"Viga %d käsu COMMIT täitmisel", -"Viga %d käsu ROLLBACK täitmisel", -"Viga %d käsu FLUSH_LOGS täitmisel", -"Viga %d käsu CHECKPOINT täitmisel", -"Ühendus katkestatud %ld andmebaas: '%-.64s' kasutaja: '%-.32s' masin: `%-.64s' (%-.64s)", -"The handler for the table does not support binary table dump", -"Binlog closed while trying to FLUSH MASTER", -"Failed rebuilding the index of dumped table '%-.64s'", -"Error from master: '%-.64s'", -"Net error reading from master", -"Net error writing to master", -"Ei suutnud leida FULLTEXT indeksit, mis kattuks kasutatud tulpadega", -"Ei suuda täita antud käsku kuna on aktiivseid lukke või käimasolev transaktsioon", -"Tundmatu süsteemne muutuja '%-.64s'", -"Tabel '%-.64s' on märgitud vigaseks ja tuleb parandada", -"Tabel '%-.64s' on märgitud vigaseks ja viimane (automaatne?) parandus ebaõnnestus", -"Hoiatus: mõnesid transaktsioone mittetoetavaid tabeleid ei suudetud tagasi kerida", -"Mitme lausendiga transaktsioon nõudis rohkem ruumi kui lubatud 'max_binlog_cache_size' muutujaga. Suurenda muutuja väärtust ja proovi uuesti", -"This operation cannot be performed with a running slave; run STOP SLAVE first", -"This operation requires a running slave; configure slave and do START SLAVE", -"The server is not configured as slave; fix in config file or with CHANGE MASTER TO", -"Could not initialize master info structure; more error messages can be found in the MySQL error log", -"Could not create slave thread; check system resources", -"Kasutajal %-.64s on juba rohkem ühendusi kui lubatud 'max_user_connections' muutujaga", -"Ainult konstantsed suurused on lubatud SET klauslis", -"Kontrollaeg ületatud luku järel ootamisel; Proovi transaktsiooni otsast alata", -"Lukkude koguarv ületab lukutabeli suuruse", -"Uuenduslukke ei saa kasutada READ UNCOMMITTED transaktsiooni käigus", -"DROP DATABASE ei ole lubatud kui lõim omab globaalset READ lukku", -"CREATE DATABASE ei ole lubatud kui lõim omab globaalset READ lukku", -"Vigased parameetrid %s-le", -"Kasutajal '%-.32s'@'%-.64s' ei ole lubatud luua uusi kasutajaid", -"Vigane tabelimääratlus; kõik MERGE tabeli liikmed peavad asuma samas andmebaasis", -"Lukustamisel tekkis tupik (deadlock); alusta transaktsiooni otsast", -"Antud tabelitüüp ei toeta FULLTEXT indekseid", -"Cannot add foreign key constraint", -"Cannot add a child row: a foreign key constraint fails", -"Cannot delete a parent row: a foreign key constraint fails", -"Error connecting to master: %-.128s", -"Error running query on master: %-.128s", -"Viga käsu %s täitmisel: %-.128s", -"Vigane %s ja %s kasutus", -"Tulpade arv kasutatud SELECT lausetes ei kattu", -"Ei suuda täita päringut konfliktse luku tõttu", -"Transaktsioone toetavate ning mittetoetavate tabelite kooskasutamine ei ole lubatud", -"Määrangut '%s' on lauses kasutatud topelt", -"User '%-.64s' has exceeded the '%s' resource (current value: %ld)", -"Access denied; you need the %-.128s privilege for this operation", -"Variable '%-.64s' is a SESSION variable and can't be used with SET GLOBAL", -"Variable '%-.64s' is a GLOBAL variable and should be set with SET GLOBAL", -"Variable '%-.64s' doesn't have a default value", -"Variable '%-.64s' can't be set to the value of '%-.64s'", -"Incorrect argument type to variable '%-.64s'", -"Variable '%-.64s' can only be set, not read", -"Incorrect usage/placement of '%s'", -"This version of MySQL doesn't yet support '%s'", -"Got fatal error %d: '%-.128s' from master when reading data from binary log", -"Slave SQL thread ignored the query because of replicate-*-table rules", -"Variable '%-.64s' is a %s variable", -"Incorrect foreign key definition for '%-.64s': %s", -"Key reference and table reference don't match", -"Operand should contain %d column(s)", -"Subquery returns more than 1 row", -"Unknown prepared statement handler (%.*s) given to %s", -"Help database is corrupt or does not exist", -"Cyclic reference on subqueries", -"Converting column '%s' from %s to %s", -"Reference '%-.64s' not supported (%s)", -"Every derived table must have its own alias", -"Select %u was reduced during optimization", -"Table '%-.64s' from one of the SELECTs cannot be used in %-.32s", -"Client does not support authentication protocol requested by server; consider upgrading MySQL client", -"All parts of a SPATIAL index must be NOT NULL", -"COLLATION '%s' is not valid for CHARACTER SET '%s'", -"Slave is already running", -"Slave has already been stopped", -"Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)", -"ZLIB: Not enough memory", -"ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)", -"ZLIB: Input data corrupted", -"%d line(s) were cut by GROUP_CONCAT()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; it contained more data than there were input columns", -"Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld", -"Out of range value adjusted for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Using storage engine %s for table '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"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", -"Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format", -"Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d", -"Incorrect parameter or combination of parameters for START SLAVE UNTIL", -"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", -"SQL thread is not to be started so UNTIL options are ignored", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"Query cache failed to set size %lu, new query cache size is %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated, use '%s' instead", -"The target table %-.100s of the %s is not updateable", -"The '%s' feature was disabled; you need MySQL built with '%s' to have it working", -"The MySQL server is running with the %s option so it cannot execute this statement", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated wrong %-.32s value: '%-.128s'" -"Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' column", -"This command is not supported in the prepared statement protocol yet", -"Got error %d '%-.100s' from %s", -"Got temporary error %d '%-.100s' from %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/french/errmsg.txt b/sql/share/french/errmsg.txt deleted file mode 100644 index a93a52606a9..00000000000 --- a/sql/share/french/errmsg.txt +++ /dev/null @@ -1,415 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -character-set=latin1 - -"hashchk", -"isamchk", -"NON", -"OUI", -"Ne peut créer le fichier '%-.64s' (Errcode: %d)", -"Ne peut créer la table '%-.64s' (Errcode: %d)", -"Ne peut créer la base '%-.64s' (Erreur %d)", -"Ne peut créer la base '%-.64s'; elle existe déjà", -"Ne peut effacer la base '%-.64s'; elle n'existe pas", -"Ne peut effacer la base '%-.64s' (erreur %d)", -"Erreur en effaçant la base (rmdir '%-.64s', erreur %d)", -"Erreur en effaçant '%-.64s' (Errcode: %d)", -"Ne peut lire un enregistrement de la table 'system'", -"Ne peut obtenir le status de '%-.64s' (Errcode: %d)", -"Ne peut obtenir le répertoire de travail (Errcode: %d)", -"Ne peut verrouiller le fichier (Errcode: %d)", -"Ne peut ouvrir le fichier: '%-.64s' (Errcode: %d)", -"Ne peut trouver le fichier: '%-.64s' (Errcode: %d)", -"Ne peut lire le répertoire de '%-.64s' (Errcode: %d)", -"Ne peut changer le répertoire pour '%-.64s' (Errcode: %d)", -"Enregistrement modifié depuis sa dernière lecture dans la table '%-.64s'", -"Disque plein (%s). J'attend que quelqu'un libère de l'espace...", -"Ecriture impossible, doublon dans une clé de la table '%-.64s'", -"Erreur a la fermeture de '%-.64s' (Errcode: %d)", -"Erreur en lecture du fichier '%-.64s' (Errcode: %d)", -"Erreur en renommant '%-.64s' en '%-.64s' (Errcode: %d)", -"Erreur d'écriture du fichier '%-.64s' (Errcode: %d)", -"'%-.64s' est verrouillé contre les modifications", -"Tri alphabétique abandonné", -"La vue (View) '%-.64s' n'existe pas pour '%-.64s'", -"Reçu l'erreur %d du handler de la table", -"Le handler de la table '%-.64s' n'a pas cette option", -"Ne peut trouver l'enregistrement dans '%-.64s'", -"Information erronnée dans le fichier: '%-.64s'", -"Index corrompu dans la table: '%-.64s'; essayez de le réparer", -"Vieux fichier d'index pour la table '%-.64s'; réparez le!", -"'%-.64s' est en lecture seulement", -"Manque de mémoire. Redémarrez le démon et ré-essayez (%d octets nécessaires)", -"Manque de mémoire pour le tri. Augmentez-la.", -"Fin de fichier inattendue en lisant '%-.64s' (Errcode: %d)", -"Trop de connections", -"Manque de 'threads'/mémoire", -"Ne peut obtenir de hostname pour votre adresse", -"Mauvais 'handshake'", -"Accès refusé pour l'utilisateur: '%-.32s'@'@%-.64s'. Base '%-.64s'", -"Accès refusé pour l'utilisateur: '%-.32s'@'@%-.64s' (mot de passe: %s)", -"Aucune base n'a été sélectionnée", -"Commande inconnue", -"Le champ '%-.64s' ne peut être vide (null)", -"Base '%-.64s' inconnue", -"La table '%-.64s' existe déjà", -"Table '%-.64s' inconnue", -"Champ: '%-.64s' dans %s est ambigu", -"Arrêt du serveur en cours", -"Champ '%-.64s' inconnu dans %s", -"'%-.64s' n'est pas dans 'group by'", -"Ne peut regrouper '%-.64s'", -"Vous demandez la fonction sum() et des champs dans la même commande", -"Column count doesn't match value count", -"Le nom de l'identificateur '%-.64s' est trop long", -"Nom du champ '%-.64s' déjà utilisé", -"Nom de clef '%-.64s' déjà utilisé", -"Duplicata du champ '%-.64s' pour la clef %d", -"Mauvais paramètre de champ pour le champ '%-.64s'", -"%s près de '%-.64s' à la ligne %d", -"Query est vide", -"Table/alias: '%-.64s' non unique", -"Valeur par défaut invalide pour '%-.64s'", -"Plusieurs clefs primaires définies", -"Trop de clefs sont définies. Maximum de %d clefs alloué", -"Trop de parties specifiées dans la clef. Maximum de %d parties", -"La clé est trop longue. Longueur maximale: %d", -"La clé '%-.64s' n'existe pas dans la table", -"Champ BLOB '%-.64s' ne peut être utilisé dans une clé", -"Champ '%-.64s' trop long (max = %d). Utilisez un BLOB", -"Un seul champ automatique est permis et il doit être indexé", -"%s: Prêt pour des connections", -"%s: Arrêt normal du serveur\n", -"%s: Reçu le signal %d. Abandonne!\n", -"%s: Arrêt du serveur terminé\n", -"%s: Arrêt forcé de la tâche (thread) %ld utilisateur: '%-.64s'\n", -"Ne peut créer la connection IP (socket)", -"La table '%-.64s' n'a pas d'index comme celle utilisée dans CREATE INDEX. Recréez la table", -"Séparateur de champs inconnu. Vérifiez dans le manuel", -"Vous ne pouvez utiliser des lignes de longueur fixe avec des BLOBs. Utiliser 'fields terminated by'.", -"Le fichier '%-.64s' doit être dans le répertoire de la base et lisible par tous", -"Le fichier '%-.64s' existe déjà", -"Enregistrements: %ld Effacés: %ld Non traités: %ld Avertissements: %ld", -"Enregistrements: %ld Doublons: %ld", -"Mauvaise sous-clef. Ce n'est pas un 'string' ou la longueur dépasse celle définie dans la clef", -"Vous ne pouvez effacer tous les champs avec ALTER TABLE. Utilisez DROP TABLE", -"Ne peut effacer (DROP) '%-.64s'. Vérifiez s'il existe", -"Enregistrements: %ld Doublons: %ld Avertissements: %ld", -"You can't specify target table '%-.64s' for update in FROM clause", -"Numéro de tâche inconnu: %lu", -"Vous n'êtes pas propriétaire de la tâche no: %lu", -"Aucune table utilisée", -"Trop de chaînes dans la colonne %s avec SET", -"Ne peut générer un unique nom de journal %s.(1-999)\n", -"Table '%-.64s' verrouillée lecture (READ): modification impossible", -"Table '%-.64s' non verrouillée: utilisez LOCK TABLES", -"BLOB '%-.64s' ne peut avoir de valeur par défaut", -"Nom de base de donnée illégal: '%-.64s'", -"Nom de table illégal: '%-.64s'", -"SELECT va devoir examiner beaucoup d'enregistrements ce qui va prendre du temps. Vérifiez la clause WHERE et utilisez SET SQL_BIG_SELECTS=1 si SELECT se passe bien", -"Erreur inconnue", -"Procédure %s inconnue", -"Mauvais nombre de paramètres pour la procedure %s", -"Paramètre erroné pour la procedure %s", -"Table inconnue '%-.64s' dans %s", -"Champ '%-.64s' spécifié deux fois", -"Utilisation invalide de la clause GROUP", -"Table '%-.64s' : utilise une extension invalide pour cette version de MySQL", -"Une table doit comporter au moins une colonne", -"La table '%-.64s' est pleine", -"Jeu de caractères inconnu: '%-.64s'", -"Trop de tables. MySQL ne peut utiliser que %d tables dans un JOIN", -"Trop de champs", -"Ligne trop grande. Le taille maximale d'une ligne, sauf les BLOBs, est %d. Changez le type de quelques colonnes en BLOB", -"Débordement de la pile des tâches (Thread stack). Utilisées: %ld pour une pile de %ld. Essayez 'mysqld -O thread_stack=#' pour indiquer une plus grande valeur", -"Dépendance croisée dans une clause OUTER JOIN. Vérifiez la condition ON", -"La colonne '%-.32s' fait partie d'un index UNIQUE ou INDEX mais n'est pas définie comme NOT NULL", -"Imposible de charger la fonction '%-.64s'", -"Impossible d'initialiser la fonction '%-.64s'; %-.80s", -"Chemin interdit pour les bibliothèques partagées", -"La fonction '%-.64s' existe déjà", -"Impossible d'ouvrir la bibliothèque partagée '%-.64s' (errno: %d %s)", -"Impossible de trouver la fonction '%-.64s' dans la bibliothèque'", -"La fonction '%-.64s' n'est pas définie", -"L'hôte '%-.64s' est bloqué à cause d'un trop grand nombre d'erreur de connection. Débloquer le par 'mysqladmin flush-hosts'", -"Le hôte '%-.64s' n'est pas authorisé à se connecter à ce serveur MySQL", -"Vous utilisez un utilisateur anonyme et les utilisateurs anonymes ne sont pas autorisés à changer les mots de passe", -"Vous devez avoir le privilège update sur les tables de la base de donnée mysql pour pouvoir changer les mots de passe des autres", -"Impossible de trouver un enregistrement correspondant dans la table user", -"Enregistrements correspondants: %ld Modifiés: %ld Warnings: %ld", -"Impossible de créer une nouvelle tâche (errno %d). S'il reste de la mémoire libre, consultez le manual pour trouver un éventuel bug dépendant de l'OS", -"Column count doesn't match value count at row %ld", -"Impossible de réouvrir la table: '%-.64s", -"Utilisation incorrecte de la valeur NULL", -"Erreur '%-.64s' provenant de regexp", -"Mélanger les colonnes GROUP (MIN(),MAX(),COUNT()...) avec des colonnes normales est interdit s'il n'y a pas de clause GROUP BY", -"Un tel droit n'est pas défini pour l'utilisateur '%-.32s' sur l'hôte '%-.64s'", -"La commande '%-.16s' est interdite à l'utilisateur: '%-.32s'@'@%-.64s' sur la table '%-.64s'", -"La commande '%-.16s' est interdite à l'utilisateur: '%-.32s'@'@%-.64s' sur la colonne '%-.64s' de la table '%-.64s'", -"Commande GRANT/REVOKE incorrecte. Consultez le manuel.", -"L'hôte ou l'utilisateur donné en argument à GRANT est trop long", -"La table '%-.64s.%s' n'existe pas", -"Un tel droit n'est pas défini pour l'utilisateur '%-.32s' sur l'hôte '%-.64s' sur la table '%-.64s'", -"Cette commande n'existe pas dans cette version de MySQL", -"Erreur de syntaxe", -"La tâche 'delayed insert' n'a pas pu obtenir le verrou démandé sur la table %-.64s", -"Trop de tâche 'delayed' en cours", -"Connection %ld avortée vers la bd: '%-.64s' utilisateur: '%-.64s' (%s)", -"Paquet plus grand que 'max_allowed_packet' reçu", -"Erreur de lecture reçue du pipe de connection", -"Erreur reçue de fcntl() ", -"Paquets reçus dans le désordre", -"Impossible de décompresser le paquet reçu", -"Erreur de lecture des paquets reçus", -"Timeout en lecture des paquets reçus", -"Erreur d'écriture des paquets envoyés", -"Timeout d'écriture des paquets envoyés", -"La chaîne résultat est plus grande que 'max_allowed_packet'", -"Ce type de table ne supporte pas les colonnes BLOB/TEXT", -"Ce type de table ne supporte pas les colonnes AUTO_INCREMENT", -"INSERT DELAYED ne peut être utilisé avec la table '%-.64s', car elle est verrouée avec LOCK TABLES", -"Nom de colonne '%-.100s' incorrect", -"Le handler de la table ne peut indexé la colonne '%-.64s'", -"Toutes les tables de la table de type MERGE n'ont pas la même définition", -"Écriture impossible à cause d'un index UNIQUE sur la table '%-.64s'", -"La colonne '%-.64s' de type BLOB est utilisée dans une définition d'index sans longueur d'index", -"Toutes les parties d'un index PRIMARY KEY doivent être NOT NULL; Si vous avez besoin d'un NULL dans l'index, utilisez un index UNIQUE", -"Le résultat contient plus d'un enregistrement", -"Ce type de table nécessite une clé primaire (PRIMARY KEY)", -"Cette version de MySQL n'est pas compilée avec le support RAID", -"Vous êtes en mode 'safe update' et vous essayez de faire un UPDATE sans clause WHERE utilisant un index", -"L'index '%-.64s' n'existe pas sur la table '%-.64s'", -"Impossible d'ouvrir la table", -"Ce type de table ne supporte pas les %s", -"Vous n'êtes pas autorisé à exécute cette commande dans une transaction", -"Erreur %d lors du COMMIT", -"Erreur %d lors du ROLLBACK", -"Erreur %d lors du FLUSH_LOGS", -"Erreur %d lors du CHECKPOINT", -"Connection %ld avortée vers la bd: '%-.64s' utilisateur: '%-.32s' hôte: `%-.64s' (%-.64s)", -"Ce type de table ne supporte pas les copies binaires", -"Le 'binlog' a été fermé pendant l'exécution du FLUSH MASTER", -"La reconstruction de l'index de la table copiée '%-.64s' a échoué", -"Erreur reçue du maître: '%-.64s'", -"Erreur de lecture réseau reçue du maître", -"Erreur d'écriture réseau reçue du maître", -"Impossible de trouver un index FULLTEXT correspondant à cette liste de colonnes", -"Impossible d'exécuter la commande car vous avez des tables verrouillées ou une transaction active", -"Variable système '%-.64s' inconnue", -"La table '%-.64s' est marquée 'crashed' et devrait être réparée", -"La table '%-.64s' est marquée 'crashed' et le dernier 'repair' a échoué", -"Attention: certaines tables ne supportant pas les transactions ont été changées et elles ne pourront pas être restituées", -"Cette transaction à commandes multiples nécessite plus de 'max_binlog_cache_size' octets de stockage, augmentez cette variable de mysqld et réessayez", -"Cette opération ne peut être réalisée avec un esclave actif, faites STOP SLAVE d'abord", -"Cette opération nécessite un esclave actif, configurez les esclaves et faites START SLAVE", -"Le server n'est pas configuré comme un esclave, changez le fichier de configuration ou utilisez CHANGE MASTER TO", -"Impossible d'initialiser les structures d'information de maître, vous trouverez des messages d'erreur supplémentaires dans le journal des erreurs de MySQL", -"Impossible de créer une tâche esclave, vérifiez les ressources système", -"L'utilisateur %-.64s possède déjà plus de 'max_user_connections' connections actives", -"Seules les expressions constantes sont autorisées avec SET", -"Timeout sur l'obtention du verrou", -"Le nombre total de verrou dépasse la taille de la table des verrous", -"Un verrou en update ne peut être acquit pendant une transaction READ UNCOMMITTED", -"DROP DATABASE n'est pas autorisée pendant qu'une tâche possède un verrou global en lecture", -"CREATE DATABASE n'est pas autorisée pendant qu'une tâche possède un verrou global en lecture", -"Mauvais arguments à %s", -"'%-.32s'@'%-.64s' n'est pas autorisé à créer de nouveaux utilisateurs", -"Définition de table incorrecte; toutes les tables MERGE doivent être dans la même base de donnée", -"Deadlock découvert en essayant d'obtenir les verrous : essayez de redémarrer la transaction", -"Le type de table utilisé ne supporte pas les index FULLTEXT", -"Impossible d'ajouter des contraintes d'index externe", -"Impossible d'ajouter un enregistrement fils : une constrainte externe l'empèche", -"Impossible de supprimer un enregistrement père : une constrainte externe l'empèche", -"Error connecting to master: %-.128s", -"Error running query on master: %-.128s", -"Error when executing command %s: %-.128s", -"Incorrect usage of %s and %s", -"The used SELECT statements have a different number of columns", -"Can't execute the query because you have a conflicting read lock", -"Mixing of transactional and non-transactional tables is disabled", -"Option '%s' used twice in statement", -"User '%-.64s' has exceeded the '%s' resource (current value: %ld)", -"Access denied; you need the %-.128s privilege for this operation", -"Variable '%-.64s' is a SESSION variable and can't be used with SET GLOBAL", -"Variable '%-.64s' is a GLOBAL variable and should be set with SET GLOBAL", -"Variable '%-.64s' doesn't have a default value", -"Variable '%-.64s' can't be set to the value of '%-.64s'", -"Incorrect argument type to variable '%-.64s'", -"Variable '%-.64s' can only be set, not read", -"Incorrect usage/placement of '%s'", -"This version of MySQL doesn't yet support '%s'", -"Got fatal error %d: '%-.128s' from master when reading data from binary log", -"Slave SQL thread ignored the query because of replicate-*-table rules", -"Variable '%-.64s' is a %s variable", -"Incorrect foreign key definition for '%-.64s': %s", -"Key reference and table reference don't match", -"Operand should contain %d column(s)", -"Subquery returns more than 1 row", -"Unknown prepared statement handler (%.*s) given to %s", -"Help database is corrupt or does not exist", -"Cyclic reference on subqueries", -"Converting column '%s' from %s to %s", -"Reference '%-.64s' not supported (%s)", -"Every derived table must have its own alias", -"Select %u was reduced during optimization", -"Table '%-.64s' from one of the SELECTs cannot be used in %-.32s", -"Client does not support authentication protocol requested by server; consider upgrading MySQL client", -"All parts of a SPATIAL index must be NOT NULL", -"COLLATION '%s' is not valid for CHARACTER SET '%s'", -"Slave is already running", -"Slave has already been stopped", -"Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)", -"ZLIB: Not enough memory", -"ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)", -"ZLIB: Input data corrupted", -"%d line(s) were cut by GROUP_CONCAT()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; it contained more data than there were input columns", -"Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld", -"Out of range value adjusted for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Using storage engine %s for table '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"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", -"Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format", -"Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d", -"Incorrect parameter or combination of parameters for START SLAVE UNTIL", -"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", -"SQL thread is not to be started so UNTIL options are ignored", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"Query cache failed to set size %lu, new query cache size is %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated, use '%s' instead", -"The target table %-.100s of the %s is not updateable", -"The '%s' feature was disabled; you need MySQL built with '%s' to have it working", -"The MySQL server is running with the %s option so it cannot execute this statement", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated wrong %-.32s value: '%-.128s'" -"Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' column", -"This command is not supported in the prepared statement protocol yet", -"Got error %d '%-.100s' from %s", -"Got temporary error %d '%-.100s' from %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/german/errmsg.txt b/sql/share/german/errmsg.txt deleted file mode 100644 index e657f9cb16a..00000000000 --- a/sql/share/german/errmsg.txt +++ /dev/null @@ -1,428 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -/* - Dirk Munzinger (dmun@4t2.com) - 2001-06-07 - - Georg Richter (georg@php.net) - fixed typos and translation - translated new error messages - 2002-12-11 - - Stefan Hinz (stefan@mysql.com) - 2003-10-01 -*/ - -character-set=latin1 - -"hashchk", -"isamchk", -"Nein", -"Ja", -"Kann Datei '%-.64s' nicht erzeugen (Fehler: %d)", -"Kann Tabelle '%-.64s' nicht erzeugen (Fehler: %d)", -"Kann Datenbank '%-.64s' nicht erzeugen (Fehler: %d)", -"Kann Datenbank '%-.64s' nicht erzeugen. Datenbank '%-.64s' existiert bereits", -"Kann Datenbank '%-.64s' nicht löschen. Keine Datenbank '%-.64s' vorhanden", -"Fehler beim Löschen der Datenbank ('%-.64s' kann nicht gelöscht werden, Fehlernuumer: %d)", -"Fehler beim Löschen der Datenbank (Verzeichnis '%-.64s' kann nicht gelöscht werden, Fehlernummer: %d)", -"Fehler beim Löschen von '%-.64s' (Fehler: %d)", -"Datensatz in der Systemtabelle nicht lesbar", -"Kann Status von '%-.64s' nicht ermitteln (Fehler: %d)", -"Kann Arbeitsverzeichnis nicht ermitteln (Fehler: %d)", -"Datei kann nicht gesperrt werden (Fehler: %d)", -"Datei '%-.64s' nicht öffnen (Fehler: %d)", -"Kann Datei '%-.64s' nicht finden (Fehler: %d)", -"Verzeichnis von '%-.64s' nicht lesbar (Fehler: %d)", -"Kann nicht in das Verzeichnis '%-.64s' wechseln (Fehler: %d)", -"Datensatz hat sich seit dem letzten Zugriff auf Tabelle '%-.64s' geändert", -"Festplatte voll (%-.64s). Warte, bis jemand Platz schafft ...", -"Kann nicht speichern, Grund: doppelter Schlüssel in Tabelle '%-.64s'", -"Fehler beim Schließen von '%-.64s' (Fehler: %d)", -"Fehler beim Lesen der Datei '%-.64s' (Fehler: %d)", -"Fehler beim Umbenennen von '%-.64s' in '%-.64s' (Fehler: %d)", -"Fehler beim Speichern der Datei '%-.64s' (Fehler: %d)", -"'%-.64s' ist für Änderungen gesperrt", -"Sortiervorgang abgebrochen", -"View '%-.64s' existiert für '%-.64s' nicht", -"Fehler %d (Tabellenhandler)", -"Diese Option gibt es nicht (Tabellenhandler)", -"Kann Datensatz nicht finden", -"Falsche Information in Datei '%-.64s'", -"Falsche Schlüssel-Datei für Tabelle '%-.64s'. versuche zu reparieren", -"Alte Schlüssel-Datei für Tabelle '%-.64s'. Bitte reparieren", -"'%-.64s' ist nur lesbar", -"Kein Speicher vorhanden (%d Bytes benötigt). Bitte Server neu starten", -"Kein Speicher zum Sortieren vorhanden. sort_buffer_size sollte erhöht werden", -"Unerwartetes Ende beim Lesen der Datei '%-.64s' (Fehler: %d)", -"Zu viele Verbindungen", -"Kein Speicher mehr vorhanden. Prüfen Sie, ob mysqld oder ein anderer Prozess allen Speicher verbraucht. Wenn nicht, sollten Sie mit 'ulimit' dafür sorgen, dass mysqld mehr Speicher benutzen darf, oder mehr Swap-Speicher einrichten", -"Kann Hostnamen für diese Adresse nicht erhalten", -"Schlechter Handshake", -"Benutzer '%-.32s'@'%-.64s' hat keine Zugriffsberechtigung für Datenbank '%-.64s'", -"Benutzer '%-.32s'@'%-.64s' hat keine Zugriffsberechtigung (verwendetes Passwort: %-.64s)", -"Keine Datenbank ausgewählt", -"Unbekannter Befehl", -"Feld '%-.64s' darf nicht NULL sein", -"Unbekannte Datenbank '%-.64s'", -"Tabelle '%-.64s' bereits vorhanden", -"Unbekannte Tabelle '%-.64s'", -"Spalte '%-.64s' in %-.64s ist nicht eindeutig", -"Der Server wird heruntergefahren", -"Unbekanntes Tabellenfeld '%-.64s' in %-.64s", -"'%-.64s' ist nicht in GROUP BY vorhanden", -"Gruppierung über '%-.64s' nicht möglich", -"Die Verwendung von Summierungsfunktionen und Spalten im selben Befehl ist nicht erlaubt", -"Die Anzahl der Spalten entspricht nicht der Anzahl der Werte", -"Name des Bezeichners '%-.64s' ist zu lang", -"Doppelter Spaltenname vorhanden: '%-.64s'", -"Doppelter Name für Schlüssel (Key) vorhanden: '%-.64s'", -"Doppelter Eintrag '%-.64s' für Schlüssel %d", -"Falsche Spaltenangaben für Spalte '%-.64s'", -"%s bei '%-.80s' in Zeile %d", -"Leere Abfrage", -"Tabellenname/Alias '%-.64s' nicht eindeutig", -"Fehlerhafter Vorgabewert (DEFAULT): '%-.64s'", -"Mehrfacher Primärschlüssel (PRIMARY KEY) definiert", -"Zu viele Schlüssel definiert. Maximal %d Schlüssel erlaubt", -"Zu viele Teilschlüssel definiert. Maximal sind %d Teilschlüssel erlaubt", -"Schlüssel ist zu lang. Die maximale Schlüssellänge beträgt %d", -"In der Tabelle gibt es keine Schlüsselspalte '%-.64s'", -"BLOB-Feld '%-.64s' kann beim verwendeten Tabellentyp nicht als Schlüssel verwendet werden", -"Feldlänge für Feld '%-.64s' zu groß (maximal %d). BLOB-Feld verwenden!", -"Falsche Tabellendefinition. Es darf nur ein Auto-Feld geben und dieses muss als Schlüssel definiert werden", -"%-.64s: Bereit für Verbindungen", -"%-.64s: Normal heruntergefahren\n", -"%-.64s: Signal %d erhalten. Abbruch!\n", -"%-.64s: Heruntergefahren (shutdown)\n", -"%s: Thread %ld zwangsweise beendet. Benutzer: '%-.32s'\n", -"Kann IP-Socket nicht erzeugen", -"Tabelle '%-.64s' besitzt keinen wie den in CREATE INDEX verwendeten Index. Index neu anlegen", -"Feldbegrenzer-Argument ist nicht in der erwarteten Form. Bitte im Handbuch nachlesen", -"Eine feste Zeilenlänge kann für BLOB-Felder nicht verwendet werden. Bitte 'fields terminated by' verwenden", -"Datei '%-.64s' muss im Datenbank-Verzeichnis vorhanden und lesbar für alle sein", -"Datei '%-.64s' bereits vorhanden", -"Datensätze: %ld Gelöscht: %ld Ausgelassen: %ld Warnungen: %ld", -"Datensätze: %ld Duplikate: %ld", -"Falscher Unterteilschlüssel. Der verwendete Schlüsselteil ist entweder kein String, die verwendete Länge ist länger als der Teilschlüssel oder der Tabellenhandler unterstützt keine Unterteilschlüssel", -"Mit ALTER TABLE können nicht alle Felder auf einmal gelöscht werden. Dafür DROP TABLE verwenden", -"Kann '%-.64s' nicht löschen. Existiert das Feld / der Schlüssel?", -"Datensätze: %ld Duplikate: %ld Warnungen: %ld", -"Die Verwendung der zu aktualisierenden Zieltabelle '%-.64s' ist in der FROM-Klausel nicht zulässig.", -"Unbekannte Thread-ID: %lu", -"Sie sind nicht Eigentümer von Thread %lu", -"Keine Tabellen verwendet", -"Zu viele Strings für SET-Spalte %-.64s angegeben", -"Kann keinen eindeutigen Dateinamen für die Logdatei %-.64s erzeugen (1-999)\n", -"Tabelle '%-.64s' ist mit Lesesperre versehen und kann nicht aktualisiert werden", -"Tabelle '%-.64s' wurde nicht mit LOCK TABLES gesperrt", -"BLOB-Feld '%-.64s' darf keinen Vorgabewert (DEFAULT) haben", -"Unerlaubter Datenbankname '%-.64s'", -"Unerlaubter Tabellenname '%-.64s'", -"Die Ausführung des SELECT würde zu viele Datensätze untersuchen und wahrscheinlich sehr lange dauern. Bitte WHERE-Klausel überprüfen oder gegebenenfalls SET SQL_BIG_SELECTS=1 oder SET SQL_MAX_JOIN_SIZE=# verwenden", -"Unbekannter Fehler", -"Unbekannte Prozedur '%-.64s'", -"Falsche Parameterzahl für Prozedur '%-.64s'", -"Falsche Parameter für Prozedur '%-.64s'", -"Unbekannte Tabelle '%-.64s' in '%-.64s'", -"Feld '%-.64s' wurde zweimal angegeben", -"Falsche Verwendung einer Gruppierungsfunktion", -"Tabelle '%-.64s' verwendet eine Extension, die in dieser MySQL-Version nicht verfügbar ist", -"Eine Tabelle muß mindestens 1 Spalte besitzen", -"Tabelle '%-.64s' ist voll", -"Unbekannter Zeichensatz: '%-.64s'", -"Zu viele Tabellen. MySQL kann in einem Join maximal %d Tabellen verwenden", -"Zu viele Spalten", -"Zeilenlänge zu groß. Die maximale Spaltenlänge für den verwendeten Tabellentyp (ohne BLOB-Felder) beträgt %d. Einige Felder müssen in BLOB oder TEXT umgewandelt werden", -"Thread-Stack-Überlauf. Benutzt: %ld von %ld Stack. 'mysqld -O thread_stack=#' verwenen, um notfalls einen größeren Stack anzulegen", -"OUTER JOIN enthält fehlerhafte Abhängigkeiten. In ON verwendete Bedingungen überprüfen", -"Spalte '%-.64s' wurde mit UNIQUE oder INDEX benutzt, ist aber nicht als NOT NULL definiert", -"Kann Funktion '%-.64s' nicht laden", -"Kann Funktion '%-.64s' nicht initialisieren: %-.80s", -"Keine Pfade gestattet für Shared Library", -"Funktion '%-.64s' existiert schon", -"Kann Shared Library '%-.64s' nicht öffnen (Fehler: %d %-.64s)", -"Kann Funktion '%-.64s' in der Library nicht finden", -"Funktion '%-.64s' ist nicht definiert", -"Host '%-.64s' blockiert wegen zu vieler Verbindungsfehler. Aufheben der Blockierung mit 'mysqladmin flush-hosts'", -"Host '%-.64s' hat keine Berechtigung, sich mit diesem MySQL-Server zu verbinden", -"Sie benutzen MySQL als anonymer Benutzer und dürfen daher keine Passwörter ändern", -"Sie benötigen die Berechtigung zum Aktualisieren von Tabellen in der Datenbank 'mysql', um die Passwörter anderer Benutzer ändern zu können", -"Kann keinen passenden Datensatz in Tabelle 'user' finden", -"Datensätze gefunden: %ld Geändert: %ld Warnungen: %ld", -"Kann keinen neuen Thread erzeugen (Fehler: %d). Sollte noch Speicher verfügbar sein, bitte im Handbuch wegen möglicher Fehler im Betriebssystem nachschlagen", -"Anzahl der Spalten stimmt nicht mit der Anzahl der Werte in Zeile %ld überein", -"Kann Tabelle'%-.64s' nicht erneut öffnen", -"Unerlaubte Verwendung eines NULL-Werts", -"regexp lieferte Fehler '%-.64s'", -"Das Vermischen von GROUP-Spalten (MIN(),MAX(),COUNT()...) mit Nicht-GROUP-Spalten ist nicht zulässig, wenn keine GROUP BY-Klausel vorhanden ist", -"Für Benutzer '%-.32s' auf Host '%-.64s' gibt es keine solche Berechtigung", -"%-.16s Befehl nicht erlaubt für Benutzer '%-.32s'@'%-.64s' und für Tabelle '%-.64s'", -"%-.16s Befehl nicht erlaubt für Benutzer '%-.32s'@'%-.64s' und Spalte '%-.64s' in Tabelle '%-.64s'", -"Unzulässiger GRANT- oder REVOKE-Befehl. Verfügbare Berechtigungen sind im Handbuch aufgeführt", -"Das Host- oder User-Argument für GRANT ist zu lang", -"Tabelle '%-.64s.%-.64s' existiert nicht", -"Keine solche Berechtigung für User '%-.32s' auf Host '%-.64s' an Tabelle '%-.64s'", -"Der verwendete Befehl ist in dieser MySQL-Version nicht zulässig", -"Fehler in der SQL-Syntax. Bitte die korrekte Syntax im Handbuch nachschlagen (diese kann für verschiedene Server-Versionen unterschiedlich sein)", -"Verzögerter (DELAYED) Einfüge-Thread konnte die angeforderte Sperre für Tabelle '%-.64s' nicht erhalten", -"Zu viele verzögerte (DELAYED) Threads in Verwendung", -"Abbruch der Verbindung %ld zur Datenbank '%-.64s'. Benutzer: '%-.64s' (%-.64s)", -"Empfangenes Paket ist größer als 'max_allowed_packet'", -"Lese-Fehler bei einer Kommunikations-Pipe", -"fcntl() lieferte einen Fehler", -"Pakete nicht in der richtigen Reihenfolge empfangen", -"Kommunikationspaket lässt sich nicht entpacken", -"Fehler beim Lesen eines Kommunikationspakets", -"Zeitüberschreitung beim Lesen eines Kommunikationspakets", -"Fehler beim Schreiben eines Kommunikationspakets", -"Zeitüberschreitung beim Schreiben eines Kommunikationspakets", -"Ergebnis ist länger als 'max_allowed_packet'", -"Der verwendete Tabellentyp unterstützt keine BLOB- und TEXT-Spalten", -"Der verwendete Tabellentyp unterstützt keine AUTO_INCREMENT-Spalten", -"INSERT DELAYED kann nicht auf Tabelle '%-.64s' angewendet werden, da diese mit LOCK TABLES gesperrt ist", -"Falscher Spaltenname '%-.100s'", -"Der verwendete Tabellen-Handler kann die Spalte '%-.64s' nicht indizieren", -"Nicht alle Tabellen in der MERGE-Tabelle sind gleich definiert", -"Schreiben in Tabelle '%-.64s' nicht möglich wegen einer eindeutigen Beschränkung (unique constraint)", -"BLOB- oder TEXT-Spalte '%-.64s' wird in der Schlüsseldefinition ohne Schlüssellängenangabe verwendet", -"Alle Teile eines PRIMARY KEY müssen als NOT NULL definiert sein. Wenn NULL in einem Schlüssel verwendet wird, muss ein UNIQUE-Schlüssel verwendet werden", -"Ergebnis besteht aus mehr als einer Zeile", -"Dieser Tabellentyp benötigt einen PRIMARY KEY", -"Diese MySQL-Version ist nicht mit RAID-Unterstützung kompiliert", -"MySQL läuft im sicheren Aktualisierungsmodus (safe update mode). Sie haben versucht, eine Tabelle zu aktualisieren, ohne in der WHERE-Klausel eine KEY-Spalte anzugeben", -"Schlüssel '%-.64s' existiert in der Tabelle '%-.64s' nicht", -"Kann Tabelle nicht öffnen", -"Die Speicher-Engine für diese Tabelle unterstützt kein %s", -"Sie dürfen diesen Befehl nicht in einer Transaktion ausführen", -"Fehler %d beim COMMIT", -"Fehler %d beim ROLLBACK", -"Fehler %d bei FLUSH_LOGS", -"Fehler %d bei CHECKPOINT", -"Verbindungsabbruch %ld zur Datenbank '%-.64s'. Benutzer: '%-.32s', Host: `%-.64s' (%-.64s)", -"Die Speicher-Engine für die Tabelle unterstützt keinen binären Tabellen-Dump", -"Binlog geschlossen. Kann RESET MASTER nicht ausführen", -"Neuerstellung des Indizes der Dump-Tabelle '%-.64s' fehlgeschlagen", -"Fehler vom Master: '%-.64s'", -"Netzfehler beim Lesen vom Master", -"Netzfehler beim Schreiben zum Master", -"Kann keinen FULLTEXT-Index finden, der der Spaltenliste entspricht", -"Kann den angegebenen Befehl wegen einer aktiven Tabellensperre oder einer aktiven Transaktion nicht ausführen", -"Unbekannte Systemvariable '%-.64s'", -"Tabelle '%-.64s' ist als defekt markiert und sollte repariert werden", -"Tabelle '%-.64s' ist als defekt markiert und der letzte (automatische?) Reparaturversuch schlug fehl", -"Änderungen an einigen nicht transaktionalen Tabellen konnten nicht zurückgerollt werden", -"Transaktionen, die aus mehreren Befehlen bestehen, benötigen mehr als 'max_binlog_cache_size' Bytes an Speicher. Diese mysqld-Variable bitte vergrössern und erneut versuchen", -"Diese Operation kann nicht bei einem aktiven Slave durchgeführt werden. Bitte zuerst STOP SLAVE ausführen", -"Diese Operation benötigt einen aktiven Slave. Bitte Slave konfigurieren und mittels START SLAVE aktivieren", -"Der Server ist nicht als Slave konfiguriert. Bitte in der Konfigurationsdatei oder mittels CHANGE MASTER TO beheben", -"Could not initialize master info structure, more error messages can be found in the MySQL error log", -"Konnte keinen Slave-Thread starten. Bitte System-Ressourcen überprüfen", -"Benutzer '%-.64s' hat mehr als max_user_connections aktive Verbindungen", -"Bei SET dürfen nur konstante Ausdrücke verwendet werden", -"Beim Warten auf eine Sperre wurde die zulässige Wartezeit überschritten. Bitte versuchen Sie, die Transaktion neu zu starten", -"Die Gesamtzahl der Sperren überschreitet die Größe der Sperrtabelle", -"Während einer READ UNCOMMITED-Transaktion können keine UPDATE-Sperren angefordert werden", -"DROP DATABASE ist nicht erlaubt, solange der Thread eine globale Lesesperre hält", -"CREATE DATABASE ist nicht erlaubt, solange der Thread eine globale Lesesperre hält", -"Falsche Argumente für %s", -"'%-.32s'@'%-.64s' is nicht berechtigt, neue Benutzer hinzuzufügen", -"Falsche Tabellendefinition. Alle MERGE-Tabellen müssen sich in derselben Datenbank befinden", -"Beim Versuch, eine Sperre anzufordern, ist ein Deadlock aufgetreten. Versuchen Sie, die Transaktion erneut zu starten", -"Der verwendete Tabellentyp unterstützt keine FULLTEXT-Indizes", -"Fremdschlüssel-Beschränkung konnte nicht hinzugefügt werden", -"Hinzufügen eines Kind-Datensatzes schlug aufgrund einer Fremdschlüssel-Beschränkung fehl", -"Löschen eines Eltern-Datensatzes schlug aufgrund einer Fremdschlüssel-Beschränkung fehl", -"Fehler bei der Verbindung zum Master: %-.128s", -"Beim Ausführen einer Abfrage auf dem Master trat ein Fehler auf: %-.128s", -"Fehler beim Ausführen des Befehls %s: %-.128s", -"Falsche Verwendung von %s und %s", -"Die verwendeten SELECT-Befehle liefern eine unterschiedliche Anzahl von Spalten zurück", -"Augrund eines READ LOCK-Konflikts kann die Abfrage nicht ausgeführt werden", -"Die gleichzeitige Verwendung von Tabellen mit und ohne Transaktionsunterstützung ist deaktiviert", -"Option '%s' wird im Befehl zweimal verwendet", -"Benutzer '%-.64s' hat die Ressourcenbeschränkung '%s' überschritten (aktueller Wert: %ld)", -"Befehl nicht zulässig. Hierfür wird die Berechtigung %-.128s benötigt", -"Variable '%-.64s' ist eine lokale Variable und kann nicht mit SET GLOBAL verändert werden", -"Variable '%-.64s' ist eine globale Variable und muss mit SET GLOBAL verändert werden", -"Variable '%-.64s' hat keinen Vorgabewert", -"Variable '%-.64s' kann nicht auf '%-.64s' gesetzt werden", -"Falscher Argumenttyp für Variable '%-.64s'", -"Variable '%-.64s' kann nur verändert, nicht gelesen werden", -"Falsche Verwendung oder Platzierung von '%s'", -"Diese MySQL-Version unterstützt '%s' nicht", -"Schwerer Fehler %d: '%-.128s vom Master beim Lesen des binären Logs aufgetreten", -"Slave-SQL-Thread hat die Abfrage aufgrund von replicate-*-table-Regeln ignoriert", -"Variable '%-.64s' is a %s variable", -"Falsche Fremdschlüssel-Definition für '%-64s': %s", -"Schlüssel- und Tabellenverweis passen nicht zusammen", -"Operand solle %d Spalte(n) enthalten", -"Unterabfrage lieferte mehr als einen Datensatz zurück", -"Unbekannter Prepared-Statement-Handler (%.*s) für %s angegeben", -"Die Hilfe-Datenbank ist beschädigt oder existiert nicht", -"Zyklischer Verweis in Unterabfragen", -"Spalte '%s' wird von %s nach %s umgewandelt", -"Verweis '%-.64s' wird nicht unterstützt (%s)", -"Für jede abgeleitete Tabelle muss ein eigener Alias angegeben werden", -"Select %u wurde während der Optimierung reduziert", -"Tabelle '%-.64s', die in einem der SELECT-Befehle verwendet wurde, kann nicht in %-.32s verwendet werden", -"Client unterstützt das vom Server erwartete Authentifizierungsprotokoll nicht. Bitte aktualisieren Sie Ihren MySQL-Client", -"Alle Teile eines SPATIAL KEY müssen als NOT NULL deklariert sein", -"COLLATION '%s' ist für CHARACTER SET '%s' ungültig", -"Slave läuft bereits", -"Slave wurde bereits angehalten", -"Unkomprimierte Daten sind zu groß. Die maximale Größe beträgt %d", -"ZLIB: Steht nicht genug Speicher zur Verfügung", -"ZLIB: Im Ausgabepuffer ist nicht genug Platz vorhanden (wahrscheinlich wurde die Länge der unkomprimierten Daten beschädigt)", -"ZLIB: Eingabedaten beschädigt", -"%d Zeile(n) durch GROUP_CONCAT() abgeschnitten", -"Anzahl der Datensätze in Zeile %ld geringer als Anzahl der Spalten", -"Anzahl der Datensätze in Zeile %ld größer als Anzahl der Spalten", -"Daten abgeschnitten, NULL für NOT NULL-Spalte '%s' in Zeile %ld angegeben", -"Daten abgeschnitten, außerhalb des Wertebereichs für Spalte '%s' in Zeile %ld", -"Daten abgeschnitten für Spalte '%s' in Zeile %ld", -"Für Tabelle '%s' wird Speicher-Engine %s benutzt", -"Unerlaubte Vermischung der Kollationen (%s,%s) und (%s,%s) für die Operation '%s'", -"Kann einen oder mehrere der angegebenen Benutzer nicht löschen", -"Kann nicht alle Berechtigungen widerrufen, grant for one or more of the requested users", -"Unerlaubte Vermischung der Kollationen (%s,%s), (%s,%s), (%s,%s) für die Operation '%s'", -"Unerlaubte Vermischung der Kollationen für die Operation '%s'", -"Variable '%-.64s' ist keine Variablen-Komponenten (kann nicht als XXXX.variablen_name verwendet werden)", -"Unbekannte Kollation: '%-.64s'", -"SSL-Parameter in CHANGE MASTER werden ignoriert, weil dieser MySQL-Slave ohne SSL-Unterstützung kompiliert wurde. Sie können aber später verwendet werden, wenn der MySQL-Slave mit SSL gestartet wird", -"Server läuft im Modus --secure-auth, aber '%s'@'%s' hat ein Passwort im alten Format. Bitte Passwort ins neue Format ändern", -"Feld oder Verweis '%-.64s%s%-.64s%s%-.64s' im SELECT-Befehl Nr. %d wurde im SELECT-Befehl Nr. %d aufgelöst", -"Falscher Parameter oder falsche Kombination von Parametern für START SLAVE UNTIL", -"Es wird empfohlen, mit --skip-slave-start zu starten, wenn mit START SLAVE UNTIL eine Schritt-für-Schritt-Replikation ausgeführt wird. Ansonsten gibt es Probleme, wenn der Slave-Server unerwartet neu startet", -"SQL-Thread soll nicht gestartet werden. Daher werden UNTIL-Optionen ignoriert", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"Query cache failed to set size %lu, new query cache size is %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated, use '%s' instead", -"The target table %-.100s of the %s is not updateable", -"The '%s' feature was disabled; you need MySQL built with '%s' to have it working", -"The MySQL server is running with the %s option so it cannot execute this statement", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated wrong %-.32s value: '%-.128s'" -"Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' column", -"This command is not supported in the prepared statement protocol yet", -"Got error %d '%-.100s' from %s", -"Got temporary error %d '%-.100s' from %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s, expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Das Kommando %s scheiterte für %.256s", diff --git a/sql/share/greek/errmsg.txt b/sql/share/greek/errmsg.txt deleted file mode 100644 index 0bfcf513001..00000000000 --- a/sql/share/greek/errmsg.txt +++ /dev/null @@ -1,415 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -character-set=greek - -"hashchk", -"isamchk", -"Ï×É", -"ÍÁÉ", -"Áäýíáôç ç äçìéïõñãßá ôïõ áñ÷åßïõ '%-.64s' (êùäéêüò ëÜèïõò: %d)", -"Áäýíáôç ç äçìéïõñãßá ôïõ ðßíáêá '%-.64s' (êùäéêüò ëÜèïõò: %d)", -"Áäýíáôç ç äçìéïõñãßá ôçò âÜóçò äåäïìÝíùí '%-.64s' (êùäéêüò ëÜèïõò: %d)", -"Áäýíáôç ç äçìéïõñãßá ôçò âÜóçò äåäïìÝíùí '%-.64s'; Ç âÜóç äåäïìÝíùí õðÜñ÷åé Þäç", -"Áäýíáôç ç äéáãñáöÞ ôçò âÜóçò äåäïìÝíùí '%-.64s'. Ç âÜóç äåäïìÝíùí äåí õðÜñ÷åé", -"ÐáñïõóéÜóôçêå ðñüâëçìá êáôÜ ôç äéáãñáöÞ ôçò âÜóçò äåäïìÝíùí (áäýíáôç ç äéáãñáöÞ '%-.64s', êùäéêüò ëÜèïõò: %d)", -"ÐáñïõóéÜóôçêå ðñüâëçìá êáôÜ ôç äéáãñáöÞ ôçò âÜóçò äåäïìÝíùí (áäýíáôç ç äéáãñáöÞ ôïõ öáêÝëëïõ '%-.64s', êùäéêüò ëÜèïõò: %d)", -"ÐáñïõóéÜóôçêå ðñüâëçìá êáôÜ ôç äéáãñáöÞ '%-.64s' (êùäéêüò ëÜèïõò: %d)", -"Áäýíáôç ç áíÜãíùóç åããñáöÞò áðü ðßíáêá ôïõ óõóôÞìáôïò", -"Áäýíáôç ç ëÞøç ðëçñïöïñéþí ãéá ôçí êáôÜóôáóç ôïõ '%-.64s' (êùäéêüò ëÜèïõò: %d)", -"Ï öÜêåëëïò åñãáóßáò äåí âñÝèçêå (êùäéêüò ëÜèïõò: %d)", -"Ôï áñ÷åßï äåí ìðïñåß íá êëåéäùèåß (êùäéêüò ëÜèïõò: %d)", -"Äåí åßíáé äõíáôü íá áíïé÷ôåß ôï áñ÷åßï: '%-.64s' (êùäéêüò ëÜèïõò: %d)", -"Äåí âñÝèçêå ôï áñ÷åßï: '%-.64s' (êùäéêüò ëÜèïõò: %d)", -"Äåí åßíáé äõíáôü íá äéáâáóôåß ï öÜêåëëïò ôïõ '%-.64s' (êùäéêüò ëÜèïõò: %d)", -"Áäýíáôç ç áëëáãÞ ôïõ ôñÝ÷ïíôïò êáôáëüãïõ óå '%-.64s' (êùäéêüò ëÜèïõò: %d)", -"Ç åããñáöÞ Ý÷åé áëëÜîåé áðü ôçí ôåëåõôáßá öïñÜ ðïõ áíáóýñèçêå áðü ôïí ðßíáêá '%-.64s'", -"Äåí õðÜñ÷åé ÷þñïò óôï äßóêï (%s). Ðáñáêáëþ, ðåñéìÝíåôå íá åëåõèåñùèåß ÷þñïò...", -"Äåí åßíáé äõíáôÞ ç êáôá÷þñçóç, ç ôéìÞ õðÜñ÷åé Þäç óôïí ðßíáêá '%-.64s'", -"ÐáñïõóéÜóôçêå ðñüâëçìá êëåßíïíôáò ôï '%-.64s' (êùäéêüò ëÜèïõò: %d)", -"Ðñüâëçìá êáôÜ ôçí áíÜãíùóç ôïõ áñ÷åßïõ '%-.64s' (êùäéêüò ëÜèïõò: %d)", -"Ðñüâëçìá êáôÜ ôçí ìåôïíïìáóßá ôïõ áñ÷åßïõ '%-.64s' to '%-.64s' (êùäéêüò ëÜèïõò: %d)", -"Ðñüâëçìá êáôÜ ôçí áðïèÞêåõóç ôïõ áñ÷åßïõ '%-.64s' (êùäéêüò ëÜèïõò: %d)", -"'%-.64s' äåí åðéôñÝðïíôáé áëëáãÝò", -"Ç äéáäéêáóßá ôáîéíüìéóçò áêõñþèçêå", -"Ôï View '%-.64s' äåí õðÜñ÷åé ãéá '%-.64s'", -"ÅëÞöèç ìÞíõìá ëÜèïõò %d áðü ôïí ÷åéñéóôÞ ðßíáêá (table handler)", -"Ï ÷åéñéóôÞò ðßíáêá (table handler) ãéá '%-.64s' äåí äéáèÝôåé áõôÞ ôçí åðéëïãÞ", -"Áäýíáôç ç áíåýñåóç åããñáöÞò óôï '%-.64s'", -"ËÜèïò ðëçñïöïñßåò óôï áñ÷åßï: '%-.64s'", -"ËÜèïò áñ÷åßï ôáîéíüìéóçò (key file) ãéá ôïí ðßíáêá: '%-.64s'; Ðáñáêáëþ, äéïñèþóôå ôï!", -"Ðáëáéü áñ÷åßï ôáîéíüìéóçò (key file) ãéá ôïí ðßíáêá '%-.64s'; Ðáñáêáëþ, äéïñèþóôå ôï!", -"'%-.64s' åðéôñÝðåôáé ìüíï ç áíÜãíùóç", -"Äåí õðÜñ÷åé äéáèÝóéìç ìíÞìç. ÐñïóðáèÞóôå ðÜëé, åðáíåêéíþíôáò ôç äéáäéêáóßá (demon) (÷ñåéÜæïíôáé %d bytes)", -"Äåí õðÜñ÷åé äéáèÝóéìç ìíÞìç ãéá ôáîéíüìéóç. ÁõîÞóôå ôï sort buffer size ãéá ôç äéáäéêáóßá (demon)", -"ÊáôÜ ôç äéÜñêåéá ôçò áíÜãíùóçò, âñÝèçêå áðñïóäüêçôá ôï ôÝëïò ôïõ áñ÷åßïõ '%-.64s' (êùäéêüò ëÜèïõò: %d)", -"ÕðÜñ÷ïõí ðïëëÝò óõíäÝóåéò...", -"Ðñüâëçìá ìå ôç äéáèÝóéìç ìíÞìç (Out of thread space/memory)", -"Äåí Ýãéíå ãíùóôü ôï hostname ãéá ôçí address óáò", -"Ç áíáãíþñéóç (handshake) äåí Ýãéíå óùóôÜ", -"Äåí åðéôÝñåôáé ç ðñüóâáóç óôï ÷ñÞóôç: '%-.32s'@'%-.64s' óôç âÜóç äåäïìÝíùí '%-.64s'", -"Äåí åðéôÝñåôáé ç ðñüóâáóç óôï ÷ñÞóôç: '%-.32s'@'%-.64s' (÷ñÞóç password: %s)", -"Äåí åðéëÝ÷èçêå âÜóç äåäïìÝíùí", -"Áãíùóôç åíôïëÞ", -"Ôï ðåäßï '%-.64s' äåí ìðïñåß íá åßíáé êåíü (null)", -"Áãíùóôç âÜóç äåäïìÝíùí '%-.64s'", -"Ï ðßíáêáò '%-.64s' õðÜñ÷åé Þäç", -"Áãíùóôïò ðßíáêáò '%-.64s'", -"Ôï ðåäßï: '%-.64s' óå %-.64s äåí Ý÷åé êáèïñéóôåß", -"Åíáñîç äéáäéêáóßáò áðïóýíäåóçò ôïõ åîõðçñåôçôÞ (server shutdown)", -"Áãíùóôï ðåäßï '%-.64s' óå '%-.64s'", -"×ñçóéìïðïéÞèçêå '%-.64s' ðïõ äåí õðÞñ÷å óôï group by", -"Áäýíáôç ç ïìáäïðïßçóç (group on) '%-.64s'", -"Ç äéáôýðùóç ðåñéÝ÷åé sum functions êáé columns óôçí ßäéá äéáôýðùóç", -"Ôï Column count äåí ôáéñéÜæåé ìå ôï value count", -"Ôï identifier name '%-.100s' åßíáé ðïëý ìåãÜëï", -"ÅðáíÜëçøç column name '%-.64s'", -"ÅðáíÜëçøç key name '%-.64s'", -"ÄéðëÞ åããñáöÞ '%-.64s' ãéá ôï êëåéäß %d", -"ÅóöáëìÝíï column specifier ãéá ôï ðåäßï '%-.64s'", -"%s ðëçóßïí '%-.80s' óôç ãñáììÞ %d", -"Ôï åñþôçìá (query) ðïõ èÝóáôå Þôáí êåíü", -"Áäýíáôç ç áíåýñåóç unique table/alias: '%-.64s'", -"ÅóöáëìÝíç ðñïêáèïñéóìÝíç ôéìÞ (default value) ãéá '%-.64s'", -"Ðåñéóóüôåñá áðü Ýíá primary key ïñßóôçêáí", -"ÐÜñá ðïëëÜ key ïñßóèçêáí. Ôï ðïëý %d åðéôñÝðïíôáé", -"ÐÜñá ðïëëÜ key parts ïñßóèçêáí. Ôï ðïëý %d åðéôñÝðïíôáé", -"Ôï êëåéäß ðïõ ïñßóèçêå åßíáé ðïëý ìåãÜëï. Ôï ìÝãéóôï ìÞêïò åßíáé %d", -"Ôï ðåäßï êëåéäß '%-.64s' äåí õðÜñ÷åé óôïí ðßíáêá", -"Ðåäßï ôýðïõ Blob '%-.64s' äåí ìðïñåß íá ÷ñçóéìïðïéçèåß óôïí ïñéóìü åíüò êëåéäéïý (key specification)", -"Ðïëý ìåãÜëï ìÞêïò ãéá ôï ðåäßï '%-.64s' (max = %d). Ðáñáêáëþ ÷ñçóéìïðïéåßóôå ôïí ôýðï BLOB", -"Ìðïñåß íá õðÜñ÷åé ìüíï Ýíá auto field êáé ðñÝðåé íá Ý÷åé ïñéóèåß óáí key", -"%s: óå áíáìïíÞ óõíäÝóåùí", -"%s: ÖõóéïëïãéêÞ äéáäéêáóßá shutdown\n", -"%s: ÅëÞöèç ôï ìÞíõìá %d. Ç äéáäéêáóßá åãêáôáëåßðåôáé!\n", -"%s: Ç äéáäéêáóßá Shutdown ïëïêëçñþèçêå\n", -"%s: Ôï thread èá êëåßóåé %ld user: '%-.64s'\n", -"Äåí åßíáé äõíáôÞ ç äçìéïõñãßá IP socket", -"Ï ðßíáêáò '%-.64s' äåí Ý÷åé åõñåôÞñéï (index) óáí áõôü ðïõ ÷ñçóéìïðïéåßôå óôçí CREATE INDEX. Ðáñáêáëþ, îáíáäçìéïõñãÞóôå ôïí ðßíáêá", -"Ï äéá÷ùñéóôÞò ðåäßùí äåí åßíáé áõôüò ðïõ áíáìåíüôáí. Ðáñáêáëþ áíáôñÝîôå óôï manual", -"Äåí ìðïñåßôå íá ÷ñçóéìïðïéÞóåôå fixed rowlength óå BLOBs. Ðáñáêáëþ ÷ñçóéìïðïéåßóôå 'fields terminated by'.", -"Ôï áñ÷åßï '%-.64s' ðñÝðåé íá õðÜñ÷åé óôï database directory Þ íá ìðïñåß íá äéáâáóôåß áðü üëïõò", -"Ôï áñ÷åßï '%-.64s' õðÜñ÷åé Þäç", -"ÅããñáöÝò: %ld ÄéáãñáöÝò: %ld ÐáñåêÜìöèçóáí: %ld ÐñïåéäïðïéÞóåéò: %ld", -"ÅããñáöÝò: %ld ÅðáíáëÞøåéò: %ld", -"ÅóöáëìÝíï sub part key. Ôï ÷ñçóéìïðïéïýìåíï key part äåí åßíáé string Þ ôï ìÞêïò ôïõ åßíáé ìåãáëýôåñï", -"Äåí åßíáé äõíáôÞ ç äéáãñáöÞ üëùí ôùí ðåäßùí ìå ALTER TABLE. Ðáñáêáëþ ÷ñçóéìïðïéåßóôå DROP TABLE", -"Áäýíáôç ç äéáãñáöÞ (DROP) '%-.64s'. Ðáñáêáëþ åëÝãîôå áí ôï ðåäßï/êëåéäß õðÜñ÷åé", -"ÅããñáöÝò: %ld ÅðáíáëÞøåéò: %ld ÐñïåéäïðïéÞóåéò: %ld", -"You can't specify target table '%-.64s' for update in FROM clause", -"Áãíùóôï thread id: %lu", -"Äåí åßóèå owner ôïõ thread %lu", -"Äåí ÷ñçóéìïðïéÞèçêáí ðßíáêåò", -"ÐÜñá ðïëëÜ strings ãéá ôï ðåäßï %-.64s êáé SET", -"Áäýíáôç ç äçìéïõñãßá unique log-filename %-.64s.(1-999)\n", -"Ï ðßíáêáò '%-.64s' Ý÷åé êëåéäùèåß ìå READ lock êáé äåí åðéôñÝðïíôáé áëëáãÝò", -"Ï ðßíáêáò '%-.64s' äåí Ý÷åé êëåéäùèåß ìå LOCK TABLES", -"Ôá Blob ðåäßá '%-.64s' äåí ìðïñïýí íá Ý÷ïõí ðñïêáèïñéóìÝíåò ôéìÝò (default value)", -"ËÜèïò üíïìá âÜóçò äåäïìÝíùí '%-.100s'", -"ËÜèïò üíïìá ðßíáêá '%-.100s'", -"Ôï SELECT èá åîåôÜóåé ìåãÜëï áñéèìü åããñáöþí êáé ðéèáíþò èá êáèõóôåñÞóåé. Ðáñáêáëþ åîåôÜóôå ôéò ðáñáìÝôñïõò ôïõ WHERE êáé ÷ñçóéìïðïéåßóôå SET SQL_BIG_SELECTS=1 áí ôï SELECT åßíáé óùóôü", -"ÐñïÝêõøå Üãíùóôï ëÜèïò", -"Áãíùóôç äéáäéêáóßá '%-.64s'", -"ËÜèïò áñéèìüò ðáñáìÝôñùí óôç äéáäéêáóßá '%-.64s'", -"ËÜèïò ðáñÜìåôñïé óôçí äéáäéêáóßá '%-.64s'", -"Áãíùóôïò ðßíáêáò '%-.64s' óå %s", -"Ôï ðåäßï '%-.64s' Ý÷åé ïñéóèåß äýï öïñÝò", -"ÅóöáëìÝíç ÷ñÞóç ôçò group function", -"Ï ðßíáêò '%-.64s' ÷ñçóéìïðïéåß êÜðïéï extension ðïõ äåí õðÜñ÷åé óôçí Ýêäïóç áõôÞ ôçò MySQL", -"Åíáò ðßíáêáò ðñÝðåé íá Ý÷åé ôïõëÜ÷éóôïí Ýíá ðåäßï", -"Ï ðßíáêáò '%-.64s' åßíáé ãåìÜôïò", -"Áãíùóôï character set: '%-.64s'", -"Ðïëý ìåãÜëïò áñéèìüò ðéíÜêùí. Ç MySQL ìðïñåß íá ÷ñçóéìïðïéÞóåé %d ðßíáêåò óå äéáäéêáóßá join", -"Ðïëý ìåãÜëïò áñéèìüò ðåäßùí", -"Ðïëý ìåãÜëï ìÝãåèïò åããñáöÞò. Ôï ìÝãéóôï ìÝãåèïò åããñáöÞò, ÷ùñßò íá õðïëïãßæïíôáé ôá blobs, åßíáé %d. ÐñÝðåé íá ïñßóåôå êÜðïéá ðåäßá óáí blobs", -"Stack overrun óôï thread: Used: %ld of a %ld stack. Ðáñáêáëþ ÷ñçóéìïðïéåßóôå 'mysqld -O thread_stack=#' ãéá íá ïñßóåôå Ýíá ìåãáëýôåñï stack áí ÷ñåéÜæåôáé", -"Cross dependency âñÝèçêå óå OUTER JOIN. Ðáñáêáëþ åîåôÜóôå ôéò óõíèÞêåò ðïõ èÝóáôå óôï ON", -"Ôï ðåäßï '%-.64s' ÷ñçóéìïðïéåßôáé óáí UNIQUE Þ INDEX áëëÜ äåí Ý÷åé ïñéóèåß óáí NOT NULL", -"Äåí åßíáé äõíáôÞ ç äéáäéêáóßá load ãéá ôç óõíÜñôçóç '%-.64s'", -"Äåí åßíáé äõíáôÞ ç Ýíáñîç ôçò óõíÜñôçóçò '%-.64s'; %-.80s", -"Äåí âñÝèçêáí paths ãéá ôçí shared library", -"Ç óõíÜñôçóç '%-.64s' õðÜñ÷åé Þäç", -"Äåí åßíáé äõíáôÞ ç áíÜãíùóç ôçò shared library '%-.64s' (êùäéêüò ëÜèïõò: %d %s)", -"Äåí åßíáé äõíáôÞ ç áíåýñåóç ôçò óõíÜñôçóçò '%-.64s' óôçí âéâëéïèÞêç'", -"Ç óõíÜñôçóç '%-.64s' äåí Ý÷åé ïñéóèåß", -"Ï õðïëïãéóôÞò Ý÷åé áðïêëåéóèåß ëüãù ðïëëáðëþí ëáèþí óýíäåóçò. ÐñïóðáèÞóôå íá äéïñþóåôå ìå 'mysqladmin flush-hosts'", -"Ï õðïëïãéóôÞò äåí Ý÷åé äéêáßùìá óýíäåóçò ìå ôïí MySQL server", -"×ñçóéìïðïéåßôå ôçí MySQL óáí anonymous user êáé Ýôóé äåí ìðïñåßôå íá áëëÜîåôå ôá passwords Üëëùí ÷ñçóôþí", -"ÐñÝðåé íá Ý÷åôå äéêáßùìá äéüñèùóçò ðéíÜêùí (update) óôç âÜóç äåäïìÝíùí mysql ãéá íá ìðïñåßôå íá áëëÜîåôå ôá passwords Üëëùí ÷ñçóôþí", -"Äåí åßíáé äõíáôÞ ç áíåýñåóç ôçò áíôßóôïé÷çò åããñáöÞò óôïí ðßíáêá ôùí ÷ñçóôþí", -"Rows matched: %ld Changed: %ld Warnings: %ld", -"Can't create a new thread (errno %d); if you are not out of available memory, you can consult the manual for a possible OS-dependent bug", -"Column count doesn't match value count at row %ld", -"Can't reopen table: '%-.64s'", -"Invalid use of NULL value", -"Got error '%-.64s' from regexp", -"Mixing of GROUP columns (MIN(),MAX(),COUNT(),...) with no GROUP columns is illegal if there is no GROUP BY clause", -"There is no such grant defined for user '%-.32s' on host '%-.64s'", -"%-.16s command denied to user '%-.32s'@'%-.64s' for table '%-.64s'", -"%-.16s command denied to user '%-.32s'@'%-.64s' for column '%-.64s' in table '%-.64s'", -"Illegal GRANT/REVOKE command; please consult the manual to see which privileges can be used.", -"The host or user argument to GRANT is too long", -"Table '%-.64s.%-.64s' doesn't exist", -"There is no such grant defined for user '%-.32s' on host '%-.64s' on table '%-.64s'", -"The used command is not allowed with this MySQL version", -"You have an error in your SQL syntax", -"Delayed insert thread couldn't get requested lock for table %-.64s", -"Too many delayed threads in use", -"Aborted connection %ld to db: '%-.64s' user: '%-.32s' (%-.64s)", -"Got a packet bigger than 'max_allowed_packet' bytes", -"Got a read error from the connection pipe", -"Got an error from fcntl()", -"Got packets out of order", -"Couldn't uncompress communication packet", -"Got an error reading communication packets", -"Got timeout reading communication packets", -"Got an error writing communication packets", -"Got timeout writing communication packets", -"Result string is longer than 'max_allowed_packet' bytes", -"The used table type doesn't support BLOB/TEXT columns", -"The used table type doesn't support AUTO_INCREMENT columns", -"INSERT DELAYED can't be used with table '%-.64s', because it is locked with LOCK TABLES", -"Incorrect column name '%-.100s'", -"The used table handler can't index column '%-.64s'", -"All tables in the MERGE table are not identically defined", -"Can't write, because of unique constraint, to table '%-.64s'", -"BLOB column '%-.64s' used in key specification without a key length", -"All parts of a PRIMARY KEY must be NOT NULL; if you need NULL in a key, use UNIQUE instead", -"Result consisted of more than one row", -"This table type requires a primary key", -"This version of MySQL is not compiled with RAID support", -"You are using safe update mode and you tried to update a table without a WHERE that uses a KEY column", -"Key '%-.64s' doesn't exist in table '%-.64s'", -"Can't open table", -"The handler for the table doesn't support %s", -"You are not allowed to execute this command in a transaction", -"Got error %d during COMMIT", -"Got error %d during ROLLBACK", -"Got error %d during FLUSH_LOGS", -"Got error %d during CHECKPOINT", -"Aborted connection %ld to db: '%-.64s' user: '%-.32s' host: `%-.64s' (%-.64s)", -"The handler for the table does not support binary table dump", -"Binlog closed while trying to FLUSH MASTER", -"Failed rebuilding the index of dumped table '%-.64s'", -"Error from master: '%-.64s'", -"Net error reading from master", -"Net error writing to master", -"Can't find FULLTEXT index matching the column list", -"Can't execute the given command because you have active locked tables or an active transaction", -"Unknown system variable '%-.64s'", -"Table '%-.64s' is marked as crashed and should be repaired", -"Table '%-.64s' is marked as crashed and last (automatic?) repair failed", -"Some non-transactional changed tables couldn't be rolled back", -"Multi-statement transaction required more than 'max_binlog_cache_size' bytes of storage; increase this mysqld variable and try again", -"This operation cannot be performed with a running slave; run STOP SLAVE first", -"This operation requires a running slave; configure slave and do START SLAVE", -"The server is not configured as slave; fix in config file or with CHANGE MASTER TO", -"Could not initialize master info structure; more error messages can be found in the MySQL error log", -"Could not create slave thread; check system resources", -"User %-.64s has already more than 'max_user_connections' active connections", -"You may only use constant expressions with SET", -"Lock wait timeout exceeded; try restarting transaction", -"The total number of locks exceeds the lock table size", -"Update locks cannot be acquired during a READ UNCOMMITTED transaction", -"DROP DATABASE not allowed while thread is holding global read lock", -"CREATE DATABASE not allowed while thread is holding global read lock", -"Incorrect arguments to %s", -"'%-.32s'@'%-.64s' is not allowed to create new users", -"Incorrect table definition; all MERGE tables must be in the same database", -"Deadlock found when trying to get lock; try restarting transaction", -"The used table type doesn't support FULLTEXT indexes", -"Cannot add foreign key constraint", -"Cannot add a child row: a foreign key constraint fails", -"Cannot delete a parent row: a foreign key constraint fails", -"Error connecting to master: %-.128s", -"Error running query on master: %-.128s", -"Error when executing command %s: %-.128s", -"Incorrect usage of %s and %s", -"The used SELECT statements have a different number of columns", -"Can't execute the query because you have a conflicting read lock", -"Mixing of transactional and non-transactional tables is disabled", -"Option '%s' used twice in statement", -"User '%-.64s' has exceeded the '%s' resource (current value: %ld)", -"Access denied; you need the %-.128s privilege for this operation", -"Variable '%-.64s' is a SESSION variable and can't be used with SET GLOBAL", -"Variable '%-.64s' is a GLOBAL variable and should be set with SET GLOBAL", -"Variable '%-.64s' doesn't have a default value", -"Variable '%-.64s' can't be set to the value of '%-.64s'", -"Incorrect argument type to variable '%-.64s'", -"Variable '%-.64s' can only be set, not read", -"Incorrect usage/placement of '%s'", -"This version of MySQL doesn't yet support '%s'", -"Got fatal error %d: '%-.128s' from master when reading data from binary log", -"Slave SQL thread ignored the query because of replicate-*-table rules", -"Variable '%-.64s' is a %s variable", -"Incorrect foreign key definition for '%-.64s': %s", -"Key reference and table reference don't match", -"Operand should contain %d column(s)", -"Subquery returns more than 1 row", -"Unknown prepared statement handler (%.*s) given to %s", -"Help database is corrupt or does not exist", -"Cyclic reference on subqueries", -"Converting column '%s' from %s to %s", -"Reference '%-.64s' not supported (%s)", -"Every derived table must have its own alias", -"Select %u was reduced during optimization", -"Table '%-.64s' from one of the SELECTs cannot be used in %-.32s", -"Client does not support authentication protocol requested by server; consider upgrading MySQL client", -"All parts of a SPATIAL index must be NOT NULL", -"COLLATION '%s' is not valid for CHARACTER SET '%s'", -"Slave is already running", -"Slave has already been stopped", -"Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)", -"ZLIB: Not enough memory", -"ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)", -"ZLIB: Input data corrupted", -"%d line(s) were cut by GROUP_CONCAT()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; it contained more data than there were input columns", -"Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld", -"Out of range value adjusted for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Using storage engine %s for table '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"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", -"Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format", -"Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d", -"Incorrect parameter or combination of parameters for START SLAVE UNTIL", -"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", -"SQL thread is not to be started so UNTIL options are ignored", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"Query cache failed to set size %lu, new query cache size is %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated, use '%s' instead", -"The target table %-.100s of the %s is not updateable", -"The '%s' feature was disabled; you need MySQL built with '%s' to have it working", -"The MySQL server is running with the %s option so it cannot execute this statement", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated wrong %-.32s value: '%-.128s'" -"Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' column", -"This command is not supported in the prepared statement protocol yet", -"Got error %d '%-.100s' from %s", -"Got temporary error %d '%-.100s' from %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/hungarian/errmsg.txt b/sql/share/hungarian/errmsg.txt deleted file mode 100644 index 51338770817..00000000000 --- a/sql/share/hungarian/errmsg.txt +++ /dev/null @@ -1,420 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -/* - Translated by Feher Peter. Forditotta Feher Peter (feherp@mail.matav.hu) 1998 - Updated May, 2000 -*/ - -character-set=latin2 - -"hashchk", -"isamchk", -"NEM", -"IGEN", -"A '%-.64s' file nem hozhato letre (hibakod: %d)", -"A '%-.64s' tabla nem hozhato letre (hibakod: %d)", -"Az '%-.64s' adatbazis nem hozhato letre (hibakod: %d)", -"Az '%-.64s' adatbazis nem hozhato letre Az adatbazis mar letezik", -"A(z) '%-.64s' adatbazis nem szuntetheto meg. Az adatbazis nem letezik", -"Adatbazis megszuntetesi hiba ('%-.64s' nem torolheto, hibakod: %d)", -"Adatbazis megszuntetesi hiba ('%-.64s' nem szuntetheto meg, hibakod: %d)", -"Torlesi hiba: '%-.64s' (hibakod: %d)", -"Nem olvashato rekord a rendszertablaban", -"A(z) '%-.64s' statusza nem allapithato meg (hibakod: %d)", -"A munkakonyvtar nem allapithato meg (hibakod: %d)", -"A file nem zarolhato. (hibakod: %d)", -"A '%-.64s' file nem nyithato meg (hibakod: %d)", -"A(z) '%-.64s' file nem talalhato (hibakod: %d)", -"A(z) '%-.64s' konyvtar nem olvashato. (hibakod: %d)", -"Konyvtarvaltas nem lehetseges a(z) '%-.64s'-ba. (hibakod: %d)", -"A(z) '%-.64s' tablaban talalhato rekord megvaltozott az utolso olvasas ota", -"A lemez megtelt (%s).", -"Irasi hiba, duplikalt kulcs a '%-.64s' tablaban.", -"Hiba a(z) '%-.64s' zarasakor. (hibakod: %d)", -"Hiba a '%-.64s'file olvasasakor. (hibakod: %d)", -"Hiba a '%-.64s' file atnevezesekor. (hibakod: %d)", -"Hiba a '%-.64s' file irasakor. (hibakod: %d)", -"'%-.64s' a valtoztatas ellen zarolva", -"Sikertelen rendezes", -"A(z) '%-.64s' nezet nem letezik a(z) '%-.64s'-hoz", -"%d hibajelzes a tablakezelotol", -"A(z) '%-.64s' tablakezelonek nincs ilyen opcioja", -"Nem talalhato a rekord '%-.64s'-ben", -"Ervenytelen info a file-ban: '%-.64s'", -"Ervenytelen kulcsfile a tablahoz: '%-.64s'; probalja kijavitani!", -"Regi kulcsfile a '%-.64s'tablahoz; probalja kijavitani!", -"'%-.64s' irasvedett", -"Nincs eleg memoria. Inditsa ujra a demont, es probalja ismet. (%d byte szukseges.)", -"Nincs eleg memoria a rendezeshez. Novelje a rendezo demon puffermeretet", -"Varatlan filevege-jel a '%-.64s'olvasasakor. (hibakod: %d)", -"Tul sok kapcsolat", -"Elfogyott a thread-memoria", -"A gepnev nem allapithato meg a cimbol", -"A kapcsolatfelvetel nem sikerult (Bad handshake)", -"A(z) '%-.32s'@'%-.64s' felhasznalo szamara tiltott eleres az '%-.64s' adabazishoz.", -"A(z) '%-.32s'@'%-.64s' felhasznalo szamara tiltott eleres. (Hasznalja a jelszot: %s)", -"Nincs kivalasztott adatbazis", -"Ervenytelen parancs", -"A(z) '%-.64s' oszlop erteke nem lehet nulla", -"Ervenytelen adatbazis: '%-.64s'", -"A(z) '%-.64s' tabla mar letezik", -"Ervenytelen tabla: '%-.64s'", -"A(z) '%-.64s' oszlop %-.64s-ben ketertelmu", -"A szerver leallitasa folyamatban", -"A(z) '%-.64s' oszlop ervenytelen '%-.64s'-ben", -"Used '%-.64s' with wasn't in group by", -"A group nem hasznalhato: '%-.64s'", -"Statement has sum functions and columns in same statement", -"Az oszlopban levo ertek nem egyezik meg a szamitott ertekkel", -"A(z) '%-.100s' azonositonev tul hosszu.", -"Duplikalt oszlopazonosito: '%-.64s'", -"Duplikalt kulcsazonosito: '%-.64s'", -"Duplikalt bejegyzes '%-.64s' a %d kulcs szerint.", -"Rossz oszlopazonosito: '%-.64s'", -"A %s a '%-.80s'-hez kozeli a %d sorban", -"Ures lekerdezes.", -"Nem egyedi tabla/alias: '%-.64s'", -"Ervenytelen ertek: '%-.64s'", -"Tobbszoros elsodleges kulcs definialas.", -"Tul sok kulcs. Maximum %d kulcs engedelyezett.", -"Tul sok kulcsdarabot definialt. Maximum %d resz engedelyezett", -"A megadott kulcs tul hosszu. Maximalis kulcshosszusag: %d", -"A(z) '%-.64s'kulcsoszlop nem letezik a tablaban", -"Blob objektum '%-.64s' nem hasznalhato kulcskent", -"A(z) '%-.64s' oszlop tul hosszu. (maximum = %d). Hasznaljon BLOB tipust inkabb.", -"Csak egy auto mezo lehetseges, es azt kulcskent kell definialni.", -"%s: kapcsolatra kesz", -"%s: Normal leallitas\n", -"%s: %d jelzes. Megszakitva!\n", -"%s: A leallitas kesz\n", -"%s: A(z) %ld thread kenyszeritett zarasa. Felhasznalo: '%-.64s'\n", -"Az IP socket nem hozhato letre", -"A(z) '%-.64s' tablahoz nincs meg a CREATE INDEX altal hasznalt index. Alakitsa at a tablat", -"A mezoelvalaszto argumentumok nem egyeznek meg a varttal. Nezze meg a kezikonyvben!", -"Fix hosszusagu BLOB-ok nem hasznalhatok. Hasznalja a 'mezoelvalaszto jelet' .", -"A(z) '%-.64s'-nak az adatbazis konyvtarban kell lennie, vagy mindenki szamara olvashatonak", -"A '%-.64s' file mar letezik.", -"Rekordok: %ld Torolve: %ld Skipped: %ld Warnings: %ld", -"Rekordok: %ld Duplikalva: %ld", -"Rossz alkulcs. A hasznalt kulcsresz nem karaktersorozat vagy hosszabb, mint a kulcsresz", -"Az osszes mezo nem torolheto az ALTER TABLE-lel. Hasznalja a DROP TABLE-t helyette", -"A DROP '%-.64s' nem lehetseges. Ellenorizze, hogy a mezo/kulcs letezik-e", -"Rekordok: %ld Duplikalva: %ld Warnings: %ld", -"You can't specify target table '%-.64s' for update in FROM clause", -"Ervenytelen szal (thread) id: %lu", -"A %lu thread-nek mas a tulajdonosa", -"Nincs hasznalt tabla", -"Tul sok karakter: %-.64s es SET", -"Egyedi log-filenev nem generalhato: %-.64s.(1-999)\n", -"A(z) '%-.64s' tabla zarolva lett (READ lock) es nem lehet frissiteni", -"A(z) '%-.64s' tabla nincs zarolva a LOCK TABLES-szel", -"A(z) '%-.64s' blob objektumnak nem lehet alapertelmezett erteke", -"Hibas adatbazisnev: '%-.100s'", -"Hibas tablanev: '%-.100s'", -"A SELECT tul sok rekordot fog megvizsgalni es nagyon sokaig fog tartani. Ellenorizze a WHERE-t es hasznalja a SET SQL_BIG_SELECTS=1 beallitast, ha a SELECT okay", -"Ismeretlen hiba", -"Ismeretlen eljaras: '%-.64s'", -"Rossz parameter a(z) '%-.64s'eljaras szamitasanal", -"Rossz parameter a(z) '%-.64s' eljarasban", -"Ismeretlen tabla: '%-.64s' %s-ban", -"A(z) '%-.64s' mezot ketszer definialta", -"A group funkcio ervenytelen hasznalata", -"A(z) '%-.64s' tabla olyan bovitest hasznal, amely nem letezik ebben a MySQL versioban.", -"A tablanak legalabb egy oszlopot tartalmazni kell", -"A '%-.64s' tabla megtelt", -"Ervenytelen karakterkeszlet: '%-.64s'", -"Tul sok tabla. A MySQL csak %d tablat tud kezelni osszefuzeskor", -"Tul sok mezo", -"Tul nagy sormeret. A maximalis sormeret (nem szamolva a blob objektumokat) %d. Nehany mezot meg kell valtoztatnia", -"Thread verem tullepes: Used: %ld of a %ld stack. Hasznalja a 'mysqld -O thread_stack=#' nagyobb verem definialasahoz", -"Keresztfuggoseg van az OUTER JOIN-ban. Ellenorizze az ON felteteleket", -"A(z) '%-.64s' oszlop INDEX vagy UNIQUE (egyedi), de a definicioja szerint nem NOT NULL", -"A(z) '%-.64s' fuggveny nem toltheto be", -"A(z) '%-.64s' fuggveny nem inicializalhato; %-.80s", -"Nincs ut a megosztott konyvtarakhoz (shared library)", -"A '%-.64s' fuggveny mar letezik", -"A(z) '%-.64s' megosztott konyvtar nem hasznalhato (hibakod: %d %s)", -"A(z) '%-.64s' fuggveny nem talalhato a konyvtarban", -"A '%-.64s' fuggveny nem definialt", -"A '%-.64s' host blokkolodott, tul sok kapcsolodasi hiba miatt. Hasznalja a 'mysqladmin flush-hosts' parancsot", -"A '%-.64s' host szamara nem engedelyezett a kapcsolodas ehhez a MySQL szerverhez", -"Nevtelen (anonymous) felhasznalokent nem negedelyezett a jelszovaltoztatas", -"Onnek tabla-update joggal kell rendelkeznie a mysql adatbazisban masok jelszavanak megvaltoztatasahoz", -"Nincs megegyezo sor a user tablaban", -"Megegyezo sorok szama: %ld Valtozott: %ld Warnings: %ld", -"Uj thread letrehozasa nem lehetseges (Hibakod: %d). Amenyiben van meg szabad memoria, olvassa el a kezikonyv operacios rendszerfuggo hibalehetosegekrol szolo reszet", -"Az oszlopban talalhato ertek nem egyezik meg a %ld sorban szamitott ertekkel", -"Nem lehet ujra-megnyitni a tablat: '%-.64s", -"A NULL ervenytelen hasznalata", -"'%-.64s' hiba a regularis kifejezes hasznalata soran (regexp)", -"A GROUP mezok (MIN(),MAX(),COUNT()...) kevert hasznalata nem lehetseges GROUP BY hivatkozas nelkul", -"A '%-.32s' felhasznalonak nincs ilyen joga a '%-.64s' host-on", -"%-.16s parancs a '%-.32s'@'%-.64s' felhasznalo szamara nem engedelyezett a '%-.64s' tablaban", -"%-.16s parancs a '%-.32s'@'%-.64s' felhasznalo szamara nem engedelyezett a '%-.64s' mezo eseten a '%-.64s' tablaban", -"Ervenytelen GRANT/REVOKE parancs. Kerem, nezze meg a kezikonyvben, milyen jogok lehetsegesek", -"A host vagy felhasznalo argumentuma tul hosszu a GRANT parancsban", -"A '%-.64s.%s' tabla nem letezik", -"A '%-.32s' felhasznalo szamara a '%-.64s' host '%-.64s' tablajaban ez a parancs nem engedelyezett", -"A hasznalt parancs nem engedelyezett ebben a MySQL verzioban", -"Szintaktikai hiba", -"A kesleltetett beillesztes (delayed insert) thread nem kapott zatolast a %-.64s tablahoz", -"Tul sok kesletetett thread (delayed)", -"Megszakitott kapcsolat %ld db: '%-.64s' adatbazishoz, felhasznalo: '%-.64s' (%s)", -"A kapott csomag nagyobb, mint a maximalisan engedelyezett: 'max_allowed_packet'", -"Olvasasi hiba a kapcsolat soran", -"Hiba a fcntl() fuggvenyben", -"Helytelen sorrendben erkezett adatcsomagok", -"A kommunikacios adatcsomagok nem tomorithetok ki", -"HIba a kommunikacios adatcsomagok olvasasa soran", -"Idotullepes a kommunikacios adatcsomagok olvasasa soran", -"Hiba a kommunikacios csomagok irasa soran", -"Idotullepes a kommunikacios csomagok irasa soran", -"Ez eredmeny sztring nagyobb, mint a lehetseges maximum: 'max_allowed_packet'", -"A hasznalt tabla tipus nem tamogatja a BLOB/TEXT mezoket", -"A hasznalt tabla tipus nem tamogatja az AUTO_INCREMENT tipusu mezoket", -"Az INSERT DELAYED nem hasznalhato a '%-.64s' tablahoz, mert a tabla zarolt (LOCK TABLES)", -"Ervenytelen mezonev: '%-.100s'", -"A hasznalt tablakezelo nem tudja a '%-.64s' mezot indexelni", -"A MERGE tablaban talalhato tablak definicioja nem azonos", -"A '%-.64s' nem irhato, az egyedi mezok miatt", -"BLOB mezo '%-.64s' hasznalt a mezo specifikacioban, a mezohossz megadasa nelkul", -"Az elsodleges kulcs teljes egeszeben csak NOT NULL tipusu lehet; Ha NULL mezot szeretne a kulcskent, hasznalja inkabb a UNIQUE-ot", -"Az eredmeny tobb, mint egy sort tartalmaz", -"Az adott tablatipushoz elsodleges kulcs hasznalata kotelezo", -"Ezen leforditott MySQL verzio nem tartalmaz RAID support-ot", -"On a biztonsagos update modot hasznalja, es WHERE that uses a KEY column", -"A '%-.64s' kulcs nem letezik a '%-.64s' tablaban", -"Nem tudom megnyitni a tablat", -"A tabla kezeloje (handler) nem tamogatja az %s", -"Az On szamara nem engedelyezett a parancs vegrehajtasa a tranzakcioban", -"%d hiba a COMMIT vegrehajtasa soran", -"%d hiba a ROLLBACK vegrehajtasa soran", -"%d hiba a FLUSH_LOGS vegrehajtasa soran", -"%d hiba a CHECKPOINT vegrehajtasa soran", -"Aborted connection %ld to db: '%-.64s' user: '%-.32s' host: `%-.64s' (%-.64s)", -"The handler for the table does not support binary table dump", -"Binlog closed while trying to FLUSH MASTER", -"Failed rebuilding the index of dumped table '%-.64s'", -"Error from master: '%-.64s'", -"Net error reading from master", -"Net error writing to master", -"Can't find FULLTEXT index matching the column list", -"Can't execute the given command because you have active locked tables or an active transaction", -"Unknown system variable '%-.64s'", -"Table '%-.64s' is marked as crashed and should be repaired", -"Table '%-.64s' is marked as crashed and last (automatic?) repair failed", -"Some non-transactional changed tables couldn't be rolled back", -"Multi-statement transaction required more than 'max_binlog_cache_size' bytes of storage; increase this mysqld variable and try again", -"This operation cannot be performed with a running slave; run STOP SLAVE first", -"This operation requires a running slave; configure slave and do START SLAVE", -"The server is not configured as slave; fix in config file or with CHANGE MASTER TO", -"Could not initialize master info structure; more error messages can be found in the MySQL error log", -"Could not create slave thread; check system resources", -"User %-.64s has already more than 'max_user_connections' active connections", -"You may only use constant expressions with SET", -"Lock wait timeout exceeded; try restarting transaction", -"The total number of locks exceeds the lock table size", -"Update locks cannot be acquired during a READ UNCOMMITTED transaction", -"DROP DATABASE not allowed while thread is holding global read lock", -"CREATE DATABASE not allowed while thread is holding global read lock", -"Incorrect arguments to %s", -"'%-.32s'@'%-.64s' is not allowed to create new users", -"Incorrect table definition; all MERGE tables must be in the same database", -"Deadlock found when trying to get lock; try restarting transaction", -"The used table type doesn't support FULLTEXT indexes", -"Cannot add foreign key constraint", -"Cannot add a child row: a foreign key constraint fails", -"Cannot delete a parent row: a foreign key constraint fails", -"Error connecting to master: %-.128s", -"Error running query on master: %-.128s", -"Error when executing command %s: %-.128s", -"Incorrect usage of %s and %s", -"The used SELECT statements have a different number of columns", -"Can't execute the query because you have a conflicting read lock", -"Mixing of transactional and non-transactional tables is disabled", -"Option '%s' used twice in statement", -"User '%-.64s' has exceeded the '%s' resource (current value: %ld)", -"Access denied; you need the %-.128s privilege for this operation", -"Variable '%-.64s' is a SESSION variable and can't be used with SET GLOBAL", -"Variable '%-.64s' is a GLOBAL variable and should be set with SET GLOBAL", -"Variable '%-.64s' doesn't have a default value", -"Variable '%-.64s' can't be set to the value of '%-.64s'", -"Incorrect argument type to variable '%-.64s'", -"Variable '%-.64s' can only be set, not read", -"Incorrect usage/placement of '%s'", -"This version of MySQL doesn't yet support '%s'", -"Got fatal error %d: '%-.128s' from master when reading data from binary log", -"Slave SQL thread ignored the query because of replicate-*-table rules", -"Variable '%-.64s' is a %s variable", -"Incorrect foreign key definition for '%-.64s': %s", -"Key reference and table reference don't match", -"Operand should contain %d column(s)", -"Subquery returns more than 1 row", -"Unknown prepared statement handler (%.*s) given to %s", -"Help database is corrupt or does not exist", -"Cyclic reference on subqueries", -"Converting column '%s' from %s to %s", -"Reference '%-.64s' not supported (%s)", -"Every derived table must have its own alias", -"Select %u was reduced during optimization", -"Table '%-.64s' from one of the SELECTs cannot be used in %-.32s", -"Client does not support authentication protocol requested by server; consider upgrading MySQL client", -"All parts of a SPATIAL index must be NOT NULL", -"COLLATION '%s' is not valid for CHARACTER SET '%s'", -"Slave is already running", -"Slave has already been stopped", -"Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)", -"ZLIB: Not enough memory", -"ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)", -"ZLIB: Input data corrupted", -"%d line(s) were cut by GROUP_CONCAT()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; it contained more data than there were input columns", -"Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld", -"Out of range value adjusted for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Using storage engine %s for table '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"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", -"Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format", -"Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d", -"Incorrect parameter or combination of parameters for START SLAVE UNTIL", -"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", -"SQL thread is not to be started so UNTIL options are ignored", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"Query cache failed to set size %lu, new query cache size is %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated, use '%s' instead", -"The target table %-.100s of the %s is not updateable", -"The '%s' feature was disabled; you need MySQL built with '%s' to have it working", -"The MySQL server is running with the %s option so it cannot execute this statement", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated wrong %-.32s value: '%-.128s'" -"Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' column", -"This command is not supported in the prepared statement protocol yet", -"Got error %d '%-.100s' from %s", -"Got temporary error %d '%-.100s' from %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/italian/errmsg.txt b/sql/share/italian/errmsg.txt deleted file mode 100644 index f7f553c0eca..00000000000 --- a/sql/share/italian/errmsg.txt +++ /dev/null @@ -1,415 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -character-set=latin1 - -"hashchk", -"isamchk", -"NO", -"SI", -"Impossibile creare il file '%-.64s' (errno: %d)", -"Impossibile creare la tabella '%-.64s' (errno: %d)", -"Impossibile creare il database '%-.64s' (errno: %d)", -"Impossibile creare il database '%-.64s'; il database esiste", -"Impossibile cancellare '%-.64s'; il database non esiste", -"Errore durante la cancellazione del database (impossibile cancellare '%-.64s', errno: %d)", -"Errore durante la cancellazione del database (impossibile rmdir '%-.64s', errno: %d)", -"Errore durante la cancellazione di '%-.64s' (errno: %d)", -"Impossibile leggere il record dalla tabella di sistema", -"Impossibile leggere lo stato di '%-.64s' (errno: %d)", -"Impossibile leggere la directory di lavoro (errno: %d)", -"Impossibile il locking il file (errno: %d)", -"Impossibile aprire il file: '%-.64s' (errno: %d)", -"Impossibile trovare il file: '%-.64s' (errno: %d)", -"Impossibile leggere la directory di '%-.64s' (errno: %d)", -"Impossibile cambiare la directory in '%-.64s' (errno: %d)", -"Il record e` cambiato dall'ultima lettura della tabella '%-.64s'", -"Disco pieno (%s). In attesa che qualcuno liberi un po' di spazio...", -"Scrittura impossibile: chiave duplicata nella tabella '%-.64s'", -"Errore durante la chiusura di '%-.64s' (errno: %d)", -"Errore durante la lettura del file '%-.64s' (errno: %d)", -"Errore durante la rinominazione da '%-.64s' a '%-.64s' (errno: %d)", -"Errore durante la scrittura del file '%-.64s' (errno: %d)", -"'%-.64s' e` soggetto a lock contro i cambiamenti", -"Operazione di ordinamento abbandonata", -"La view '%-.64s' non esiste per '%-.64s'", -"Rilevato l'errore %d dal gestore delle tabelle", -"Il gestore delle tabelle per '%-.64s' non ha questa opzione", -"Impossibile trovare il record in '%-.64s'", -"Informazione errata nel file: '%-.64s'", -"File chiave errato per la tabella : '%-.64s'; prova a riparalo", -"File chiave vecchio per la tabella '%-.64s'; riparalo!", -"'%-.64s' e` di sola lettura", -"Memoria esaurita. Fai ripartire il demone e riprova (richiesti %d bytes)", -"Memoria per gli ordinamenti esaurita. Incrementare il 'sort_buffer' al demone", -"Fine del file inaspettata durante la lettura del file '%-.64s' (errno: %d)", -"Troppe connessioni", -"Fine dello spazio/memoria per i thread", -"Impossibile risalire al nome dell'host dall'indirizzo (risoluzione inversa)", -"Negoziazione impossibile", -"Accesso non consentito per l'utente: '%-.32s'@'%-.64s' al database '%-.64s'", -"Accesso non consentito per l'utente: '%-.32s'@'%-.64s' (Password: %s)", -"Nessun database selezionato", -"Comando sconosciuto", -"La colonna '%-.64s' non puo` essere nulla", -"Database '%-.64s' sconosciuto", -"La tabella '%-.64s' esiste gia`", -"Tabella '%-.64s' sconosciuta", -"Colonna: '%-.64s' di %-.64s e` ambigua", -"Shutdown del server in corso", -"Colonna sconosciuta '%-.64s' in '%-.64s'", -"Usato '%-.64s' che non e` nel GROUP BY", -"Impossibile raggruppare per '%-.64s'", -"Il comando ha una funzione SUM e una colonna non specificata nella GROUP BY", -"Il numero delle colonne non e` uguale al numero dei valori", -"Il nome dell'identificatore '%-.100s' e` troppo lungo", -"Nome colonna duplicato '%-.64s'", -"Nome chiave duplicato '%-.64s'", -"Valore duplicato '%-.64s' per la chiave %d", -"Specifica errata per la colonna '%-.64s'", -"%s vicino a '%-.80s' linea %d", -"La query e` vuota", -"Tabella/alias non unico: '%-.64s'", -"Valore di default non valido per '%-.64s'", -"Definite piu` chiave primarie", -"Troppe chiavi. Sono ammesse max %d chiavi", -"Troppe parti di chiave specificate. Sono ammesse max %d parti", -"La chiave specificata e` troppo lunga. La max lunghezza della chiave e` %d", -"La colonna chiave '%-.64s' non esiste nella tabella", -"La colonna BLOB '%-.64s' non puo` essere usata nella specifica della chiave", -"La colonna '%-.64s' e` troppo grande (max=%d). Utilizza un BLOB.", -"Puo` esserci solo un campo AUTO e deve essere definito come chiave", -"%s: Pronto per le connessioni\n", -"%s: Shutdown normale\n", -"%s: Ricevuto segnale %d. Interruzione!\n", -"%s: Shutdown completato\n", -"%s: Forzata la chiusura del thread %ld utente: '%-.64s'\n", -"Impossibile creare il socket IP", -"La tabella '%-.64s' non ha nessun indice come quello specificatato dalla CREATE INDEX. Ricrea la tabella", -"L'argomento 'Field separator' non e` quello atteso. Controlla il manuale", -"Non possono essere usate righe a lunghezza fissa con i BLOB. Usa 'FIELDS TERMINATED BY'.", -"Il file '%-.64s' deve essere nella directory del database e deve essere leggibile da tutti", -"Il file '%-.64s' esiste gia`", -"Records: %ld Cancellati: %ld Saltati: %ld Avvertimenti: %ld", -"Records: %ld Duplicati: %ld", -"Sotto-parte della chiave errata. La parte di chiave utilizzata non e` una stringa o la lunghezza e` maggiore della parte di chiave.", -"Non si possono cancellare tutti i campi con una ALTER TABLE. Utilizzare DROP TABLE", -"Impossibile cancellare '%-.64s'. Controllare che il campo chiave esista", -"Records: %ld Duplicati: %ld Avvertimenti: %ld", -"You can't specify target table '%-.64s' for update in FROM clause", -"Thread id: %lu sconosciuto", -"Utente non proprietario del thread %lu", -"Nessuna tabella usata", -"Troppe stringhe per la colonna %-.64s e la SET", -"Impossibile generare un nome del file log unico %-.64s.(1-999)\n", -"La tabella '%-.64s' e` soggetta a lock in lettura e non puo` essere aggiornata", -"Non e` stato impostato il lock per la tabella '%-.64s' con LOCK TABLES", -"Il campo BLOB '%-.64s' non puo` avere un valore di default", -"Nome database errato '%-.100s'", -"Nome tabella errato '%-.100s'", -"La SELECT dovrebbe esaminare troppi record e usare troppo tempo. Controllare la WHERE e usa SET SQL_BIG_SELECTS=1 se e` tutto a posto.", -"Errore sconosciuto", -"Procedura '%-.64s' sconosciuta", -"Numero di parametri errato per la procedura '%-.64s'", -"Parametri errati per la procedura '%-.64s'", -"Tabella '%-.64s' sconosciuta in %s", -"Campo '%-.64s' specificato 2 volte", -"Uso non valido di una funzione di raggruppamento", -"La tabella '%-.64s' usa un'estensione che non esiste in questa versione di MySQL", -"Una tabella deve avere almeno 1 colonna", -"La tabella '%-.64s' e` piena", -"Set di caratteri '%-.64s' sconosciuto", -"Troppe tabelle. MySQL puo` usare solo %d tabelle in una join", -"Troppi campi", -"Riga troppo grande. La massima grandezza di una riga, non contando i BLOB, e` %d. Devi cambiare alcuni campi in BLOB", -"Thread stack overrun: Usati: %ld di uno stack di %ld. Usa 'mysqld -O thread_stack=#' per specificare uno stack piu` grande.", -"Trovata una dipendenza incrociata nella OUTER JOIN. Controlla le condizioni ON", -"La colonna '%-.64s' e` usata con UNIQUE o INDEX ma non e` definita come NOT NULL", -"Impossibile caricare la funzione '%-.64s'", -"Impossibile inizializzare la funzione '%-.64s'; %-.80s", -"Non sono ammessi path per le librerie condivisa", -"La funzione '%-.64s' esiste gia`", -"Impossibile aprire la libreria condivisa '%-.64s' (errno: %d %s)", -"Impossibile trovare la funzione '%-.64s' nella libreria", -"La funzione '%-.64s' non e` definita", -"Sistema '%-.64s' bloccato a causa di troppi errori di connessione. Per sbloccarlo: 'mysqladmin flush-hosts'", -"Al sistema '%-.64s' non e` consentita la connessione a questo server MySQL", -"Impossibile cambiare la password usando MySQL come utente anonimo", -"E` necessario il privilegio di update sulle tabelle del database mysql per cambiare le password per gli altri utenti", -"Impossibile trovare la riga corrispondente nella tabella user", -"Rows riconosciute: %ld Cambiate: %ld Warnings: %ld", -"Impossibile creare un nuovo thread (errno %d). Se non ci sono problemi di memoria disponibile puoi consultare il manuale per controllare possibili problemi dipendenti dal SO", -"Il numero delle colonne non corrisponde al conteggio alla riga %ld", -"Impossibile riaprire la tabella: '%-.64s'", -"Uso scorretto del valore NULL", -"Errore '%-.64s' da regexp", -"Il mescolare funzioni di aggregazione (MIN(),MAX(),COUNT()...) e non e` illegale se non c'e` una clausula GROUP BY", -"GRANT non definita per l'utente '%-.32s' dalla macchina '%-.64s'", -"Comando %-.16s negato per l'utente: '%-.32s'@'%-.64s' sulla tabella '%-.64s'", -"Comando %-.16s negato per l'utente: '%-.32s'@'%-.64s' sulla colonna '%-.64s' della tabella '%-.64s'", -"Comando GRANT/REVOKE illegale. Prego consultare il manuale per sapere quali privilegi possono essere usati.", -"L'argomento host o utente per la GRANT e` troppo lungo", -"La tabella '%-.64s.%s' non esiste", -"GRANT non definita per l'utente '%-.32s' dalla macchina '%-.64s' sulla tabella '%-.64s'", -"Il comando utilizzato non e` supportato in questa versione di MySQL", -"Errore di sintassi nella query SQL", -"Il thread di inserimento ritardato non riesce ad ottenere il lock per la tabella %-.64s", -"Troppi threads ritardati in uso", -"Interrotta la connessione %ld al db: '%-.64s' utente: '%-.64s' (%s)", -"Ricevuto un pacchetto piu` grande di 'max_allowed_packet'", -"Rilevato un errore di lettura dalla pipe di connessione", -"Rilevato un errore da fcntl()", -"Ricevuti pacchetti non in ordine", -"Impossibile scompattare i pacchetti di comunicazione", -"Rilevato un errore ricevendo i pacchetti di comunicazione", -"Rilevato un timeout ricevendo i pacchetti di comunicazione", -"Rilevato un errore inviando i pacchetti di comunicazione", -"Rilevato un timeout inviando i pacchetti di comunicazione", -"La stringa di risposta e` piu` lunga di 'max_allowed_packet'", -"Il tipo di tabella usata non supporta colonne di tipo BLOB/TEXT", -"Il tipo di tabella usata non supporta colonne di tipo AUTO_INCREMENT", -"L'inserimento ritardato (INSERT DELAYED) non puo` essere usato con la tabella '%-.64s', perche` soggetta a lock da 'LOCK TABLES'", -"Nome colonna '%-.100s' non corretto", -"Il gestore delle tabelle non puo` indicizzare la colonna '%-.64s'", -"Non tutte le tabelle nella tabella di MERGE sono definite in maniera identica", -"Impossibile scrivere nella tabella '%-.64s' per limitazione di unicita`", -"La colonna '%-.64s' di tipo BLOB e` usata in una chiave senza specificarne la lunghezza", -"Tutte le parti di una chiave primaria devono essere dichiarate NOT NULL; se necessitano valori NULL nelle chiavi utilizzare UNIQUE", -"Il risultato consiste di piu` di una riga", -"Questo tipo di tabella richiede una chiave primaria", -"Questa versione di MYSQL non e` compilata con il supporto RAID", -"In modalita` 'safe update' si e` cercato di aggiornare una tabella senza clausola WHERE su una chiave", -"La chiave '%-.64s' non esiste nella tabella '%-.64s'", -"Impossibile aprire la tabella", -"Il gestore per la tabella non supporta il %s", -"Non puoi eseguire questo comando in una transazione", -"Rilevato l'errore %d durante il COMMIT", -"Rilevato l'errore %d durante il ROLLBACK", -"Rilevato l'errore %d durante il FLUSH_LOGS", -"Rilevato l'errore %d durante il CHECKPOINT", -"Interrotta la connessione %ld al db: ''%-.64s' utente: '%-.32s' host: '%-.64s' (%-.64s)", -"Il gestore per la tabella non supporta il dump binario", -"Binlog e` stato chiuso durante l'esecuzione del FLUSH MASTER", -"Fallita la ricostruzione dell'indice della tabella copiata '%-.64s'", -"Errore dal master: '%-.64s", -"Errore di rete durante la ricezione dal master", -"Errore di rete durante l'invio al master", -"Impossibile trovare un indice FULLTEXT che corrisponda all'elenco delle colonne", -"Impossibile eseguire il comando richiesto: tabelle sotto lock o transazione in atto", -"Variabile di sistema '%-.64s' sconosciuta", -"La tabella '%-.64s' e` segnalata come corrotta e deve essere riparata", -"La tabella '%-.64s' e` segnalata come corrotta e l'ultima ricostruzione (automatica?) e` fallita", -"Attenzione: Alcune delle modifiche alle tabelle non transazionali non possono essere ripristinate (roll back impossibile)", -"La transazione a comandi multipli (multi-statement) ha richiesto piu` di 'max_binlog_cache_size' bytes di disco: aumentare questa variabile di mysqld e riprovare", -"Questa operazione non puo' essere eseguita con un database 'slave' che gira, lanciare prima STOP SLAVE", -"Questa operaione richiede un database 'slave', configurarlo ed eseguire START SLAVE", -"Il server non e' configurato come 'slave', correggere il file di configurazione cambiando CHANGE MASTER TO", -"Could not initialize master info structure, more error messages can be found in the MySQL error log", -"Impossibile creare il thread 'slave', controllare le risorse di sistema", -"L'utente %-.64s ha gia' piu' di 'max_user_connections' connessioni attive", -"Si possono usare solo espressioni costanti con SET", -"E' scaduto il timeout per l'attesa del lock", -"Il numero totale di lock e' maggiore della grandezza della tabella di lock", -"I lock di aggiornamento non possono essere acquisiti durante una transazione 'READ UNCOMMITTED'", -"DROP DATABASE non e' permesso mentre il thread ha un lock globale di lettura", -"CREATE DATABASE non e' permesso mentre il thread ha un lock globale di lettura", -"Argomenti errati a %s", -"A '%-.32s'@'%-.64s' non e' permesso creare nuovi utenti", -"Definizione della tabella errata; tutte le tabelle di tipo MERGE devono essere nello stesso database", -"Trovato deadlock durante il lock; Provare a far ripartire la transazione", -"La tabella usata non supporta gli indici FULLTEXT", -"Impossibile aggiungere il vincolo di integrita' referenziale (foreign key constraint)", -"Impossibile aggiungere la riga: un vincolo d'integrita' referenziale non e' soddisfatto", -"Impossibile cancellare la riga: un vincolo d'integrita' referenziale non e' soddisfatto", -"Errore durante la connessione al master: %-.128s", -"Errore eseguendo una query sul master: %-.128s", -"Errore durante l'esecuzione del comando %s: %-.128s", -"Uso errato di %s e %s", -"La SELECT utilizzata ha un numero di colonne differente", -"Impossibile eseguire la query perche' c'e' un conflitto con in lock di lettura", -"E' disabilitata la possibilita' di mischiare tabelle transazionali e non-transazionali", -"L'opzione '%s' e' stata usata due volte nel comando", -"L'utente '%-.64s' ha ecceduto la risorsa '%s' (valore corrente: %ld)", -"Accesso non consentito. Serve il privilegio %-.128s per questa operazione", -"La variabile '%-.64s' e' una variabile locale ( SESSION ) e non puo' essere cambiata usando SET GLOBAL", -"La variabile '%-.64s' e' una variabile globale ( GLOBAL ) e deve essere cambiata usando SET GLOBAL", -"La variabile '%-.64s' non ha un valore di default", -"Alla variabile '%-.64s' non puo' essere assegato il valore '%-.64s'", -"Tipo di valore errato per la variabile '%-.64s'", -"Alla variabile '%-.64s' e' di sola scrittura quindi puo' essere solo assegnato un valore, non letto", -"Uso/posizione di '%s' sbagliato", -"Questa versione di MySQL non supporta ancora '%s'", -"Errore fatale %d: '%-.128s' dal master leggendo i dati dal log binario", -"Slave SQL thread ignored the query because of replicate-*-table rules", -"Variable '%-.64s' is a %s variable", -"Incorrect foreign key definition for '%-.64s': %s", -"Key reference and table reference don't match", -"Operand should contain %d column(s)", -"Subquery returns more than 1 row", -"Unknown prepared statement handler (%.*s) given to %s", -"Help database is corrupt or does not exist", -"Cyclic reference on subqueries", -"Converting column '%s' from %s to %s", -"Reference '%-.64s' not supported (%s)", -"Every derived table must have its own alias", -"Select %u was reduced during optimization", -"Table '%-.64s' from one of the SELECTs cannot be used in %-.32s", -"Client does not support authentication protocol requested by server; consider upgrading MySQL client", -"All parts of a SPATIAL index must be NOT NULL", -"COLLATION '%s' is not valid for CHARACTER SET '%s'", -"Slave is already running", -"Slave has already been stopped", -"Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)", -"ZLIB: Not enough memory", -"ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)", -"ZLIB: Input data corrupted", -"%d line(s) were cut by GROUP_CONCAT()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; it contained more data than there were input columns", -"Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld", -"Out of range value adjusted for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Using storage engine %s for table '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"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", -"Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format", -"Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d", -"Incorrect parameter or combination of parameters for START SLAVE UNTIL", -"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", -"SQL thread is not to be started so UNTIL options are ignored", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"Query cache failed to set size %lu, new query cache size is %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated, use '%s' instead", -"The target table %-.100s of the %s is not updateable", -"The '%s' feature was disabled; you need MySQL built with '%s' to have it working", -"The MySQL server is running with the %s option so it cannot execute this statement", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated wrong %-.32s value: '%-.128s'" -"Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' column", -"This command is not supported in the prepared statement protocol yet", -"Got error %d '%-.100s' from %s", -"Got temporary error %d '%-.100s' from %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/japanese/errmsg.txt b/sql/share/japanese/errmsg.txt deleted file mode 100644 index 694447caa48..00000000000 --- a/sql/share/japanese/errmsg.txt +++ /dev/null @@ -1,419 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -/* - 3.22.10-beta euc-japanese (ujis) text -*/ - -character-set=ujis - -"hashchk", -"isamchk", -"NO", -"YES", -"'%-.64s' ¥Õ¥¡¥¤¥ë¤¬ºî¤ì¤Þ¤»¤ó (errno: %d)", -"'%-.64s' ¥Æ¡¼¥Ö¥ë¤¬ºî¤ì¤Þ¤»¤ó.(errno: %d)", -"'%-.64s' ¥Ç¡¼¥¿¥Ù¡¼¥¹¤¬ºî¤ì¤Þ¤»¤ó (errno: %d)", -"'%-.64s' ¥Ç¡¼¥¿¥Ù¡¼¥¹¤¬ºî¤ì¤Þ¤»¤ó.´û¤Ë¤½¤Î¥Ç¡¼¥¿¥Ù¡¼¥¹¤¬Â¸ºß¤·¤Þ¤¹", -"'%-.64s' ¥Ç¡¼¥¿¥Ù¡¼¥¹¤òÇË´þ¤Ç¤­¤Þ¤»¤ó. ¤½¤Î¥Ç¡¼¥¿¥Ù¡¼¥¹¤¬¤Ê¤¤¤Î¤Ç¤¹.", -"¥Ç¡¼¥¿¥Ù¡¼¥¹ÇË´þ¥¨¥é¡¼ ('%-.64s' ¤òºï½ü¤Ç¤­¤Þ¤»¤ó, errno: %d)", -"¥Ç¡¼¥¿¥Ù¡¼¥¹ÇË´þ¥¨¥é¡¼ ('%-.64s' ¤ò rmdir ¤Ç¤­¤Þ¤»¤ó, errno: %d)", -"'%-.64s' ¤Îºï½ü¤¬¥¨¥é¡¼ (errno: %d)", -"system table ¤Î¥ì¥³¡¼¥É¤òÆÉ¤à»ö¤¬¤Ç¤­¤Þ¤»¤ó¤Ç¤·¤¿", -"'%-.64s' ¤Î¥¹¥Æ¥¤¥¿¥¹¤¬ÆÀ¤é¤ì¤Þ¤»¤ó. (errno: %d)", -"working directory ¤òÆÀ¤ë»ö¤¬¤Ç¤­¤Þ¤»¤ó¤Ç¤·¤¿ (errno: %d)", -"¥Õ¥¡¥¤¥ë¤ò¥í¥Ã¥¯¤Ç¤­¤Þ¤»¤ó (errno: %d)", -"'%-.64s' ¥Õ¥¡¥¤¥ë¤ò³«¤¯»ö¤¬¤Ç¤­¤Þ¤»¤ó (errno: %d)", -"'%-.64s' ¥Õ¥¡¥¤¥ë¤ò¸«ÉÕ¤±¤ë»ö¤¬¤Ç¤­¤Þ¤»¤ó.(errno: %d)", -"'%-.64s' ¥Ç¥£¥ì¥¯¥È¥ê¤¬ÆÉ¤á¤Þ¤»¤ó.(errno: %d)", -"'%-.64s' ¥Ç¥£¥ì¥¯¥È¥ê¤Ë chdir ¤Ç¤­¤Þ¤»¤ó.(errno: %d)", -"Record has changed since last read in table '%-.64s'", -"Disk full (%s). 狼¤¬²¿¤«¤ò¸º¤é¤¹¤Þ¤Ç¤Þ¤Ã¤Æ¤¯¤À¤µ¤¤...", -"table '%-.64s' ¤Ë key ¤¬½ÅÊ£¤·¤Æ¤¤¤Æ½ñ¤­¤³¤á¤Þ¤»¤ó", -"Error on close of '%-.64s' (errno: %d)", -"'%-.64s' ¥Õ¥¡¥¤¥ë¤ÎÆÉ¤ß¹þ¤ß¥¨¥é¡¼ (errno: %d)", -"'%-.64s' ¤ò '%-.64s' ¤Ë rename ¤Ç¤­¤Þ¤»¤ó (errno: %d)", -"'%-.64s' ¥Õ¥¡¥¤¥ë¤ò½ñ¤¯»ö¤¬¤Ç¤­¤Þ¤»¤ó (errno: %d)", -"'%-.64s' ¤Ï¥í¥Ã¥¯¤µ¤ì¤Æ¤¤¤Þ¤¹", -"Sort ÃæÃÇ", -"View '%-.64s' ¤¬ '%-.64s' ¤ËÄêµÁ¤µ¤ì¤Æ¤¤¤Þ¤»¤ó", -"Got error %d from table handler", -"Table handler for '%-.64s' doesn't have this option", -"'%-.64s'¤Î¤Ê¤«¤Ë¥ì¥³¡¼¥É¤¬¸«ÉÕ¤«¤ê¤Þ¤»¤ó", -"¥Õ¥¡¥¤¥ë '%-.64s' ¤Î info ¤¬´Ö°ã¤Ã¤Æ¤¤¤ë¤è¤¦¤Ç¤¹", -"'%-.64s' ¥Æ¡¼¥Ö¥ë¤Î key file ¤¬´Ö°ã¤Ã¤Æ¤¤¤ë¤è¤¦¤Ç¤¹. ½¤Éü¤ò¤·¤Æ¤¯¤À¤µ¤¤", -"'%-.64s' ¥Æ¡¼¥Ö¥ë¤Ï¸Å¤¤·Á¼°¤Î key file ¤Î¤è¤¦¤Ç¤¹; ½¤Éü¤ò¤·¤Æ¤¯¤À¤µ¤¤", -"'%-.64s' ¤ÏÆÉ¤ß¹þ¤ßÀìÍѤǤ¹", -"Out of memory. ¥Ç¡¼¥â¥ó¤ò¥ê¥¹¥¿¡¼¥È¤·¤Æ¤ß¤Æ¤¯¤À¤µ¤¤ (%d bytes ɬÍ×)", -"Out of sort memory. sort buffer size ¤¬Â­¤ê¤Ê¤¤¤è¤¦¤Ç¤¹.", -"'%-.64s' ¥Õ¥¡¥¤¥ë¤òÆÉ¤ß¹þ¤ßÃæ¤Ë EOF ¤¬Í½´ü¤»¤Ì½ê¤Ç¸½¤ì¤Þ¤·¤¿. (errno: %d)", -"Àܳ¤¬Â¿¤¹¤®¤Þ¤¹", -"Out of memory; mysqld ¤«¤½¤Î¾¤Î¥×¥í¥»¥¹¤¬¥á¥â¥ê¡¼¤òÁ´¤Æ»È¤Ã¤Æ¤¤¤ë¤«³Îǧ¤·¤Æ¤¯¤À¤µ¤¤. ¥á¥â¥ê¡¼¤ò»È¤¤ÀڤäƤ¤¤Ê¤¤¾ì¹ç¡¢'ulimit' ¤òÀßÄꤷ¤Æ mysqld ¤Î¥á¥â¥ê¡¼»ÈÍѸ³¦Î̤ò¿¤¯¤¹¤ë¤«¡¢swap space ¤òÁý¤ä¤·¤Æ¤ß¤Æ¤¯¤À¤µ¤¤", -"¤½¤Î address ¤Î hostname ¤¬°ú¤±¤Þ¤»¤ó.", -"Bad handshake", -"¥æ¡¼¥¶¡¼ '%-.32s'@'%-.64s' ¤Î '%-.64s' ¥Ç¡¼¥¿¥Ù¡¼¥¹¤Ø¤Î¥¢¥¯¥»¥¹¤òµñÈݤ·¤Þ¤¹", -"¥æ¡¼¥¶¡¼ '%-.32s'@'%-.64s' ¤òµñÈݤ·¤Þ¤¹.uUsing password: %s)", -"¥Ç¡¼¥¿¥Ù¡¼¥¹¤¬ÁªÂò¤µ¤ì¤Æ¤¤¤Þ¤»¤ó.", -"¤½¤Î¥³¥Þ¥ó¥É¤Ï²¿¡©", -"Column '%-.64s' ¤Ï null ¤Ë¤Ï¤Ç¤­¤Ê¤¤¤Î¤Ç¤¹", -"'%-.64s' ¤Ê¤ó¤Æ¥Ç¡¼¥¿¥Ù¡¼¥¹¤ÏÃΤê¤Þ¤»¤ó.", -"Table '%-.64s' ¤Ï´û¤Ë¤¢¤ê¤Þ¤¹", -"table '%-.64s' ¤Ï¤¢¤ê¤Þ¤»¤ó.", -"Column: '%-.64s' in %-.64s is ambiguous", -"Server ¤ò shutdown Ãæ...", -"'%-.64s' column ¤Ï '%-.64s' ¤Ë¤Ï¤¢¤ê¤Þ¤»¤ó.", -"'%-.64s' isn't in GROUP BY", -"Can't group on '%-.64s'", -"Statement has sum functions and columns in same statement", -"Column count doesn't match value count", -"Identifier name '%-.100s' ¤ÏŤ¹¤®¤Þ¤¹", -"'%-.64s' ¤È¤¤¤¦ column ̾¤Ï½ÅÊ£¤·¤Æ¤Þ¤¹", -"'%-.64s' ¤È¤¤¤¦ key ¤Î̾Á°¤Ï½ÅÊ£¤·¤Æ¤¤¤Þ¤¹", -"'%-.64s' ¤Ï key %d ¤Ë¤ª¤¤¤Æ½ÅÊ£¤·¤Æ¤¤¤Þ¤¹", -"Incorrect column specifier for column '%-.64s'", -"%s : '%-.80s' ÉÕ¶á : %d ¹ÔÌÜ", -"Query ¤¬¶õ¤Ç¤¹.", -"'%-.64s' ¤Ï°ì°Õ¤Î table/alias ̾¤Ç¤Ï¤¢¤ê¤Þ¤»¤ó", -"Invalid default value for '%-.64s'", -"Ê£¿ô¤Î primary key ¤¬ÄêµÁ¤µ¤ì¤Þ¤·¤¿", -"key ¤Î»ØÄ꤬¿¤¹¤®¤Þ¤¹. key ¤ÏºÇÂç %d ¤Þ¤Ç¤Ç¤¹", -"Too many key parts specified; max %d parts allowed", -"key ¤¬Ä¹¤¹¤®¤Þ¤¹. key ¤ÎŤµ¤ÏºÇÂç %d ¤Ç¤¹", -"Key column '%-.64s' ¤¬¥Æ¡¼¥Ö¥ë¤Ë¤¢¤ê¤Þ¤»¤ó.", -"BLOB column '%-.64s' can't be used in key specification with the used table type", -"column '%-.64s' ¤Ï,³ÎÊݤ¹¤ë column ¤ÎÂ礭¤µ¤¬Â¿¤¹¤®¤Þ¤¹. (ºÇÂç %d ¤Þ¤Ç). BLOB ¤ò¤«¤ï¤ê¤Ë»ÈÍѤ·¤Æ¤¯¤À¤µ¤¤.", -"¥Æ¡¼¥Ö¥ë¤ÎÄêµÁ¤¬°ã¤¤¤Þ¤¹; there can be only one auto column and it must be defined as a key", -"%s: ½àÈ÷´°Î»", -"%s: Normal shutdown\n", -"%s: Got signal %d. ÃæÃÇ!\n", -"%s: Shutdown ´°Î»\n", -"%s: ¥¹¥ì¥Ã¥É %ld ¶¯À©½ªÎ» user: '%-.64s'\n", -"IP socket ¤¬ºî¤ì¤Þ¤»¤ó", -"Table '%-.64s' ¤Ï¤½¤Î¤è¤¦¤Ê index ¤ò»ý¤Ã¤Æ¤¤¤Þ¤»¤ó(CREATE INDEX ¼Â¹Ô»þ¤Ë»ØÄꤵ¤ì¤Æ¤¤¤Þ¤»¤ó). ¥Æ¡¼¥Ö¥ë¤òºî¤êľ¤·¤Æ¤¯¤À¤µ¤¤", -"Field separator argument is not what is expected; check the manual", -"You can't use fixed rowlength with BLOBs; please use 'fields terminated by'.", -"¥Õ¥¡¥¤¥ë '%-.64s' ¤Ï databse ¤Î directory ¤Ë¤¢¤ë¤«Á´¤Æ¤Î¥æ¡¼¥¶¡¼¤¬ÆÉ¤á¤ë¤è¤¦¤Ëµö²Ä¤µ¤ì¤Æ¤¤¤Ê¤±¤ì¤Ð¤Ê¤ê¤Þ¤»¤ó.", -"File '%-.64s' ¤Ï´û¤Ë¸ºß¤·¤Þ¤¹", -"¥ì¥³¡¼¥É¿ô: %ld ºï½ü: %ld Skipped: %ld Warnings: %ld", -"¥ì¥³¡¼¥É¿ô: %ld ½ÅÊ£: %ld", -"Incorrect sub part key; the used key part isn't a string or the used length is longer than the key part", -"ALTER TABLE ¤ÇÁ´¤Æ¤Î column ¤Ïºï½ü¤Ç¤­¤Þ¤»¤ó. DROP TABLE ¤ò»ÈÍѤ·¤Æ¤¯¤À¤µ¤¤", -"'%-.64s' ¤òÇË´þ¤Ç¤­¤Þ¤»¤ó¤Ç¤·¤¿; check that column/key exists", -"¥ì¥³¡¼¥É¿ô: %ld ½ÅÊ£¿ô: %ld Warnings: %ld", -"You can't specify target table '%-.64s' for update in FROM clause", -"thread id: %lu ¤Ï¤¢¤ê¤Þ¤»¤ó", -"thread %lu ¤Î¥ª¡¼¥Ê¡¼¤Ç¤Ï¤¢¤ê¤Þ¤»¤ó", -"No tables used", -"Too many strings for column %-.64s and SET", -"Can't generate a unique log-filename %-.64s.(1-999)\n", -"Table '%-.64s' ¤Ï READ lock ¤Ë¤Ê¤Ã¤Æ¤¤¤Æ¡¢¹¹¿·¤Ï¤Ç¤­¤Þ¤»¤ó", -"Table '%-.64s' ¤Ï LOCK TABLES ¤Ë¤è¤Ã¤Æ¥í¥Ã¥¯¤µ¤ì¤Æ¤¤¤Þ¤»¤ó", -"BLOB column '%-.64s' can't have a default value", -"»ØÄꤷ¤¿ database ̾ '%-.100s' ¤¬´Ö°ã¤Ã¤Æ¤¤¤Þ¤¹", -"»ØÄꤷ¤¿ table ̾ '%-.100s' ¤Ï¤Þ¤Á¤¬¤Ã¤Æ¤¤¤Þ¤¹", -"The SELECT would examine more than MAX_JOIN_SIZE rows; check your WHERE and use SET SQL_BIG_SELECTS=1 or SET SQL_MAX_JOIN_SIZE=# if the SELECT is okay", -"Unknown error", -"Unknown procedure '%-.64s'", -"Incorrect parameter count to procedure '%-.64s'", -"Incorrect parameters to procedure '%-.64s'", -"Unknown table '%-.64s' in %s", -"Column '%-.64s' specified twice", -"Invalid use of group function", -"Table '%-.64s' uses an extension that doesn't exist in this MySQL version", -"¥Æ¡¼¥Ö¥ë¤ÏºÇÄã 1 ¸Ä¤Î column ¤¬É¬ÍפǤ¹", -"table '%-.64s' ¤Ï¤¤¤Ã¤Ñ¤¤¤Ç¤¹", -"character set '%-.64s' ¤Ï¥µ¥Ý¡¼¥È¤·¤Æ¤¤¤Þ¤»¤ó", -"¥Æ¡¼¥Ö¥ë¤¬Â¿¤¹¤®¤Þ¤¹; MySQL can only use %d tables in a join", -"column ¤¬Â¿¤¹¤®¤Þ¤¹", -"row size ¤¬Â礭¤¹¤®¤Þ¤¹. BLOB ¤ò´Þ¤Þ¤Ê¤¤¾ì¹ç¤Î row size ¤ÎºÇÂç¤Ï %d ¤Ç¤¹. ¤¤¤¯¤Ä¤«¤Î field ¤ò BLOB ¤ËÊѤ¨¤Æ¤¯¤À¤µ¤¤.", -"Thread stack overrun: Used: %ld of a %ld stack. ¥¹¥¿¥Ã¥¯Îΰè¤ò¿¤¯¤È¤ê¤¿¤¤¾ì¹ç¡¢'mysqld -O thread_stack=#' ¤È»ØÄꤷ¤Æ¤¯¤À¤µ¤¤", -"Cross dependency found in OUTER JOIN; examine your ON conditions", -"Column '%-.64s' ¤¬ UNIQUE ¤« INDEX ¤Ç»ÈÍѤµ¤ì¤Þ¤·¤¿. ¤³¤Î¥«¥é¥à¤Ï NOT NULL ¤ÈÄêµÁ¤µ¤ì¤Æ¤¤¤Þ¤»¤ó.", -"function '%-.64s' ¤ò ¥í¡¼¥É¤Ç¤­¤Þ¤»¤ó", -"function '%-.64s' ¤ò½é´ü²½¤Ç¤­¤Þ¤»¤ó; %-.80s", -"shared library ¤Ø¤Î¥Ñ¥¹¤¬Ä̤äƤ¤¤Þ¤»¤ó", -"Function '%-.64s' ¤Ï´û¤ËÄêµÁ¤µ¤ì¤Æ¤¤¤Þ¤¹", -"shared library '%-.64s' ¤ò³«¤¯»ö¤¬¤Ç¤­¤Þ¤»¤ó (errno: %d %s)", -"function '%-.64s' ¤ò¥é¥¤¥Ö¥é¥ê¡¼Ãæ¤Ë¸«ÉÕ¤±¤ë»ö¤¬¤Ç¤­¤Þ¤»¤ó", -"Function '%-.64s' ¤ÏÄêµÁ¤µ¤ì¤Æ¤¤¤Þ¤»¤ó", -"Host '%-.64s' ¤Ï many connection error ¤Î¤¿¤á¡¢µñÈݤµ¤ì¤Þ¤·¤¿. 'mysqladmin flush-hosts' ¤Ç²ò½ü¤·¤Æ¤¯¤À¤µ¤¤", -"Host '%-.64s' ¤Ï MySQL server ¤ËÀܳ¤òµö²Ä¤µ¤ì¤Æ¤¤¤Þ¤»¤ó", -"MySQL ¤ò anonymous users ¤Ç»ÈÍѤ·¤Æ¤¤¤ë¾õÂ֤Ǥϡ¢¥Ñ¥¹¥ï¡¼¥É¤ÎÊѹ¹¤Ï¤Ç¤­¤Þ¤»¤ó", -"¾¤Î¥æ¡¼¥¶¡¼¤Î¥Ñ¥¹¥ï¡¼¥É¤òÊѹ¹¤¹¤ë¤¿¤á¤Ë¤Ï, mysql ¥Ç¡¼¥¿¥Ù¡¼¥¹¤ËÂФ·¤Æ update ¤Îµö²Ä¤¬¤Ê¤±¤ì¤Ð¤Ê¤ê¤Þ¤»¤ó.", -"Can't find any matching row in the user table", -"°ìÃ׿ô(Rows matched): %ld Êѹ¹: %ld Warnings: %ld", -"¿·µ¬¤Ë¥¹¥ì¥Ã¥É¤¬ºî¤ì¤Þ¤»¤ó¤Ç¤·¤¿ (errno %d). ¤â¤·ºÇÂç»ÈÍѵö²Ä¥á¥â¥ê¡¼¿ô¤ò±Û¤¨¤Æ¤¤¤Ê¤¤¤Î¤Ë¥¨¥é¡¼¤¬È¯À¸¤·¤Æ¤¤¤ë¤Ê¤é, ¥Þ¥Ë¥å¥¢¥ë¤ÎÃæ¤«¤é 'possible OS-dependent bug' ¤È¤¤¤¦Ê¸»ú¤òõ¤·¤Æ¤¯¤ß¤Æ¤À¤µ¤¤.", -"Column count doesn't match value count at row %ld", -"Can't reopen table: '%-.64s'", -"NULL ÃͤλÈÍÑÊýË¡¤¬ÉÔŬÀڤǤ¹", -"Got error '%-.64s' from regexp", -"Mixing of GROUP columns (MIN(),MAX(),COUNT(),...) with no GROUP columns is illegal if there is no GROUP BY clause", -"¥æ¡¼¥¶¡¼ '%-.32s' (¥Û¥¹¥È '%-.64s' ¤Î¥æ¡¼¥¶¡¼) ¤Ïµö²Ä¤µ¤ì¤Æ¤¤¤Þ¤»¤ó", -"¥³¥Þ¥ó¥É %-.16s ¤Ï ¥æ¡¼¥¶¡¼ '%-.32s'@'%-.64s' ,¥Æ¡¼¥Ö¥ë '%-.64s' ¤ËÂФ·¤Æµö²Ä¤µ¤ì¤Æ¤¤¤Þ¤»¤ó", -"¥³¥Þ¥ó¥É %-.16s ¤Ï ¥æ¡¼¥¶¡¼ '%-.32s'@'%-.64s'\n ¥«¥é¥à '%-.64s' ¥Æ¡¼¥Ö¥ë '%-.64s' ¤ËÂФ·¤Æµö²Ä¤µ¤ì¤Æ¤¤¤Þ¤»¤ó", -"Illegal GRANT/REVOKE command; please consult the manual to see which privleges can be used.", -"The host or user argument to GRANT is too long", -"Table '%-.64s.%s' doesn't exist", -"There is no such grant defined for user '%-.32s' on host '%-.64s' on table '%-.64s'", -"The used command is not allowed with this MySQL version", -"Something is wrong in your syntax", -"Delayed insert thread couldn't get requested lock for table %-.64s", -"Too many delayed threads in use", -"Aborted connection %ld to db: '%-.64s' user: '%-.64s' (%s)", -"Got a packet bigger than 'max_allowed_packet' bytes", -"Got a read error from the connection pipe", -"Got an error from fcntl()", -"Got packets out of order", -"Couldn't uncompress communication packet", -"Got an error reading communication packets", -"Got timeout reading communication packets", -"Got an error writing communication packets", -"Got timeout writing communication packets", -"Result string is longer than 'max_allowed_packet' bytes", -"The used table type doesn't support BLOB/TEXT columns", -"The used table type doesn't support AUTO_INCREMENT columns", -"INSERT DELAYED can't be used with table '%-.64s', because it is locked with LOCK TABLES", -"Incorrect column name '%-.100s'", -"The used table handler can't index column '%-.64s'", -"All tables in the MERGE table are not defined identically", -"Can't write, because of unique constraint, to table '%-.64s'", -"BLOB column '%-.64s' used in key specification without a key length", -"All parts of a PRIMARY KEY must be NOT NULL; if you need NULL in a key, use UNIQUE instead", -"Result consisted of more than one row", -"This table type requires a primary key", -"This version of MySQL is not compiled with RAID support", -"You are using safe update mode and you tried to update a table without a WHERE that uses a KEY column", -"Key '%-.64s' doesn't exist in table '%-.64s'", -"Can't open table", -"The handler for the table doesn't support %s", -"You are not allowed to execute this command in a transaction", -"Got error %d during COMMIT", -"Got error %d during ROLLBACK", -"Got error %d during FLUSH_LOGS", -"Got error %d during CHECKPOINT", -"Aborted connection %ld to db: '%-.64s' user: '%-.32s' host: `%-.64s' (%-.64s)", -"The handler for the table does not support binary table dump", -"Binlog closed while trying to FLUSH MASTER", -"Failed rebuilding the index of dumped table '%-.64s'", -"Error from master: '%-.64s'", -"Net error reading from master", -"Net error writing to master", -"Can't find FULLTEXT index matching the column list", -"Can't execute the given command because you have active locked tables or an active transaction", -"Unknown system variable '%-.64s'", -"Table '%-.64s' is marked as crashed and should be repaired", -"Table '%-.64s' is marked as crashed and last (automatic?) repair failed", -"Some non-transactional changed tables couldn't be rolled back", -"Multi-statement transaction required more than 'max_binlog_cache_size' bytes of storage; increase this mysqld variable and try again", -"This operation cannot be performed with a running slave; run STOP SLAVE first", -"This operation requires a running slave; configure slave and do START SLAVE", -"The server is not configured as slave; fix in config file or with CHANGE MASTER TO", -"Could not initialize master info structure; more error messages can be found in the MySQL error log", -"Could not create slave thread; check system resources", -"User %-.64s has already more than 'max_user_connections' active connections", -"You may only use constant expressions with SET", -"Lock wait timeout exceeded; try restarting transaction", -"The total number of locks exceeds the lock table size", -"Update locks cannot be acquired during a READ UNCOMMITTED transaction", -"DROP DATABASE not allowed while thread is holding global read lock", -"CREATE DATABASE not allowed while thread is holding global read lock", -"Incorrect arguments to %s", -"'%-.32s'@'%-.64s' is not allowed to create new users", -"Incorrect table definition; all MERGE tables must be in the same database", -"Deadlock found when trying to get lock; try restarting transaction", -"The used table type doesn't support FULLTEXT indexes", -"Cannot add foreign key constraint", -"Cannot add a child row: a foreign key constraint fails", -"Cannot delete a parent row: a foreign key constraint fails", -"Error connecting to master: %-.128s", -"Error running query on master: %-.128s", -"Error when executing command %s: %-.128s", -"Incorrect usage of %s and %s", -"The used SELECT statements have a different number of columns", -"Can't execute the query because you have a conflicting read lock", -"Mixing of transactional and non-transactional tables is disabled", -"Option '%s' used twice in statement", -"User '%-.64s' has exceeded the '%s' resource (current value: %ld)", -"Access denied; you need the %-.128s privilege for this operation", -"Variable '%-.64s' is a SESSION variable and can't be used with SET GLOBAL", -"Variable '%-.64s' is a GLOBAL variable and should be set with SET GLOBAL", -"Variable '%-.64s' doesn't have a default value", -"Variable '%-.64s' can't be set to the value of '%-.64s'", -"Incorrect argument type to variable '%-.64s'", -"Variable '%-.64s' can only be set, not read", -"Incorrect usage/placement of '%s'", -"This version of MySQL doesn't yet support '%s'", -"Got fatal error %d: '%-.128s' from master when reading data from binary log", -"Slave SQL thread ignored the query because of replicate-*-table rules", -"Variable '%-.64s' is a %s variable", -"Incorrect foreign key definition for '%-.64s': %s", -"Key reference and table reference don't match", -"Operand should contain %d column(s)", -"Subquery returns more than 1 row", -"Unknown prepared statement handler (%.*s) given to %s", -"Help database is corrupt or does not exist", -"Cyclic reference on subqueries", -"Converting column '%s' from %s to %s", -"Reference '%-.64s' not supported (%s)", -"Every derived table must have its own alias", -"Select %u was reduced during optimization", -"Table '%-.64s' from one of the SELECTs cannot be used in %-.32s", -"Client does not support authentication protocol requested by server; consider upgrading MySQL client", -"All parts of a SPATIAL index must be NOT NULL", -"COLLATION '%s' is not valid for CHARACTER SET '%s'", -"Slave is already running", -"Slave has already been stopped", -"Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)", -"ZLIB: Not enough memory", -"ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)", -"ZLIB: Input data corrupted", -"%d line(s) were cut by GROUP_CONCAT()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; it contained more data than there were input columns", -"Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld", -"Out of range value adjusted for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Using storage engine %s for table '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"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", -"Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format", -"Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d", -"Incorrect parameter or combination of parameters for START SLAVE UNTIL", -"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", -"SQL thread is not to be started so UNTIL options are ignored", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"Query cache failed to set size %lu, new query cache size is %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated, use '%s' instead", -"The target table %-.100s of the %s is not updateable", -"The '%s' feature was disabled; you need MySQL built with '%s' to have it working", -"The MySQL server is running with the %s option so it cannot execute this statement", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated wrong %-.32s value: '%-.128s'" -"Incorrect table definition; There can only be one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' column", -"This command is not supported in the prepared statement protocol yet", -"Got NDB error %d '%-.100s'", -"Got temporary NDB error %d '%-.100s'", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/korean/errmsg.txt b/sql/share/korean/errmsg.txt deleted file mode 100644 index 3916b10666d..00000000000 --- a/sql/share/korean/errmsg.txt +++ /dev/null @@ -1,415 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -character-set=euckr - -"hashchk", -"isamchk", -"¾Æ´Ï¿À", -"¿¹", -"È­ÀÏ '%-.64s'¸¦ ¸¸µéÁö ¸øÇß½À´Ï´Ù. (¿¡·¯¹øÈ£: %d)", -"Å×À̺í '%-.64s'¸¦ ¸¸µéÁö ¸øÇß½À´Ï´Ù. (¿¡·¯¹øÈ£: %d)", -"µ¥ÀÌŸº£À̽º '%-.64s'¸¦ ¸¸µéÁö ¸øÇß½À´Ï´Ù.. (¿¡·¯¹øÈ£: %d)", -"µ¥ÀÌŸº£À̽º '%-.64s'¸¦ ¸¸µéÁö ¸øÇß½À´Ï´Ù.. µ¥ÀÌŸº£À̽º°¡ Á¸ÀçÇÔ", -"µ¥ÀÌŸº£À̽º '%-.64s'¸¦ Á¦°ÅÇÏÁö ¸øÇß½À´Ï´Ù. µ¥ÀÌŸº£À̽º°¡ Á¸ÀçÇÏÁö ¾ÊÀ½ ", -"µ¥ÀÌŸº£À̽º Á¦°Å ¿¡·¯('%-.64s'¸¦ »èÁ¦ÇÒ ¼ö ¾øÀ¾´Ï´Ù, ¿¡·¯¹øÈ£: %d)", -"µ¥ÀÌŸº£À̽º Á¦°Å ¿¡·¯(rmdir '%-.64s'¸¦ ÇÒ ¼ö ¾øÀ¾´Ï´Ù, ¿¡·¯¹øÈ£: %d)", -"'%-.64s' »èÁ¦ Áß ¿¡·¯ (¿¡·¯¹øÈ£: %d)", -"system Å×ÀÌºí¿¡¼­ ·¹Äڵ带 ÀÐÀ» ¼ö ¾ø½À´Ï´Ù.", -"'%-.64s'ÀÇ »óŸ¦ ¾òÁö ¸øÇß½À´Ï´Ù. (¿¡·¯¹øÈ£: %d)", -"¼öÇà µð·ºÅ丮¸¦ ãÁö ¸øÇß½À´Ï´Ù. (¿¡·¯¹øÈ£: %d)", -"È­ÀÏÀ» Àá±×Áö(lock) ¸øÇß½À´Ï´Ù. (¿¡·¯¹øÈ£: %d)", -"È­ÀÏÀ» ¿­Áö ¸øÇß½À´Ï´Ù.: '%-.64s' (¿¡·¯¹øÈ£: %d)", -"È­ÀÏÀ» ãÁö ¸øÇß½À´Ï´Ù.: '%-.64s' (¿¡·¯¹øÈ£: %d)", -"'%-.64s'µð·ºÅ丮¸¦ ÀÐÁö ¸øÇß½À´Ï´Ù. (¿¡·¯¹øÈ£: %d)", -"'%-.64s'µð·ºÅ丮·Î À̵¿ÇÒ ¼ö ¾ø¾ú½À´Ï´Ù. (¿¡·¯¹øÈ£: %d)", -"Å×À̺í '%-.64s'¿¡¼­ ¸¶Áö¸·À¸·Î ÀÐÀº ÈÄ Record°¡ º¯°æµÇ¾ú½À´Ï´Ù.", -"Disk full (%s). ´Ù¸¥ »ç¶÷ÀÌ Áö¿ï¶§±îÁö ±â´Ù¸³´Ï´Ù...", -"±â·ÏÇÒ ¼ö ¾øÀ¾´Ï´Ù., Å×À̺í '%-.64s'¿¡¼­ Áߺ¹ Ű", -"'%-.64s'´Ý´Â Áß ¿¡·¯ (¿¡·¯¹øÈ£: %d)", -"'%-.64s'È­ÀÏ Àб⠿¡·¯ (¿¡·¯¹øÈ£: %d)", -"'%-.64s'¸¦ '%-.64s'·Î À̸§ º¯°æÁß ¿¡·¯ (¿¡·¯¹øÈ£: %d)", -"'%-.64s'È­ÀÏ ±â·Ï Áß ¿¡·¯ (¿¡·¯¹øÈ£: %d)", -"'%-.64s'°¡ º¯°æÇÒ ¼ö ¾øµµ·Ï Àá°ÜÀÖÀ¾´Ï´Ù.", -"¼ÒÆ®°¡ ÁߴܵǾú½À´Ï´Ù.", -"ºä '%-.64s'°¡ '%-.64s'¿¡¼­´Â Á¸ÀçÇÏÁö ¾ÊÀ¾´Ï´Ù.", -"Å×À̺í handler¿¡¼­ %d ¿¡·¯°¡ ¹ß»ý ÇÏ¿´½À´Ï´Ù.", -"'%-.64s'ÀÇ Å×À̺í handler´Â ÀÌ·¯ÇÑ ¿É¼ÇÀ» Á¦°øÇÏÁö ¾ÊÀ¾´Ï´Ù.", -"'%-.64s'¿¡¼­ ·¹Äڵ带 ãÀ» ¼ö ¾øÀ¾´Ï´Ù.", -"È­ÀÏÀÇ ºÎÁ¤È®ÇÑ Á¤º¸: '%-.64s'", -"'%-.64s' Å×À̺íÀÇ ºÎÁ¤È®ÇÑ Å° Á¸Àç. ¼öÁ¤ÇϽÿÀ!", -"'%-.64s' Å×À̺íÀÇ ÀÌÀü¹öÁ¯ÀÇ Å° Á¸Àç. ¼öÁ¤ÇϽÿÀ!", -"Å×À̺í '%-.64s'´Â ÀбâÀü¿ë ÀÔ´Ï´Ù.", -"Out of memory. µ¥¸óÀ» Àç ½ÇÇà ÈÄ ´Ù½Ã ½ÃÀÛÇϽÿÀ (needed %d bytes)", -"Out of sort memory. daemon sort bufferÀÇ Å©±â¸¦ Áõ°¡½ÃŰ¼¼¿ä", -"'%-.64s' È­ÀÏÀ» Àд µµÁß À߸øµÈ eofÀ» ¹ß°ß (¿¡·¯¹øÈ£: %d)", -"³Ê¹« ¸¹Àº ¿¬°á... max_connectionÀ» Áõ°¡ ½ÃŰ½Ã¿À...", -"Out of memory; mysqld³ª ¶Ç´Ù¸¥ ÇÁ·Î¼¼¼­¿¡¼­ »ç¿ë°¡´ÉÇÑ ¸Þ¸ð¸®¸¦ »ç¿ëÇÑÁö äũÇϽÿÀ. ¸¸¾à ±×·¸Áö ¾Ê´Ù¸é ulimit ¸í·ÉÀ» ÀÌ¿¿ëÇÏ¿© ´õ¸¹Àº ¸Þ¸ð¸®¸¦ »ç¿ëÇÒ ¼ö ÀÖµµ·Ï Çϰųª ½º¿Ò ½ºÆÐÀ̽º¸¦ Áõ°¡½ÃŰ½Ã¿À", -"´ç½ÅÀÇ ÄÄÇ»ÅÍÀÇ È£½ºÆ®À̸§À» ¾òÀ» ¼ö ¾øÀ¾´Ï´Ù.", -"Bad handshake", -"'%-.32s'@'%-.64s' »ç¿ëÀÚ´Â '%-.64s' µ¥ÀÌŸº£À̽º¿¡ Á¢±ÙÀÌ °ÅºÎ µÇ¾ú½À´Ï´Ù.", -"'%-.32s'@'%-.64s' »ç¿ëÀÚ´Â Á¢±ÙÀÌ °ÅºÎ µÇ¾ú½À´Ï´Ù. (using password: %s)", -"¼±ÅÃµÈ µ¥ÀÌŸº£À̽º°¡ ¾ø½À´Ï´Ù.", -"¸í·É¾î°¡ ¹ºÁö ¸ð¸£°Ú¾î¿ä...", -"Ä®·³ '%-.64s'´Â ³Î(Null)ÀÌ µÇ¸é ¾ÈµË´Ï´Ù. ", -"µ¥ÀÌŸº£À̽º '%-.64s'´Â ¾Ë¼ö ¾øÀ½", -"Å×À̺í '%-.64s'´Â ÀÌ¹Ì Á¸ÀçÇÔ", -"Å×À̺í '%-.64s'´Â ¾Ë¼ö ¾øÀ½", -"Ä®·³: '%-.64s' in '%-.64s' ÀÌ ¸ðÈ£ÇÔ", -"Server°¡ ¼Ë´Ù¿î ÁßÀÔ´Ï´Ù.", -"Unknown Ä®·³ '%-.64s' in '%-.64s'", -"'%-.64s'Àº GROUP BY¼Ó¿¡ ¾øÀ½", -"'%-.64s'¸¦ ±×·ìÇÒ ¼ö ¾øÀ½", -"Statement °¡ sum±â´ÉÀ» µ¿ÀÛÁßÀ̰í Ä®·³µµ µ¿ÀÏÇÑ statementÀÔ´Ï´Ù.", -"Ä®·³ÀÇ Ä«¿îÆ®°¡ °ªÀÇ Ä«¿îÆ®¿Í ÀÏÄ¡ÇÏÁö ¾Ê½À´Ï´Ù.", -"Identifier '%-.100s'´Â ³Ê¹« ±æ±º¿ä.", -"Áߺ¹µÈ Ä®·³ À̸§: '%-.64s'", -"Áߺ¹µÈ Ű À̸§ : '%-.64s'", -"Áߺ¹µÈ ÀÔ·Â °ª '%-.64s': key %d", -"Ä®·³ '%-.64s'ÀÇ ºÎÁ¤È®ÇÑ Ä®·³ Á¤ÀÇÀÚ", -"'%-.64s' ¿¡·¯ °°À¾´Ï´Ù. ('%-.80s' ¸í·É¾î ¶óÀÎ %d)", -"Äõ¸®°á°ú°¡ ¾ø½À´Ï´Ù.", -"Unique ÇÏÁö ¾ÊÀº Å×À̺í/alias: '%-.64s'", -"'%-.64s'ÀÇ À¯È¿ÇÏÁö ¸øÇÑ µðÆúÆ® °ªÀ» »ç¿ëÇϼ̽À´Ï´Ù.", -"Multiple primary key°¡ Á¤ÀǵǾî ÀÖ½¿", -"³Ê¹« ¸¹Àº ۰¡ Á¤ÀǵǾî ÀÖÀ¾´Ï´Ù.. ÃÖ´ë %dÀÇ Å°°¡ °¡´ÉÇÔ", -"³Ê¹« ¸¹Àº Ű ºÎºÐ(parts)µéÀÌ Á¤ÀǵǾî ÀÖÀ¾´Ï´Ù.. ÃÖ´ë %d ºÎºÐÀÌ °¡´ÉÇÔ", -"Á¤ÀÇµÈ Å°°¡ ³Ê¹« ±é´Ï´Ù. ÃÖ´ë ŰÀÇ ±æÀÌ´Â %dÀÔ´Ï´Ù.", -"Key Ä®·³ '%-.64s'´Â Å×ÀÌºí¿¡ Á¸ÀçÇÏÁö ¾Ê½À´Ï´Ù.", -"BLOB Ä®·³ '%-.64s'´Â Ű Á¤ÀÇ¿¡¼­ »ç¿ëµÉ ¼ö ¾ø½À´Ï´Ù.", -"Ä®·³ '%-.64s'ÀÇ Ä®·³ ±æÀ̰¡ ³Ê¹« ±é´Ï´Ù (ÃÖ´ë = %d). ´ë½Å¿¡ BLOB¸¦ »ç¿ëÇϼ¼¿ä.", -"ºÎÁ¤È®ÇÑ Å×À̺í Á¤ÀÇ; Å×À̺íÀº ÇϳªÀÇ auto Ä®·³ÀÌ Á¸ÀçÇϰí Ű·Î Á¤ÀǵǾîÁ®¾ß ÇÕ´Ï´Ù.", -"%s: ¿¬°á ÁغñÁßÀÔ´Ï´Ù", -"%s: Á¤»óÀûÀÎ shutdown\n", -"%s: %d ½ÅÈ£°¡ µé¾î¿ÔÀ½. ÁßÁö!\n", -"%s: Shutdown ÀÌ ¿Ï·áµÊ!\n", -"%s: thread %ldÀÇ °­Á¦ Á¾·á user: '%-.64s'\n", -"IP ¼ÒÄÏÀ» ¸¸µéÁö ¸øÇß½À´Ï´Ù.", -"Å×À̺í '%-.64s'´Â À妽º¸¦ ¸¸µéÁö ¾Ê¾Ò½À´Ï´Ù. alter Å×À̺í¸í·ÉÀ» ÀÌ¿ëÇÏ¿© Å×À̺íÀ» ¼öÁ¤Çϼ¼¿ä...", -"ÇÊµå ±¸ºÐÀÚ ÀμöµéÀÌ ¿ÏÀüÇÏÁö ¾Ê½À´Ï´Ù. ¸Þ´º¾óÀ» ã¾Æ º¸¼¼¿ä.", -"BLOB·Î´Â °íÁ¤±æÀÌÀÇ lowlength¸¦ »ç¿ëÇÒ ¼ö ¾ø½À´Ï´Ù. 'fields terminated by'¸¦ »ç¿ëÇϼ¼¿ä.", -"'%-.64s' È­ÀÏ´Â µ¥ÀÌŸº£À̽º µð·ºÅ丮¿¡ Á¸ÀçÇϰųª ¸ðµÎ¿¡°Ô Àб⠰¡´ÉÇÏ¿©¾ß ÇÕ´Ï´Ù.", -"'%-.64s' È­ÀÏÀº ÀÌ¹Ì Á¸ÀçÇÕ´Ï´Ù.", -"·¹ÄÚµå: %ld°³ »èÁ¦: %ld°³ ½ºÅµ: %ld°³ °æ°í: %ld°³", -"·¹ÄÚµå: %ld°³ Áߺ¹: %ld°³", -"ºÎÁ¤È®ÇÑ ¼­¹ö ÆÄÆ® Ű. »ç¿ëµÈ Ű ÆÄÆ®°¡ ½ºÆ®¸µÀÌ ¾Æ´Ï°Å³ª Ű ÆÄÆ®ÀÇ ±æÀ̰¡ ³Ê¹« ±é´Ï´Ù.", -"ALTER TABLE ¸í·ÉÀ¸·Î´Â ¸ðµç Ä®·³À» Áö¿ï ¼ö ¾ø½À´Ï´Ù. DROP TABLE ¸í·ÉÀ» ÀÌ¿ëÇϼ¼¿ä.", -"'%-.64s'¸¦ DROPÇÒ ¼ö ¾ø½À´Ï´Ù. Ä®·³À̳ª ۰¡ Á¸ÀçÇÏ´ÂÁö äũÇϼ¼¿ä.", -"·¹ÄÚµå: %ld°³ Áߺ¹: %ld°³ °æ°í: %ld°³", -"You can't specify target table '%-.64s' for update in FROM clause", -"¾Ë¼ö ¾ø´Â ¾²·¹µå id: %lu", -"¾²·¹µå(Thread) %luÀÇ ¼ÒÀ¯ÀÚ°¡ ¾Æ´Õ´Ï´Ù.", -"¾î¶² Å×ÀÌºíµµ »ç¿ëµÇÁö ¾Ê¾Ò½À´Ï´Ù.", -"Ä®·³ %-.64s¿Í SET¿¡¼­ ½ºÆ®¸µÀÌ ³Ê¹« ¸¹½À´Ï´Ù.", -"Unique ·Î±×È­ÀÏ '%-.64s'¸¦ ¸¸µé¼ö ¾ø½À´Ï´Ù.(1-999)\n", -"Å×À̺í '%-.64s'´Â READ ¶ôÀÌ Àá°ÜÀ־ °»½ÅÇÒ ¼ö ¾ø½À´Ï´Ù.", -"Å×À̺í '%-.64s'´Â LOCK TABLES ¸í·ÉÀ¸·Î Àá±âÁö ¾Ê¾Ò½À´Ï´Ù.", -"BLOB Ä®·³ '%-.64s' ´Â µðÆúÆ® °ªÀ» °¡Áú ¼ö ¾ø½À´Ï´Ù.", -"'%-.100s' µ¥ÀÌŸº£À̽ºÀÇ À̸§ÀÌ ºÎÁ¤È®ÇÕ´Ï´Ù.", -"'%-.100s' Å×À̺í À̸§ÀÌ ºÎÁ¤È®ÇÕ´Ï´Ù.", -"SELECT ¸í·É¿¡¼­ ³Ê¹« ¸¹Àº ·¹Äڵ带 ã±â ¶§¹®¿¡ ¸¹Àº ½Ã°£ÀÌ ¼Ò¿äµË´Ï´Ù. µû¶ó¼­ WHERE ¹®À» Á¡°ËÇϰųª, ¸¸¾à SELECT°¡ okµÇ¸é SET SQL_BIG_SELECTS=1 ¿É¼ÇÀ» »ç¿ëÇϼ¼¿ä.", -"¾Ë¼ö ¾ø´Â ¿¡·¯ÀÔ´Ï´Ù.", -"¾Ë¼ö ¾ø´Â ¼öÇ๮ : '%-.64s'", -"'%-.64s' ¼öÇ๮¿¡ ´ëÇÑ ºÎÁ¤È®ÇÑ ÆÄ¶ó¸ÞÅÍ", -"'%-.64s' ¼öÇ๮¿¡ ´ëÇÑ ºÎÁ¤È®ÇÑ ÆÄ¶ó¸ÞÅÍ", -"¾Ë¼ö ¾ø´Â Å×À̺í '%-.64s' (µ¥ÀÌŸº£À̽º %s)", -"Ä®·³ '%-.64s'´Â µÎ¹ø Á¤ÀǵǾî ÀÖÀ¾´Ï´Ù.", -"À߸øµÈ ±×·ì ÇÔ¼ö¸¦ »ç¿ëÇÏ¿´½À´Ï´Ù.", -"Å×À̺í '%-.64s'´Â È®Àå¸í·ÉÀ» ÀÌ¿ëÇÏÁö¸¸ ÇöÀçÀÇ MySQL ¹öÁ¯¿¡¼­´Â Á¸ÀçÇÏÁö ¾Ê½À´Ï´Ù.", -"ÇϳªÀÇ Å×ÀÌºí¿¡¼­´Â Àû¾îµµ ÇϳªÀÇ Ä®·³ÀÌ Á¸ÀçÇÏ¿©¾ß ÇÕ´Ï´Ù.", -"Å×À̺í '%-.64s'°¡ full³µ½À´Ï´Ù. ", -"¾Ë¼ö¾ø´Â ¾ð¾î Set: '%-.64s'", -"³Ê¹« ¸¹Àº Å×À̺íÀÌ JoinµÇ¾ú½À´Ï´Ù. MySQL¿¡¼­´Â JOIN½Ã %d°³ÀÇ Å×ÀÌºí¸¸ »ç¿ëÇÒ ¼ö ÀÖ½À´Ï´Ù.", -"Ä®·³ÀÌ ³Ê¹« ¸¹½À´Ï´Ù.", -"³Ê¹« Å« row »çÀÌÁîÀÔ´Ï´Ù. BLOB¸¦ °è»êÇÏÁö ¾Ê°í ÃÖ´ë row »çÀÌÁî´Â %dÀÔ´Ï´Ù. ¾ó¸¶°£ÀÇ ÇʵåµéÀ» BLOB·Î ¹Ù²Ù¼Å¾ß °Ú±º¿ä..", -"¾²·¹µå ½ºÅÃÀÌ ³ÑÃÆ½À´Ï´Ù. »ç¿ë: %ld°³ ½ºÅÃ: %ld°³. ¸¸¾à ÇÊ¿ä½Ã ´õÅ« ½ºÅÃÀ» ¿øÇÒ¶§¿¡´Â 'mysqld -O thread_stack=#' ¸¦ Á¤ÀÇÇϼ¼¿ä", -"Cross dependency found in OUTER JOIN; examine your ON conditions", -"'%-.64s' Ä®·³ÀÌ UNIQUE³ª INDEX¸¦ »ç¿ëÇÏ¿´Áö¸¸ NOT NULLÀÌ Á¤ÀǵÇÁö ¾Ê¾Ò±º¿ä...", -"'%-.64s' ÇÔ¼ö¸¦ ·ÎµåÇÏÁö ¸øÇß½À´Ï´Ù.", -"'%-.64s' ÇÔ¼ö¸¦ ÃʱâÈ­ ÇÏÁö ¸øÇß½À´Ï´Ù.; %-.80s", -"°øÀ¯ ¶óÀ̹ö·¯¸®¸¦ À§ÇÑ ÆÐ½º°¡ Á¤ÀǵǾî ÀÖÁö ¾Ê½À´Ï´Ù.", -"'%-.64s' ÇÔ¼ö´Â ÀÌ¹Ì Á¸ÀçÇÕ´Ï´Ù.", -"'%-.64s' °øÀ¯ ¶óÀ̹ö·¯¸®¸¦ ¿­¼ö ¾ø½À´Ï´Ù.(¿¡·¯¹øÈ£: %d %s)", -"¶óÀ̹ö·¯¸®¿¡¼­ '%-.64s' ÇÔ¼ö¸¦ ãÀ» ¼ö ¾ø½À´Ï´Ù.", -"'%-.64s' ÇÔ¼ö°¡ Á¤ÀǵǾî ÀÖÁö ¾Ê½À´Ï´Ù.", -"³Ê¹« ¸¹Àº ¿¬°á¿À·ù·Î ÀÎÇÏ¿© È£½ºÆ® '%-.64s'´Â ºí¶ôµÇ¾ú½À´Ï´Ù. 'mysqladmin flush-hosts'¸¦ ÀÌ¿ëÇÏ¿© ºí¶ôÀ» ÇØÁ¦Çϼ¼¿ä", -"'%-.64s' È£½ºÆ®´Â ÀÌ MySQL¼­¹ö¿¡ Á¢¼ÓÇÒ Çã°¡¸¦ ¹ÞÁö ¸øÇß½À´Ï´Ù.", -"´ç½ÅÀº MySQL¼­¹ö¿¡ À͸íÀÇ »ç¿ëÀÚ·Î Á¢¼ÓÀ» Çϼ̽À´Ï´Ù.À͸íÀÇ »ç¿ëÀÚ´Â ¾ÏÈ£¸¦ º¯°æÇÒ ¼ö ¾ø½À´Ï´Ù.", -"´ç½ÅÀº ´Ù¸¥»ç¿ëÀÚµéÀÇ ¾ÏÈ£¸¦ º¯°æÇÒ ¼ö ÀÖµµ·Ï µ¥ÀÌŸº£À̽º º¯°æ±ÇÇÑÀ» °¡Á®¾ß ÇÕ´Ï´Ù.", -"»ç¿ëÀÚ Å×ÀÌºí¿¡¼­ ÀÏÄ¡ÇÏ´Â °ÍÀ» ãÀ» ¼ö ¾øÀ¾´Ï´Ù.", -"ÀÏÄ¡ÇÏ´Â Rows : %ld°³ º¯°æµÊ: %ld°³ °æ°í: %ld°³", -"»õ·Î¿î ¾²·¹µå¸¦ ¸¸µé ¼ö ¾ø½À´Ï´Ù.(¿¡·¯¹øÈ£ %d). ¸¸¾à ¿©À¯¸Þ¸ð¸®°¡ ÀÖ´Ù¸é OS-dependent¹ö±× ÀÇ ¸Þ´º¾ó ºÎºÐÀ» ã¾Æº¸½Ã¿À.", -"Row %ld¿¡¼­ Ä®·³ Ä«¿îÆ®¿Í value Ä«¿îÅÍ¿Í ÀÏÄ¡ÇÏÁö ¾Ê½À´Ï´Ù.", -"Å×À̺íÀ» ´Ù½Ã ¿­¼ö ¾ø±º¿ä: '%-.64s", -"NULL °ªÀ» À߸ø »ç¿ëÇϼ̱º¿ä...", -"regexp¿¡¼­ '%-.64s'°¡ ³µ½À´Ï´Ù.", -"Mixing of GROUP Ä®·³s (MIN(),MAX(),COUNT(),...) with no GROUP Ä®·³s is illegal if there is no GROUP BY clause", -"»ç¿ëÀÚ '%-.32s' (È£½ºÆ® '%-.64s')¸¦ À§ÇÏ¿© Á¤ÀÇµÈ ±×·± ½ÂÀÎÀº ¾ø½À´Ï´Ù.", -"'%-.16s' ¸í·ÉÀº ´ÙÀ½ »ç¿ëÀÚ¿¡°Ô °ÅºÎµÇ¾ú½À´Ï´Ù. : '%-.32s'@'%-.64s' for Å×À̺í '%-.64s'", -"'%-.16s' ¸í·ÉÀº ´ÙÀ½ »ç¿ëÀÚ¿¡°Ô °ÅºÎµÇ¾ú½À´Ï´Ù. : '%-.32s'@'%-.64s' for Ä®·³ '%-.64s' in Å×À̺í '%-.64s'", -"À߸øµÈ GRANT/REVOKE ¸í·É. ¾î¶² ±Ç¸®¿Í ½ÂÀÎÀÌ »ç¿ëµÇ¾î Áú ¼ö ÀÖ´ÂÁö ¸Þ´º¾óÀ» º¸½Ã¿À.", -"½ÂÀÎ(GRANT)À» À§ÇÏ¿© »ç¿ëÇÑ »ç¿ëÀÚ³ª È£½ºÆ®ÀÇ °ªµéÀÌ ³Ê¹« ±é´Ï´Ù.", -"Å×À̺í '%-.64s.%s' ´Â Á¸ÀçÇÏÁö ¾Ê½À´Ï´Ù.", -"»ç¿ëÀÚ '%-.32s'(È£½ºÆ® '%-.64s')´Â Å×À̺í '%-.64s'¸¦ »ç¿ëÇϱâ À§ÇÏ¿© Á¤ÀÇµÈ ½ÂÀÎÀº ¾ø½À´Ï´Ù. ", -"»ç¿ëµÈ ¸í·ÉÀº ÇöÀçÀÇ MySQL ¹öÁ¯¿¡¼­´Â ÀÌ¿ëµÇÁö ¾Ê½À´Ï´Ù.", -"SQL ±¸¹®¿¡ ¿À·ù°¡ ÀÖ½À´Ï´Ù.", -"Áö¿¬µÈ insert ¾²·¹µå°¡ Å×À̺í %-.64sÀÇ ¿ä±¸µÈ ¶ôÅ·À» ó¸®ÇÒ ¼ö ¾ø¾ú½À´Ï´Ù.", -"³Ê¹« ¸¹Àº Áö¿¬ ¾²·¹µå¸¦ »ç¿ëÇϰí ÀÖ½À´Ï´Ù.", -"µ¥ÀÌŸº£À̽º Á¢¼ÓÀ» À§ÇÑ ¿¬°á %ld°¡ Áß´ÜµÊ : '%-.64s' »ç¿ëÀÚ: '%-.64s' (%s)", -"'max_allowed_packet'º¸´Ù ´õÅ« ÆÐŶÀ» ¹Þ¾Ò½À´Ï´Ù.", -"¿¬°á ÆÄÀÌÇÁ·ÎºÎÅÍ ¿¡·¯°¡ ¹ß»ýÇÏ¿´½À´Ï´Ù.", -"fcntl() ÇÔ¼ö·ÎºÎÅÍ ¿¡·¯°¡ ¹ß»ýÇÏ¿´½À´Ï´Ù.", -"¼ø¼­°¡ ¸ÂÁö¾Ê´Â ÆÐŶÀ» ¹Þ¾Ò½À´Ï´Ù.", -"Åë½Å ÆÐŶÀÇ ¾ÐÃàÇØÁ¦¸¦ ÇÒ ¼ö ¾ø¾ú½À´Ï´Ù.", -"Åë½Å ÆÐŶÀ» Àд Áß ¿À·ù°¡ ¹ß»ýÇÏ¿´½À´Ï´Ù.", -"Åë½Å ÆÐŶÀ» Àд Áß timeoutÀÌ ¹ß»ýÇÏ¿´½À´Ï´Ù.", -"Åë½Å ÆÐŶÀ» ±â·ÏÇÏ´Â Áß ¿À·ù°¡ ¹ß»ýÇÏ¿´½À´Ï´Ù.", -"Åë½Å ÆÐÆÂÀ» ±â·ÏÇÏ´Â Áß timeoutÀÌ ¹ß»ýÇÏ¿´½À´Ï´Ù.", -"Result string is longer than 'max_allowed_packet' bytes", -"The used table type doesn't support BLOB/TEXT columns", -"The used table type doesn't support AUTO_INCREMENT columns", -"INSERT DELAYED can't be used with table '%-.64s', because it is locked with LOCK TABLES", -"Incorrect column name '%-.100s'", -"The used table handler can't index column '%-.64s'", -"All tables in the MERGE table are not defined identically", -"Can't write, because of unique constraint, to table '%-.64s'", -"BLOB column '%-.64s' used in key specification without a key length", -"All parts of a PRIMARY KEY must be NOT NULL; if you need NULL in a key, use UNIQUE instead", -"Result consisted of more than one row", -"This table type requires a primary key", -"This version of MySQL is not compiled with RAID support", -"You are using safe update mode and you tried to update a table without a WHERE that uses a KEY column", -"Key '%-.64s' doesn't exist in table '%-.64s'", -"Can't open table", -"The handler for the table doesn't support %s", -"You are not allowed to execute this command in a transaction", -"Got error %d during COMMIT", -"Got error %d during ROLLBACK", -"Got error %d during FLUSH_LOGS", -"Got error %d during CHECKPOINT", -"Aborted connection %ld to db: '%-.64s' user: '%-.32s' host: `%-.64s' (%-.64s)", -"The handler for the table does not support binary table dump", -"Binlog closed while trying to FLUSH MASTER", -"Failed rebuilding the index of dumped table '%-.64s'", -"Error from master: '%-.64s'", -"Net error reading from master", -"Net error writing to master", -"Can't find FULLTEXT index matching the column list", -"Can't execute the given command because you have active locked tables or an active transaction", -"Unknown system variable '%-.64s'", -"Table '%-.64s' is marked as crashed and should be repaired", -"Table '%-.64s' is marked as crashed and last (automatic?) repair failed", -"Some non-transactional changed tables couldn't be rolled back", -"Multi-statement transaction required more than 'max_binlog_cache_size' bytes of storage; increase this mysqld variable and try again", -"This operation cannot be performed with a running slave; run STOP SLAVE first", -"This operation requires a running slave; configure slave and do START SLAVE", -"The server is not configured as slave; fix in config file or with CHANGE MASTER TO", -"Could not initialize master info structure; more error messages can be found in the MySQL error log", -"Could not create slave thread; check system resources", -"User %-.64s has already more than 'max_user_connections' active connections", -"You may only use constant expressions with SET", -"Lock wait timeout exceeded; try restarting transaction", -"The total number of locks exceeds the lock table size", -"Update locks cannot be acquired during a READ UNCOMMITTED transaction", -"DROP DATABASE not allowed while thread is holding global read lock", -"CREATE DATABASE not allowed while thread is holding global read lock", -"Incorrect arguments to %s", -"'%-.32s'@'%-.64s' is not allowed to create new users", -"Incorrect table definition; all MERGE tables must be in the same database", -"Deadlock found when trying to get lock; try restarting transaction", -"The used table type doesn't support FULLTEXT indexes", -"Cannot add foreign key constraint", -"Cannot add a child row: a foreign key constraint fails", -"Cannot delete a parent row: a foreign key constraint fails", -"Error connecting to master: %-.128s", -"Error running query on master: %-.128s", -"Error when executing command %s: %-.128s", -"Incorrect usage of %s and %s", -"The used SELECT statements have a different number of columns", -"Can't execute the query because you have a conflicting read lock", -"Mixing of transactional and non-transactional tables is disabled", -"Option '%s' used twice in statement", -"User '%-.64s' has exceeded the '%s' resource (current value: %ld)", -"Access denied; you need the %-.128s privilege for this operation", -"Variable '%-.64s' is a SESSION variable and can't be used with SET GLOBAL", -"Variable '%-.64s' is a GLOBAL variable and should be set with SET GLOBAL", -"Variable '%-.64s' doesn't have a default value", -"Variable '%-.64s' can't be set to the value of '%-.64s'", -"Incorrect argument type to variable '%-.64s'", -"Variable '%-.64s' can only be set, not read", -"Incorrect usage/placement of '%s'", -"This version of MySQL doesn't yet support '%s'", -"Got fatal error %d: '%-.128s' from master when reading data from binary log", -"Slave SQL thread ignored the query because of replicate-*-table rules", -"Variable '%-.64s' is a %s variable", -"Incorrect foreign key definition for '%-.64s': %s", -"Key reference and table reference don't match", -"Operand should contain %d column(s)", -"Subquery returns more than 1 row", -"Unknown prepared statement handler (%.*s) given to %s", -"Help database is corrupt or does not exist", -"Cyclic reference on subqueries", -"Converting column '%s' from %s to %s", -"Reference '%-.64s' not supported (%s)", -"Every derived table must have its own alias", -"Select %u was reduced during optimization", -"Table '%-.64s' from one of the SELECTs cannot be used in %-.32s", -"Client does not support authentication protocol requested by server; consider upgrading MySQL client", -"All parts of a SPATIAL index must be NOT NULL", -"COLLATION '%s' is not valid for CHARACTER SET '%s'", -"Slave is already running", -"Slave has already been stopped", -"Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)", -"ZLIB: Not enough memory", -"ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)", -"ZLIB: Input data corrupted", -"%d line(s) were cut by GROUP_CONCAT()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; it contained more data than there were input columns", -"Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld", -"Out of range value adjusted for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Using storage engine %s for table '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"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", -"Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format", -"Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d", -"Incorrect parameter or combination of parameters for START SLAVE UNTIL", -"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", -"SQL thread is not to be started so UNTIL options are ignored", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"Query cache failed to set size %lu, new query cache size is %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated, use '%s' instead", -"The target table %-.100s of the %s is not updateable", -"The '%s' feature was disabled; you need MySQL built with '%s' to have it working", -"The MySQL server is running with the %s option so it cannot execute this statement", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated wrong %-.32s value: '%-.128s'" -"Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' column", -"This command is not supported in the prepared statement protocol yet", -"Got error %d '%-.100s' from %s", -"Got temporary error %d '%-.100s' from %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/norwegian-ny/errmsg.txt b/sql/share/norwegian-ny/errmsg.txt deleted file mode 100644 index 8165dc142fe..00000000000 --- a/sql/share/norwegian-ny/errmsg.txt +++ /dev/null @@ -1,417 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -/* Roy-Magne Mo rmo@www.hivolda.no 97 */ - -character-set=latin1 - -"hashchk", -"isamchk", -"NEI", -"JA", -"Kan ikkje opprette fila '%-.64s' (Feilkode: %d)", -"Kan ikkje opprette tabellen '%-.64s' (Feilkode: %d)", -"Kan ikkje opprette databasen '%-.64s' (Feilkode: %d)", -"Kan ikkje opprette databasen '%-.64s'; databasen eksisterer", -"Kan ikkje fjerne (drop) '%-.64s'; databasen eksisterer ikkje", -"Feil ved fjerning (drop) av databasen (kan ikkje slette '%-.64s', feil %d)", -"Feil ved sletting av database (kan ikkje slette katalogen '%-.64s', feil %d)", -"Feil ved sletting av '%-.64s' (Feilkode: %d)", -"Kan ikkje lese posten i systemkatalogen", -"Kan ikkje lese statusen til '%-.64s' (Feilkode: %d)", -"Kan ikkje lese aktiv katalog(Feilkode: %d)", -"Kan ikkje låse fila (Feilkode: %d)", -"Kan ikkje åpne fila: '%-.64s' (Feilkode: %d)", -"Kan ikkje finne fila: '%-.64s' (Feilkode: %d)", -"Kan ikkje lese katalogen '%-.64s' (Feilkode: %d)", -"Kan ikkje skifte katalog til '%-.64s' (Feilkode: %d)", -"Posten har vorte endra sidan den sist vart lesen '%-.64s'", -"Ikkje meir diskplass (%s). Ventar på å få frigjort plass...", -"Kan ikkje skrive, flere like nyklar i tabellen '%-.64s'", -"Feil ved lukking av '%-.64s' (Feilkode: %d)", -"Feil ved lesing av '%-.64s' (Feilkode: %d)", -"Feil ved omdøyping av '%-.64s' til '%-.64s' (Feilkode: %d)", -"Feil ved skriving av fila '%-.64s' (Feilkode: %d)", -"'%-.64s' er låst mot oppdateringar", -"Sortering avbrote", -"View '%-.64s' eksisterar ikkje for '%-.64s'", -"Mottok feil %d fra tabell handterar", -"Tabell håndteraren for '%-.64s' har ikkje denne moglegheita", -"Kan ikkje finne posten i '%-.64s'", -"Feil informasjon i fila: '%-.64s'", -"Tabellen '%-.64s' har feil i nykkelfila; prøv å reparere den", -"Gammel nykkelfil for tabellen '%-.64s'; reparer den!", -"'%-.64s' er skrivetryggja", -"Ikkje meir minne. Start på nytt tenesten og prøv igjen (trengte %d bytar)", -"Ikkje meir sorteringsminne. Auk sorteringsminnet (sorteringsbffer storleik) for tenesten", -"Uventa slutt på fil (eof) ved lesing av fila '%-.64s' (Feilkode: %d)", -"For mange tilkoplingar (connections)", -"Tomt for tråd plass/minne", -"Kan ikkje få tak i vertsnavn for di adresse", -"Feil handtrykk (handshake)", -"Tilgang ikkje tillate for brukar: '%-.32s'@'%-.64s' til databasen '%-.64s' nekta", -"Tilgang ikke tillate for brukar: '%-.32s'@'%-.64s' (Brukar passord: %s)", -"Ingen database vald", -"Ukjent kommando", -"Kolonne '%-.64s' kan ikkje vere null", -"Ukjent database '%-.64s'", -"Tabellen '%-.64s' eksisterar allereide", -"Ukjent tabell '%-.64s'", -"Kolonne: '%-.64s' i tabell %s er ikkje eintydig", -"Tenar nedkopling er i gang", -"Ukjent felt '%-.64s' i tabell %s", -"Brukte '%-.64s' som ikkje var i group by", -"Kan ikkje gruppere på '%-.64s'", -"Uttrykket har summer (sum) funksjoner og kolonner i same uttrykk", -"Kolonne telling stemmer verdi telling", -"Identifikator '%-.64s' er for lang", -"Feltnamnet '%-.64s' eksisterte frå før", -"Nøkkelnamnet '%-.64s' eksisterte frå før", -"Like verdiar '%-.64s' for nykkel %d", -"Feil kolonne spesifikator for kolonne '%-.64s'", -"%s attmed '%-.64s' på line %d", -"Førespurnad var tom", -"Ikkje unikt tabell/alias: '%-.64s'", -"Ugyldig standardverdi for '%-.64s'", -"Fleire primærnyklar spesifisert", -"For mange nykler spesifisert. Maks %d nyklar tillatt", -"For mange nykkeldelar spesifisert. Maks %d delar tillatt", -"Spesifisert nykkel var for lang. Maks nykkellengde er %d", -"Nykkel kolonne '%-.64s' eksiterar ikkje i tabellen", -"Blob kolonne '%-.64s' kan ikkje brukast ved spesifikasjon av nyklar", -"For stor nykkellengde for felt '%-.64s' (maks = %d). Bruk BLOB istadenfor", -"Bare eitt auto felt kan være definert som nøkkel.", -"%s: klar for tilkoblingar", -"%s: Normal nedkopling\n", -"%s: Oppdaga signal %d. Avsluttar!\n", -"%s: Nedkopling komplett\n", -"%s: Påtvinga avslutning av tråd %ld brukar: '%-.64s'\n", -"Kan ikkje opprette IP socket", -"Tabellen '%-.64s' har ingen index som den som er brukt i CREATE INDEX. Oprett tabellen på nytt", -"Felt skiljer argumenta er ikkje som venta, sjå dokumentasjonen", -"Ein kan ikkje bruke faste feltlengder med BLOB. Vennlisgt bruk 'fields terminated by'.", -"Filen '%-.64s' må være i database-katalogen for å være lesbar for alle", -"Filen '%-.64s' eksisterte allereide", -"Poster: %ld Fjerna: %ld Hoppa over: %ld Åtvaringar: %ld", -"Poster: %ld Like: %ld", -"Feil delnykkel. Den brukte delnykkelen er ikkje ein streng eller den oppgitte lengda er lengre enn nykkellengden", -"Ein kan ikkje slette alle felt med ALTER TABLE. Bruk DROP TABLE istadenfor.", -"Kan ikkje DROP '%-.64s'. Undersøk om felt/nøkkel eksisterar.", -"Postar: %ld Like: %ld Åtvaringar: %ld", -"You can't specify target table '%-.64s' for update in FROM clause", -"Ukjent tråd id: %lu", -"Du er ikkje eigar av tråd %lu", -"Ingen tabellar i bruk", -"For mange tekststrengar felt %s og SET", -"Kan ikkje lage unikt loggfilnavn %s.(1-999)\n", -"Tabellen '%-.64s' var låst med READ lås og kan ikkje oppdaterast", -"Tabellen '%-.64s' var ikkje låst med LOCK TABLES", -"Blob feltet '%-.64s' kan ikkje ha ein standard verdi", -"Ugyldig database namn '%-.64s'", -"Ugyldig tabell namn '%-.64s'", -"SELECT ville undersøkje for mange postar og ville sannsynligvis ta veldig lang tid. Undersøk WHERE klausulen og bruk SET SQL_BIG_SELECTS=1 om SELECTen er korrekt", -"Ukjend feil", -"Ukjend prosedyre %s", -"Feil parameter tal til prosedyra %s", -"Feil parameter til prosedyra %s", -"Ukjend tabell '%-.64s' i %s", -"Feltet '%-.64s' er spesifisert to gangar", -"Invalid use of group function", -"Table '%-.64s' uses a extension that doesn't exist in this MySQL version", -"A table must have at least 1 column", -"The table '%-.64s' is full", -"Unknown character set: '%-.64s'", -"Too many tables; MySQL can only use %d tables in a join", -"Too many columns", -"Row size too large. The maximum row size for the used table type, not counting BLOBs, is %ld. You have to change some columns to TEXT or BLOBs", -"Thread stack overrun: Used: %ld of a %ld stack. Use 'mysqld -O thread_stack=#' to specify a bigger stack if needed", -"Cross dependency found in OUTER JOIN; examine your ON conditions", -"Column '%-.32s' is used with UNIQUE or INDEX but is not defined as NOT NULL", -"Can't load function '%-.64s'", -"Can't initialize function '%-.64s'; %-.80s", -"No paths allowed for shared library", -"Function '%-.64s' already exists", -"Can't open shared library '%-.64s' (errno: %d %s)", -"Can't find function '%-.64s' in library'", -"Function '%-.64s' is not defined", -"Host '%-.64s' is blocked because of many connection errors; unblock with 'mysqladmin flush-hosts'", -"Host '%-.64s' is not allowed to connect to this MySQL server", -"You are using MySQL as an anonymous user and anonymous users are not allowed to change passwords", -"You must have privileges to update tables in the mysql database to be able to change passwords for others", -"Can't find any matching row in the user table", -"Rows matched: %ld Changed: %ld Warnings: %ld", -"Can't create a new thread (errno %d); if you are not out of available memory you can consult the manual for any possible OS dependent bug", -"Column count doesn't match value count at row %ld", -"Can't reopen table: '%-.64s", -"Invalid use of NULL value", -"Got error '%-.64s' from regexp", -"Mixing of GROUP columns (MIN(),MAX(),COUNT(),...) with no GROUP columns is illegal if there is no GROUP BY clause", -"There is no such grant defined for user '%-.32s' on host '%-.64s'", -"%-.16s command denied to user '%-.32s'@'%-.64s' for table '%-.64s'", -"%-.16s command denied to user '%-.32s'@'%-.64s' for column '%-.64s' in table '%-.64s'", -"Illegal GRANT/REVOKE command; please consult the manual to see which privleges can be used.", -"The host or user argument to GRANT is too long", -"Table '%-.64s.%s' doesn't exist", -"There is no such grant defined for user '%-.32s' on host '%-.64s' on table '%-.64s'", -"The used command is not allowed with this MySQL version", -"Something is wrong in your syntax", -"Delayed insert thread couldn't get requested lock for table %-.64s", -"Too many delayed threads in use", -"Aborted connection %ld to db: '%-.64s' user: '%-.64s' (%s)", -"Got a packet bigger than 'max_allowed_packet' bytes", -"Got a read error from the connection pipe", -"Got an error from fcntl()", -"Got packets out of order", -"Couldn't uncompress communication packet", -"Got an error reading communication packets", -"Got timeout reading communication packets", -"Got an error writing communication packets", -"Got timeout writing communication packets", -"Result string is longer than 'max_allowed_packet' bytes", -"The used table type doesn't support BLOB/TEXT columns", -"The used table type doesn't support AUTO_INCREMENT columns", -"INSERT DELAYED can't be used with table '%-.64s', because it is locked with LOCK TABLES", -"Incorrect column name '%-.100s'", -"The used table handler can't index column '%-.64s'", -"All tables in the MERGE table are not defined identically", -"Can't write, because of unique constraint, to table '%-.64s'", -"BLOB column '%-.64s' used in key specification without a key length", -"All parts of a PRIMARY KEY must be NOT NULL; if you need NULL in a key, use UNIQUE instead", -"Result consisted of more than one row", -"This table type requires a primary key", -"This version of MySQL is not compiled with RAID support", -"You are using safe update mode and you tried to update a table without a WHERE that uses a KEY column", -"Key '%-.64s' doesn't exist in table '%-.64s'", -"Can't open table", -"The handler for the table doesn't support %s", -"You are not allowed to execute this command in a transaction", -"Got error %d during COMMIT", -"Got error %d during ROLLBACK", -"Got error %d during FLUSH_LOGS", -"Got error %d during CHECKPOINT", -"Aborted connection %ld to db: '%-.64s' user: '%-.32s' host: `%-.64s' (%-.64s)", -"The handler for the table does not support binary table dump", -"Binlog closed while trying to FLUSH MASTER", -"Failed rebuilding the index of dumped table '%-.64s'", -"Error from master: '%-.64s'", -"Net error reading from master", -"Net error writing to master", -"Can't find FULLTEXT index matching the column list", -"Can't execute the given command because you have active locked tables or an active transaction", -"Unknown system variable '%-.64s'", -"Table '%-.64s' is marked as crashed and should be repaired", -"Table '%-.64s' is marked as crashed and last (automatic?) repair failed", -"Some non-transactional changed tables couldn't be rolled back", -"Multi-statement transaction required more than 'max_binlog_cache_size' bytes of storage; increase this mysqld variable and try again", -"This operation cannot be performed with a running slave; run STOP SLAVE first", -"This operation requires a running slave; configure slave and do START SLAVE", -"The server is not configured as slave; fix in config file or with CHANGE MASTER TO", -"Could not initialize master info structure; more error messages can be found in the MySQL error log", -"Could not create slave thread; check system resources", -"User %-.64s has already more than 'max_user_connections' active connections", -"You may only use constant expressions with SET", -"Lock wait timeout exceeded; try restarting transaction", -"The total number of locks exceeds the lock table size", -"Update locks cannot be acquired during a READ UNCOMMITTED transaction", -"DROP DATABASE not allowed while thread is holding global read lock", -"CREATE DATABASE not allowed while thread is holding global read lock", -"Incorrect arguments to %s", -"'%-.32s'@'%-.64s' is not allowed to create new users", -"Incorrect table definition; all MERGE tables must be in the same database", -"Deadlock found when trying to get lock; try restarting transaction", -"The used table type doesn't support FULLTEXT indexes", -"Cannot add foreign key constraint", -"Cannot add a child row: a foreign key constraint fails", -"Cannot delete a parent row: a foreign key constraint fails", -"Error connecting to master: %-.128s", -"Error running query on master: %-.128s", -"Error when executing command %s: %-.128s", -"Incorrect usage of %s and %s", -"The used SELECT statements have a different number of columns", -"Can't execute the query because you have a conflicting read lock", -"Mixing of transactional and non-transactional tables is disabled", -"Option '%s' used twice in statement", -"User '%-.64s' has exceeded the '%s' resource (current value: %ld)", -"Access denied; you need the %-.128s privilege for this operation", -"Variable '%-.64s' is a SESSION variable and can't be used with SET GLOBAL", -"Variable '%-.64s' is a GLOBAL variable and should be set with SET GLOBAL", -"Variable '%-.64s' doesn't have a default value", -"Variable '%-.64s' can't be set to the value of '%-.64s'", -"Incorrect argument type to variable '%-.64s'", -"Variable '%-.64s' can only be set, not read", -"Incorrect usage/placement of '%s'", -"This version of MySQL doesn't yet support '%s'", -"Got fatal error %d: '%-.128s' from master when reading data from binary log", -"Slave SQL thread ignored the query because of replicate-*-table rules", -"Variable '%-.64s' is a %s variable", -"Incorrect foreign key definition for '%-.64s': %s", -"Key reference and table reference don't match", -"Operand should contain %d column(s)", -"Subquery returns more than 1 row", -"Unknown prepared statement handler (%.*s) given to %s", -"Help database is corrupt or does not exist", -"Cyclic reference on subqueries", -"Converting column '%s' from %s to %s", -"Reference '%-.64s' not supported (%s)", -"Every derived table must have its own alias", -"Select %u was reduced during optimization", -"Table '%-.64s' from one of the SELECTs cannot be used in %-.32s", -"Client does not support authentication protocol requested by server; consider upgrading MySQL client", -"All parts of a SPATIAL index must be NOT NULL", -"COLLATION '%s' is not valid for CHARACTER SET '%s'", -"Slave is already running", -"Slave has already been stopped", -"Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)", -"ZLIB: Not enough memory", -"ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)", -"ZLIB: Input data corrupted", -"%d line(s) were cut by GROUP_CONCAT()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; it contained more data than there were input columns", -"Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld", -"Out of range value adjusted for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Using storage engine %s for table '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"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", -"Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format", -"Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d", -"Incorrect parameter or combination of parameters for START SLAVE UNTIL", -"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", -"SQL thread is not to be started so UNTIL options are ignored", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"Query cache failed to set size %lu, new query cache size is %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated, use '%s' instead", -"The target table %-.100s of the %s is not updateable", -"The '%s' feature was disabled; you need MySQL built with '%s' to have it working", -"The MySQL server is running with the %s option so it cannot execute this statement", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated wrong %-.32s value: '%-.128s'" -"Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' column", -"This command is not supported in the prepared statement protocol yet", -"Mottok feil %d '%-.100s' fra %s", -"Mottok temporary feil %d '%-.100s' fra %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/norwegian/errmsg.txt b/sql/share/norwegian/errmsg.txt deleted file mode 100644 index 477c527968a..00000000000 --- a/sql/share/norwegian/errmsg.txt +++ /dev/null @@ -1,417 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -/* Roy-Magne Mo rmo@www.hivolda.no 97 */ - -character-set=latin1 - -"hashchk", -"isamchk", -"NEI", -"JA", -"Kan ikke opprette fila '%-.64s' (Feilkode: %d)", -"Kan ikke opprette tabellen '%-.64s' (Feilkode: %d)", -"Kan ikke opprette databasen '%-.64s' (Feilkode: %d)", -"Kan ikke opprette databasen '%-.64s'; databasen eksisterer", -"Kan ikke fjerne (drop) '%-.64s'; databasen eksisterer ikke", -"Feil ved fjerning (drop) av databasen (kan ikke slette '%-.64s', feil %d)", -"Feil ved sletting av database (kan ikke slette katalogen '%-.64s', feil %d)", -"Feil ved sletting av '%-.64s' (Feilkode: %d)", -"Kan ikke lese posten i systemkatalogen", -"Kan ikke lese statusen til '%-.64s' (Feilkode: %d)", -"Kan ikke lese aktiv katalog(Feilkode: %d)", -"Kan ikke låse fila (Feilkode: %d)", -"Kan ikke åpne fila: '%-.64s' (Feilkode: %d)", -"Kan ikke finne fila: '%-.64s' (Feilkode: %d)", -"Kan ikke lese katalogen '%-.64s' (Feilkode: %d)", -"Kan ikke skifte katalog til '%-.64s' (Feilkode: %d)", -"Posten har blitt endret siden den ble lest '%-.64s'", -"Ikke mer diskplass (%s). Venter på å få frigjort plass...", -"Kan ikke skrive, flere like nøkler i tabellen '%-.64s'", -"Feil ved lukking av '%-.64s' (Feilkode: %d)", -"Feil ved lesing av '%-.64s' (Feilkode: %d)", -"Feil ved omdøping av '%-.64s' til '%-.64s' (Feilkode: %d)", -"Feil ved skriving av fila '%-.64s' (Feilkode: %d)", -"'%-.64s' er låst mot oppdateringer", -"Sortering avbrutt", -"View '%-.64s' eksisterer ikke for '%-.64s'", -"Mottok feil %d fra tabell håndterer", -"Tabell håndtereren for '%-.64s' har ikke denne muligheten", -"Kan ikke finne posten i '%-.64s'", -"Feil informasjon i filen: '%-.64s'", -"Tabellen '%-.64s' har feil i nøkkelfilen; forsøk å reparer den", -"Gammel nøkkelfil for tabellen '%-.64s'; reparer den!", -"'%-.64s' er skrivebeskyttet", -"Ikke mer minne. Star på nytt tjenesten og prøv igjen (trengte %d byter)", -"Ikke mer sorteringsminne. Øk sorteringsminnet (sort buffer size) for tjenesten", -"Uventet slutt på fil (eof) ved lesing av filen '%-.64s' (Feilkode: %d)", -"For mange tilkoblinger (connections)", -"Tomt for tråd plass/minne", -"Kan ikke få tak i vertsnavn for din adresse", -"Feil håndtrykk (handshake)", -"Tilgang nektet for bruker: '%-.32s'@'%-.64s' til databasen '%-.64s' nektet", -"Tilgang nektet for bruker: '%-.32s'@'%-.64s' (Bruker passord: %s)", -"Ingen database valgt", -"Ukjent kommando", -"Kolonne '%-.64s' kan ikke vere null", -"Ukjent database '%-.64s'", -"Tabellen '%-.64s' eksisterer allerede", -"Ukjent tabell '%-.64s'", -"Felt: '%-.64s' i tabell %s er ikke entydig", -"Database nedkobling er i gang", -"Ukjent kolonne '%-.64s' i tabell %s", -"Brukte '%-.64s' som ikke var i group by", -"Kan ikke gruppere på '%-.64s'", -"Uttrykket har summer (sum) funksjoner og kolonner i samme uttrykk", -"Felt telling stemmer verdi telling", -"Identifikator '%-.64s' er for lang", -"Feltnavnet '%-.64s' eksisterte fra før", -"Nøkkelnavnet '%-.64s' eksisterte fra før", -"Like verdier '%-.64s' for nøkkel %d", -"Feil kolonne spesifikator for felt '%-.64s'", -"%s nær '%-.64s' på linje %d", -"Forespørsel var tom", -"Ikke unikt tabell/alias: '%-.64s'", -"Ugyldig standardverdi for '%-.64s'", -"Fleire primærnøkle spesifisert", -"For mange nøkler spesifisert. Maks %d nøkler tillatt", -"For mange nøkkeldeler spesifisert. Maks %d deler tillatt", -"Spesifisert nøkkel var for lang. Maks nøkkellengde er is %d", -"Nøkkel felt '%-.64s' eksiterer ikke i tabellen", -"Blob felt '%-.64s' kan ikke brukes ved spesifikasjon av nøkler", -"For stor nøkkellengde for kolonne '%-.64s' (maks = %d). Bruk BLOB istedenfor", -"Bare ett auto felt kan være definert som nøkkel.", -"%s: klar for tilkoblinger", -"%s: Normal avslutning\n", -"%s: Oppdaget signal %d. Avslutter!\n", -"%s: Avslutning komplett\n", -"%s: Påtvinget avslutning av tråd %ld bruker: '%-.64s'\n", -"Kan ikke opprette IP socket", -"Tabellen '%-.64s' har ingen index som den som er brukt i CREATE INDEX. Gjenopprett tabellen", -"Felt skiller argumentene er ikke som forventet, se dokumentasjonen", -"En kan ikke bruke faste feltlengder med BLOB. Vennlisgt bruk 'fields terminated by'.", -"Filen '%-.64s' må være i database-katalogen for å være lesbar for alle", -"Filen '%-.64s' eksisterte allerede", -"Poster: %ld Fjernet: %ld Hoppet over: %ld Advarsler: %ld", -"Poster: %ld Like: %ld", -"Feil delnøkkel. Den brukte delnøkkelen er ikke en streng eller den oppgitte lengde er lengre enn nøkkel lengden", -"En kan ikke slette alle felt med ALTER TABLE. Bruk DROP TABLE isteden.", -"Kan ikke DROP '%-.64s'. Undersøk om felt/nøkkel eksisterer.", -"Poster: %ld Like: %ld Advarsler: %ld", -"You can't specify target table '%-.64s' for update in FROM clause", -"Ukjent tråd id: %lu", -"Du er ikke eier av tråden %lu", -"Ingen tabeller i bruk", -"For mange tekststrenger kolonne %s og SET", -"Kan ikke lage unikt loggfilnavn %s.(1-999)\n", -"Tabellen '%-.64s' var låst med READ lås og kan ikke oppdateres", -"Tabellen '%-.64s' var ikke låst med LOCK TABLES", -"Blob feltet '%-.64s' kan ikke ha en standard verdi", -"Ugyldig database navn '%-.64s'", -"Ugyldig tabell navn '%-.64s'", -"SELECT ville undersøke for mange poster og ville sannsynligvis ta veldig lang tid. Undersøk WHERE klausulen og bruk SET SQL_BIG_SELECTS=1 om SELECTen er korrekt", -"Ukjent feil", -"Ukjent prosedyre %s", -"Feil parameter antall til prosedyren %s", -"Feil parametre til prosedyren %s", -"Ukjent tabell '%-.64s' i %s", -"Feltet '%-.64s' er spesifisert to ganger", -"Invalid use of group function", -"Table '%-.64s' uses a extension that doesn't exist in this MySQL version", -"A table must have at least 1 column", -"The table '%-.64s' is full", -"Unknown character set: '%-.64s'", -"Too many tables; MySQL can only use %d tables in a join", -"Too many columns", -"Row size too large. The maximum row size for the used table type, not counting BLOBs, is %ld. You have to change some columns to TEXT or BLOBs", -"Thread stack overrun: Used: %ld of a %ld stack. Use 'mysqld -O thread_stack=#' to specify a bigger stack if needed", -"Cross dependency found in OUTER JOIN; examine your ON conditions", -"Column '%-.32s' is used with UNIQUE or INDEX but is not defined as NOT NULL", -"Can't load function '%-.64s'", -"Can't initialize function '%-.64s'; %-.80s", -"No paths allowed for shared library", -"Function '%-.64s' already exists", -"Can't open shared library '%-.64s' (errno: %d %s)", -"Can't find function '%-.64s' in library'", -"Function '%-.64s' is not defined", -"Host '%-.64s' is blocked because of many connection errors; unblock with 'mysqladmin flush-hosts'", -"Host '%-.64s' is not allowed to connect to this MySQL server", -"You are using MySQL as an anonymous user and anonymous users are not allowed to change passwords", -"You must have privileges to update tables in the mysql database to be able to change passwords for others", -"Can't find any matching row in the user table", -"Rows matched: %ld Changed: %ld Warnings: %ld", -"Can't create a new thread (errno %d); if you are not out of available memory you can consult the manual for any possible OS dependent bug", -"Column count doesn't match value count at row %ld", -"Can't reopen table: '%-.64s", -"Invalid use of NULL value", -"Got error '%-.64s' from regexp", -"Mixing of GROUP columns (MIN(),MAX(),COUNT(),...) with no GROUP columns is illegal if there is no GROUP BY clause", -"There is no such grant defined for user '%-.32s' on host '%-.64s'", -"%-.16s command denied to user '%-.32s'@'%-.64s' for table '%-.64s'", -"%-.16s command denied to user '%-.32s'@'%-.64s' for column '%-.64s' in table '%-.64s'", -"Illegal GRANT/REVOKE command; please consult the manual to see which privleges can be used.", -"The host or user argument to GRANT is too long", -"Table '%-.64s.%s' doesn't exist", -"There is no such grant defined for user '%-.32s' on host '%-.64s' on table '%-.64s'", -"The used command is not allowed with this MySQL version", -"Something is wrong in your syntax", -"Delayed insert thread couldn't get requested lock for table %-.64s", -"Too many delayed threads in use", -"Aborted connection %ld to db: '%-.64s' user: '%-.64s' (%s)", -"Got a packet bigger than 'max_allowed_packet' bytes", -"Got a read error from the connection pipe", -"Got an error from fcntl()", -"Got packets out of order", -"Couldn't uncompress communication packet", -"Got an error reading communication packets", -"Got timeout reading communication packets", -"Got an error writing communication packets", -"Got timeout writing communication packets", -"Result string is longer than 'max_allowed_packet' bytes", -"The used table type doesn't support BLOB/TEXT columns", -"The used table type doesn't support AUTO_INCREMENT columns", -"INSERT DELAYED can't be used with table '%-.64s', because it is locked with LOCK TABLES", -"Incorrect column name '%-.100s'", -"The used table handler can't index column '%-.64s'", -"All tables in the MERGE table are not defined identically", -"Can't write, because of unique constraint, to table '%-.64s'", -"BLOB column '%-.64s' used in key specification without a key length", -"All parts of a PRIMARY KEY must be NOT NULL; if you need NULL in a key, use UNIQUE instead", -"Result consisted of more than one row", -"This table type requires a primary key", -"This version of MySQL is not compiled with RAID support", -"You are using safe update mode and you tried to update a table without a WHERE that uses a KEY column", -"Key '%-.64s' doesn't exist in table '%-.64s'", -"Can't open table", -"The handler for the table doesn't support %s", -"You are not allowed to execute this command in a transaction", -"Got error %d during COMMIT", -"Got error %d during ROLLBACK", -"Got error %d during FLUSH_LOGS", -"Got error %d during CHECKPOINT", -"Aborted connection %ld to db: '%-.64s' user: '%-.32s' host: `%-.64s' (%-.64s)", -"The handler for the table does not support binary table dump", -"Binlog closed while trying to FLUSH MASTER", -"Failed rebuilding the index of dumped table '%-.64s'", -"Error from master: '%-.64s'", -"Net error reading from master", -"Net error writing to master", -"Can't find FULLTEXT index matching the column list", -"Can't execute the given command because you have active locked tables or an active transaction", -"Unknown system variable '%-.64s'", -"Table '%-.64s' is marked as crashed and should be repaired", -"Table '%-.64s' is marked as crashed and last (automatic?) repair failed", -"Some non-transactional changed tables couldn't be rolled back", -"Multi-statement transaction required more than 'max_binlog_cache_size' bytes of storage; increase this mysqld variable and try again", -"This operation cannot be performed with a running slave; run STOP SLAVE first", -"This operation requires a running slave; configure slave and do START SLAVE", -"The server is not configured as slave; fix in config file or with CHANGE MASTER TO", -"Could not initialize master info structure; more error messages can be found in the MySQL error log", -"Could not create slave thread; check system resources", -"User %-.64s has already more than 'max_user_connections' active connections", -"You may only use constant expressions with SET", -"Lock wait timeout exceeded; try restarting transaction", -"The total number of locks exceeds the lock table size", -"Update locks cannot be acquired during a READ UNCOMMITTED transaction", -"DROP DATABASE not allowed while thread is holding global read lock", -"CREATE DATABASE not allowed while thread is holding global read lock", -"Incorrect arguments to %s", -"'%-.32s'@'%-.64s' is not allowed to create new users", -"Incorrect table definition; all MERGE tables must be in the same database", -"Deadlock found when trying to get lock; try restarting transaction", -"The used table type doesn't support FULLTEXT indexes", -"Cannot add foreign key constraint", -"Cannot add a child row: a foreign key constraint fails", -"Cannot delete a parent row: a foreign key constraint fails", -"Error connecting to master: %-.128s", -"Error running query on master: %-.128s", -"Error when executing command %s: %-.128s", -"Incorrect usage of %s and %s", -"The used SELECT statements have a different number of columns", -"Can't execute the query because you have a conflicting read lock", -"Mixing of transactional and non-transactional tables is disabled", -"Option '%s' used twice in statement", -"User '%-.64s' has exceeded the '%s' resource (current value: %ld)", -"Access denied; you need the %-.128s privilege for this operation", -"Variable '%-.64s' is a SESSION variable and can't be used with SET GLOBAL", -"Variable '%-.64s' is a GLOBAL variable and should be set with SET GLOBAL", -"Variable '%-.64s' doesn't have a default value", -"Variable '%-.64s' can't be set to the value of '%-.64s'", -"Incorrect argument type to variable '%-.64s'", -"Variable '%-.64s' can only be set, not read", -"Incorrect usage/placement of '%s'", -"This version of MySQL doesn't yet support '%s'", -"Got fatal error %d: '%-.128s' from master when reading data from binary log", -"Slave SQL thread ignored the query because of replicate-*-table rules", -"Variable '%-.64s' is a %s variable", -"Incorrect foreign key definition for '%-.64s': %s", -"Key reference and table reference don't match", -"Operand should contain %d column(s)", -"Subquery returns more than 1 row", -"Unknown prepared statement handler (%.*s) given to %s", -"Help database is corrupt or does not exist", -"Cyclic reference on subqueries", -"Converting column '%s' from %s to %s", -"Reference '%-.64s' not supported (%s)", -"Every derived table must have its own alias", -"Select %u was reduced during optimization", -"Table '%-.64s' from one of the SELECTs cannot be used in %-.32s", -"Client does not support authentication protocol requested by server; consider upgrading MySQL client", -"All parts of a SPATIAL index must be NOT NULL", -"COLLATION '%s' is not valid for CHARACTER SET '%s'", -"Slave is already running", -"Slave has already been stopped", -"Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)", -"ZLIB: Not enough memory", -"ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)", -"ZLIB: Input data corrupted", -"%d line(s) were cut by GROUP_CONCAT()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; it contained more data than there were input columns", -"Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld", -"Out of range value adjusted for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Using storage engine %s for table '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"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", -"Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format", -"Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d", -"Incorrect parameter or combination of parameters for START SLAVE UNTIL", -"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", -"SQL thread is not to be started so UNTIL options are ignored", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"Query cache failed to set size %lu, new query cache size is %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated, use '%s' instead", -"The target table %-.100s of the %s is not updateable", -"The '%s' feature was disabled; you need MySQL built with '%s' to have it working", -"The MySQL server is running with the %s option so it cannot execute this statement", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated wrong %-.32s value: '%-.128s'" -"Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' column", -"This command is not supported in the prepared statement protocol yet", -"Mottok feil %d '%-.100s' fa %s", -"Mottok temporary feil %d '%-.100s' fra %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/polish/errmsg.txt b/sql/share/polish/errmsg.txt deleted file mode 100644 index 5c56730068d..00000000000 --- a/sql/share/polish/errmsg.txt +++ /dev/null @@ -1,420 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -/* - Changed by Jaroslaw Lewandowski - Charset ISO-8859-2 -*/ - -character-set=latin2 - -"hashchk", -"isamchk", -"NIE", -"TAK", -"Nie mo¿na stworzyæ pliku '%-.64s' (Kod b³êdu: %d)", -"Nie mo¿na stworzyæ tabeli '%-.64s' (Kod b³êdu: %d)", -"Nie mo¿na stworzyæ bazy danych '%-.64s' (Kod b³êdu: %d)", -"Nie mo¿na stworzyæ bazy danych '%-.64s'; baza danych ju¿ istnieje", -"Nie mo¿na usun?æ bazy danych '%-.64s'; baza danych nie istnieje", -"B³?d podczas usuwania bazy danych (nie mo¿na usun?æ '%-.64s', b³?d %d)", -"B³?d podczas usuwania bazy danych (nie mo¿na wykonaæ rmdir '%-.64s', b³?d %d)", -"B³?d podczas usuwania '%-.64s' (Kod b³êdu: %d)", -"Nie mo¿na odczytaæ rekordu z tabeli systemowej", -"Nie mo¿na otrzymaæ statusu '%-.64s' (Kod b³êdu: %d)", -"Nie mo¿na rozpoznaæ aktualnego katalogu (Kod b³êdu: %d)", -"Nie mo¿na zablokowaæ pliku (Kod b³êdu: %d)", -"Nie mo¿na otworzyæ pliku: '%-.64s' (Kod b³êdu: %d)", -"Nie mo¿na znale¥æ pliku: '%-.64s' (Kod b³êdu: %d)", -"Nie mo¿na odczytaæ katalogu '%-.64s' (Kod b³êdu: %d)", -"Nie mo¿na zmieniæ katalogu na '%-.64s' (Kod b³êdu: %d)", -"Rekord zosta³ zmieniony od ostaniego odczytania z tabeli '%-.64s'", -"Dysk pe³ny (%s). Oczekiwanie na zwolnienie miejsca...", -"Nie mo¿na zapisaæ, powtórzone klucze w tabeli '%-.64s'", -"B³?d podczas zamykania '%-.64s' (Kod b³êdu: %d)", -"B³?d podczas odczytu pliku '%-.64s' (Kod b³êdu: %d)", -"B³?d podczas zmieniania nazwy '%-.64s' na '%-.64s' (Kod b³êdu: %d)", -"B³?d podczas zapisywania pliku '%-.64s' (Kod b³êdu: %d)", -"'%-.64s' jest zablokowany na wypadek zmian", -"Sortowanie przerwane", -"Widok '%-.64s' nie istnieje dla '%-.64s'", -"Otrzymano b³?d %d z obs³ugi tabeli", -"Obs³uga tabeli '%-.64s' nie posiada tej opcji", -"Nie mo¿na znale¥æ rekordu w '%-.64s'", -"Niew³a?ciwa informacja w pliku: '%-.64s'", -"Niew³a?ciwy plik kluczy dla tabeli: '%-.64s'; spróbuj go naprawiæ", -"Plik kluczy dla tabeli '%-.64s' jest starego typu; napraw go!", -"'%-.64s' jest tylko do odczytu", -"Zbyt ma³o pamiêci. Uruchom ponownie demona i spróbuj ponownie (potrzeba %d bajtów)", -"Zbyt ma³o pamiêci dla sortowania. Zwiêksz wielko?æ bufora demona dla sortowania", -"Nieoczekiwany 'eof' napotkany podczas czytania z pliku '%-.64s' (Kod b³êdu: %d)", -"Zbyt wiele po³?czeñ", -"Zbyt ma³o miejsca/pamiêci dla w?tku", -"Nie mo¿na otrzymaæ nazwy hosta dla twojego adresu", -"Z³y uchwyt(handshake)", -"Access denied for user '%-.32s'@'%-.64s' to database '%-.64s'", -"Access denied for user '%-.32s'@'%-.64s' (using password: %s)", -"Nie wybrano ¿adnej bazy danych", -"Nieznana komenda", -"Kolumna '%-.64s' nie mo¿e byæ null", -"Nieznana baza danych '%-.64s'", -"Tabela '%-.64s' ju¿ istnieje", -"Nieznana tabela '%-.64s'", -"Kolumna: '%-.64s' w %s jest dwuznaczna", -"Trwa koñczenie dzia³ania serwera", -"Nieznana kolumna '%-.64s' w %s", -"U¿yto '%-.64s' bez umieszczenia w group by", -"Nie mo¿na grupowaæ po '%-.64s'", -"Zapytanie ma funkcje sumuj?ce i kolumny w tym samym zapytaniu", -"Liczba kolumn nie odpowiada liczbie warto?ci", -"Nazwa identyfikatora '%-.64s' jest zbyt d³uga", -"Powtórzona nazwa kolumny '%-.64s'", -"Powtórzony nazwa klucza '%-.64s'", -"Powtórzone wyst?pienie '%-.64s' dla klucza %d", -"B³êdna specyfikacja kolumny dla kolumny '%-.64s'", -"%s obok '%-.64s' w linii %d", -"Zapytanie by³o puste", -"Tabela/alias nie s? unikalne: '%-.64s'", -"Niew³a?ciwa warto?æ domy?lna dla '%-.64s'", -"Zdefiniowano wiele kluczy podstawowych", -"Okre?lono zbyt wiele kluczy. Dostêpnych jest maksymalnie %d kluczy", -"Okre?lono zbyt wiele czê?ci klucza. Dostêpnych jest maksymalnie %d czê?ci", -"Zdefinowany klucz jest zbyt d³ugi. Maksymaln? d³ugo?ci? klucza jest %d", -"Kolumna '%-.64s' zdefiniowana w kluczu nie istnieje w tabeli", -"Kolumna typu Blob '%-.64s' nie mo¿e byæ u¿yta w specyfikacji klucza", -"Zbyt du¿a d³ugo?æ kolumny '%-.64s' (maks. = %d). W zamian u¿yj typu BLOB", -"W tabeli mo¿e byæ tylko jedno pole auto i musi ono byæ zdefiniowane jako klucz", -"%s: gotowe do po³?czenia", -"%s: Standardowe zakoñczenie dzia³ania\n", -"%s: Otrzymano sygna³ %d. Koñczenie dzia³ania!\n", -"%s: Zakoñczenie dzia³ania wykonane\n", -"%s: Wymuszenie zamkniêcia w?tku %ld u¿ytkownik: '%-.64s'\n", -"Nie mo¿na stworzyæ socket'u IP", -"Tabela '%-.64s' nie ma indeksu takiego jak w CREATE INDEX. Stwórz tabelê", -"Nie oczekiwano separatora. Sprawd¥ podrêcznik", -"Nie mo¿na u¿yæ sta³ej d³ugo?ci wiersza z polami typu BLOB. U¿yj 'fields terminated by'.", -"Plik '%-.64s' musi znajdowaæ sie w katalogu bazy danych lub mieæ prawa czytania przez wszystkich", -"Plik '%-.64s' ju¿ istnieje", -"Recordów: %ld Usuniêtych: %ld Pominiêtych: %ld Ostrze¿eñ: %ld", -"Rekordów: %ld Duplikatów: %ld", -"B³êdna podczê?æ klucza. U¿yta czê?æ klucza nie jest ³añcuchem lub u¿yta d³ugo?æ jest wiêksza ni¿ czê?æ klucza", -"Nie mo¿na usun?æ wszystkich pól wykorzystuj?c ALTER TABLE. W zamian u¿yj DROP TABLE", -"Nie mo¿na wykonaæ operacji DROP '%-.64s'. Sprawd¥, czy to pole/klucz istnieje", -"Rekordów: %ld Duplikatów: %ld Ostrze¿eñ: %ld", -"You can't specify target table '%-.64s' for update in FROM clause", -"Nieznany identyfikator w?tku: %lu", -"Nie jeste? w³a?cicielem w?tku %lu", -"Nie ma ¿adej u¿ytej tabeli", -"Zbyt wiele ³añcuchów dla kolumny %s i polecenia SET", -"Nie mo¿na stworzyæ unikalnej nazwy pliku z logiem %s.(1-999)\n", -"Tabela '%-.64s' zosta³a zablokowana przez READ i nie mo¿e zostaæ zaktualizowana", -"Tabela '%-.64s' nie zosta³a zablokowana poleceniem LOCK TABLES", -"Pole typu blob '%-.64s' nie mo¿e mieæ domy?lnej warto?ci", -"Niedozwolona nazwa bazy danych '%-.64s'", -"Niedozwolona nazwa tabeli '%-.64s'...", -"Operacja SELECT bêdzie dotyczy³a zbyt wielu rekordów i prawdopodobnie zajmie bardzo du¿o czasu. Sprawd¥ warunek WHERE i u¿yj SQL_OPTION BIG_SELECTS=1 je?li operacja SELECT jest poprawna", -"Unknown error", -"Unkown procedure %s", -"Incorrect parameter count to procedure %s", -"Incorrect parameters to procedure %s", -"Unknown table '%-.64s' in %s", -"Field '%-.64s' specified twice", -"Invalid use of group function", -"Table '%-.64s' uses a extension that doesn't exist in this MySQL version", -"A table must have at least 1 column", -"The table '%-.64s' is full", -"Unknown character set: '%-.64s'", -"Too many tables; MySQL can only use %d tables in a join", -"Too many columns", -"Row size too large. The maximum row size for the used table type, not counting BLOBs, is %ld. You have to change some columns to TEXT or BLOBs", -"Thread stack overrun: Used: %ld of a %ld stack. Use 'mysqld -O thread_stack=#' to specify a bigger stack if needed", -"Cross dependency found in OUTER JOIN; examine your ON conditions", -"Column '%-.32s' is used with UNIQUE or INDEX but is not defined as NOT NULL", -"Can't load function '%-.64s'", -"Can't initialize function '%-.64s'; %-.80s", -"No paths allowed for shared library", -"Function '%-.64s' already exists", -"Can't open shared library '%-.64s' (errno: %d %s)", -"Can't find function '%-.64s' in library'", -"Function '%-.64s' is not defined", -"Host '%-.64s' is blocked because of many connection errors; unblock with 'mysqladmin flush-hosts'", -"Host '%-.64s' is not allowed to connect to this MySQL server", -"You are using MySQL as an anonymous user and anonymous users are not allowed to change passwords", -"You must have privileges to update tables in the mysql database to be able to change passwords for others", -"Can't find any matching row in the user table", -"Rows matched: %ld Changed: %ld Warnings: %ld", -"Can't create a new thread (errno %d); if you are not out of available memory you can consult the manual for any possible OS dependent bug", -"Column count doesn't match value count at row %ld", -"Can't reopen table: '%-.64s", -"Invalid use of NULL value", -"Got error '%-.64s' from regexp", -"Mixing of GROUP columns (MIN(),MAX(),COUNT(),...) with no GROUP columns is illegal if there is no GROUP BY clause", -"There is no such grant defined for user '%-.32s' on host '%-.64s'", -"%-.16s command denied to user '%-.32s'@'%-.64s' for table '%-.64s'", -"%-.16s command denied to user '%-.32s'@'%-.64s' for column '%-.64s' in table '%-.64s'", -"Illegal GRANT/REVOKE command; please consult the manual to see which privleges can be used.", -"The host or user argument to GRANT is too long", -"Table '%-.64s.%s' doesn't exist", -"There is no such grant defined for user '%-.32s' on host '%-.64s' on table '%-.64s'", -"The used command is not allowed with this MySQL version", -"Something is wrong in your syntax", -"Delayed insert thread couldn't get requested lock for table %-.64s", -"Too many delayed threads in use", -"Aborted connection %ld to db: '%-.64s' user: '%-.64s' (%s)", -"Got a packet bigger than 'max_allowed_packet' bytes", -"Got a read error from the connection pipe", -"Got an error from fcntl()", -"Got packets out of order", -"Couldn't uncompress communication packet", -"Got an error reading communication packets", -"Got timeout reading communication packets", -"Got an error writing communication packets", -"Got timeout writing communication packets", -"Result string is longer than 'max_allowed_packet' bytes", -"The used table type doesn't support BLOB/TEXT columns", -"The used table type doesn't support AUTO_INCREMENT columns", -"INSERT DELAYED can't be used with table '%-.64s', because it is locked with LOCK TABLES", -"Incorrect column name '%-.100s'", -"The used table handler can't index column '%-.64s'", -"All tables in the MERGE table are not defined identically", -"Can't write, because of unique constraint, to table '%-.64s'", -"BLOB column '%-.64s' used in key specification without a key length", -"All parts of a PRIMARY KEY must be NOT NULL; if you need NULL in a key, use UNIQUE instead", -"Result consisted of more than one row", -"This table type requires a primary key", -"This version of MySQL is not compiled with RAID support", -"You are using safe update mode and you tried to update a table without a WHERE that uses a KEY column", -"Key '%-.64s' doesn't exist in table '%-.64s'", -"Can't open table", -"The handler for the table doesn't support %s", -"You are not allowed to execute this command in a transaction", -"Got error %d during COMMIT", -"Got error %d during ROLLBACK", -"Got error %d during FLUSH_LOGS", -"Got error %d during CHECKPOINT", -"Aborted connection %ld to db: '%-.64s' user: '%-.32s' host: `%-.64s' (%-.64s)", -"The handler for the table does not support binary table dump", -"Binlog closed while trying to FLUSH MASTER", -"Failed rebuilding the index of dumped table '%-.64s'", -"Error from master: '%-.64s'", -"Net error reading from master", -"Net error writing to master", -"Can't find FULLTEXT index matching the column list", -"Can't execute the given command because you have active locked tables or an active transaction", -"Unknown system variable '%-.64s'", -"Table '%-.64s' is marked as crashed and should be repaired", -"Table '%-.64s' is marked as crashed and last (automatic?) repair failed", -"Some non-transactional changed tables couldn't be rolled back", -"Multi-statement transaction required more than 'max_binlog_cache_size' bytes of storage; increase this mysqld variable and try again", -"This operation cannot be performed with a running slave; run STOP SLAVE first", -"This operation requires a running slave; configure slave and do START SLAVE", -"The server is not configured as slave; fix in config file or with CHANGE MASTER TO", -"Could not initialize master info structure; more error messages can be found in the MySQL error log", -"Could not create slave thread; check system resources", -"User %-.64s has already more than 'max_user_connections' active connections", -"You may only use constant expressions with SET", -"Lock wait timeout exceeded; try restarting transaction", -"The total number of locks exceeds the lock table size", -"Update locks cannot be acquired during a READ UNCOMMITTED transaction", -"DROP DATABASE not allowed while thread is holding global read lock", -"CREATE DATABASE not allowed while thread is holding global read lock", -"Incorrect arguments to %s", -"'%-.32s'@'%-.64s' is not allowed to create new users", -"Incorrect table definition; all MERGE tables must be in the same database", -"Deadlock found when trying to get lock; try restarting transaction", -"The used table type doesn't support FULLTEXT indexes", -"Cannot add foreign key constraint", -"Cannot add a child row: a foreign key constraint fails", -"Cannot delete a parent row: a foreign key constraint fails", -"Error connecting to master: %-.128s", -"Error running query on master: %-.128s", -"Error when executing command %s: %-.128s", -"Incorrect usage of %s and %s", -"The used SELECT statements have a different number of columns", -"Can't execute the query because you have a conflicting read lock", -"Mixing of transactional and non-transactional tables is disabled", -"Option '%s' used twice in statement", -"User '%-.64s' has exceeded the '%s' resource (current value: %ld)", -"Access denied; you need the %-.128s privilege for this operation", -"Variable '%-.64s' is a SESSION variable and can't be used with SET GLOBAL", -"Variable '%-.64s' is a GLOBAL variable and should be set with SET GLOBAL", -"Variable '%-.64s' doesn't have a default value", -"Variable '%-.64s' can't be set to the value of '%-.64s'", -"Incorrect argument type to variable '%-.64s'", -"Variable '%-.64s' can only be set, not read", -"Incorrect usage/placement of '%s'", -"This version of MySQL doesn't yet support '%s'", -"Got fatal error %d: '%-.128s' from master when reading data from binary log", -"Slave SQL thread ignored the query because of replicate-*-table rules", -"Variable '%-.64s' is a %s variable", -"Incorrect foreign key definition for '%-.64s': %s", -"Key reference and table reference don't match", -"Operand should contain %d column(s)", -"Subquery returns more than 1 row", -"Unknown prepared statement handler (%.*s) given to %s", -"Help database is corrupt or does not exist", -"Cyclic reference on subqueries", -"Converting column '%s' from %s to %s", -"Reference '%-.64s' not supported (%s)", -"Every derived table must have its own alias", -"Select %u was reduced during optimization", -"Table '%-.64s' from one of the SELECTs cannot be used in %-.32s", -"Client does not support authentication protocol requested by server; consider upgrading MySQL client", -"All parts of a SPATIAL index must be NOT NULL", -"COLLATION '%s' is not valid for CHARACTER SET '%s'", -"Slave is already running", -"Slave has already been stopped", -"Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)", -"ZLIB: Not enough memory", -"ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)", -"ZLIB: Input data corrupted", -"%d line(s) were cut by GROUP_CONCAT()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; it contained more data than there were input columns", -"Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld", -"Out of range value adjusted for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Using storage engine %s for table '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"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", -"Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format", -"Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d", -"Incorrect parameter or combination of parameters for START SLAVE UNTIL", -"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", -"SQL thread is not to be started so UNTIL options are ignored", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"Query cache failed to set size %lu, new query cache size is %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated, use '%s' instead", -"The target table %-.100s of the %s is not updateable", -"The '%s' feature was disabled; you need MySQL built with '%s' to have it working", -"The MySQL server is running with the %s option so it cannot execute this statement", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated wrong %-.32s value: '%-.128s'" -"Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' column", -"This command is not supported in the prepared statement protocol yet", -"Got error %d '%-.100s' from %s", -"Got temporary error %d '%-.100s' from %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/portuguese/errmsg.txt b/sql/share/portuguese/errmsg.txt deleted file mode 100644 index 2ccde22a78f..00000000000 --- a/sql/share/portuguese/errmsg.txt +++ /dev/null @@ -1,417 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -/* Updated by Thiago Delgado Pinto - thiagodp@ieg.com.br - 06.07.2002 */ - -character-set=latin1 - -"hashchk", -"isamchk", -"NÃO", -"SIM", -"Não pode criar o arquivo '%-.64s' (erro no. %d)", -"Não pode criar a tabela '%-.64s' (erro no. %d)", -"Não pode criar o banco de dados '%-.64s' (erro no. %d)", -"Não pode criar o banco de dados '%-.64s'; este banco de dados já existe", -"Não pode eliminar o banco de dados '%-.64s'; este banco de dados não existe", -"Erro ao eliminar banco de dados (não pode eliminar '%-.64s' - erro no. %d)", -"Erro ao eliminar banco de dados (não pode remover diretório '%-.64s' - erro no. %d)", -"Erro na remoção de '%-.64s' (erro no. %d)", -"Não pode ler um registro numa tabela do sistema", -"Não pode obter o status de '%-.64s' (erro no. %d)", -"Não pode obter o diretório corrente (erro no. %d)", -"Não pode travar o arquivo (erro no. %d)", -"Não pode abrir o arquivo '%-.64s' (erro no. %d)", -"Não pode encontrar o arquivo '%-.64s' (erro no. %d)", -"Não pode ler o diretório de '%-.64s' (erro no. %d)", -"Não pode mudar para o diretório '%-.64s' (erro no. %d)", -"Registro alterado desde a última leitura da tabela '%-.64s'", -"Disco cheio (%s). Aguardando alguém liberar algum espaço...", -"Não pode gravar. Chave duplicada na tabela '%-.64s'", -"Erro ao fechar '%-.64s' (erro no. %d)", -"Erro ao ler arquivo '%-.64s' (erro no. %d)", -"Erro ao renomear '%-.64s' para '%-.64s' (erro no. %d)", -"Erro ao gravar arquivo '%-.64s' (erro no. %d)", -"'%-.64s' está com travamento contra alterações", -"Ordenação abortada", -"Visão '%-.64s' não existe para '%-.64s'", -"Obteve erro %d no manipulador de tabelas", -"Manipulador de tabela para '%-.64s' não tem esta opção", -"Não pode encontrar registro em '%-.64s'", -"Informação incorreta no arquivo '%-.64s'", -"Arquivo de índice incorreto para tabela '%-.64s'; tente repará-lo", -"Arquivo de índice desatualizado para tabela '%-.64s'; repare-o!", -"Tabela '%-.64s' é somente para leitura", -"Sem memória. Reinicie o programa e tente novamente (necessita de %d bytes)", -"Sem memória para ordenação. Aumente tamanho do 'buffer' de ordenação", -"Encontrado fim de arquivo inesperado ao ler arquivo '%-.64s' (erro no. %d)", -"Excesso de conexões", -"Sem memória. Verifique se o mysqld ou algum outro processo está usando toda memória disponível. Se não, você pode ter que usar 'ulimit' para permitir ao mysqld usar mais memória ou você pode adicionar mais área de 'swap'", -"Não pode obter nome do 'host' para seu endereço", -"Negociação de acesso falhou", -"Acesso negado para o usuário '%-.32s'@'%-.64s' ao banco de dados '%-.64s'", -"Acesso negado para o usuário '%-.32s'@'%-.64s' (senha usada: %s)", -"Nenhum banco de dados foi selecionado", -"Comando desconhecido", -"Coluna '%-.64s' não pode ser vazia", -"Banco de dados '%-.64s' desconhecido", -"Tabela '%-.64s' já existe", -"Tabela '%-.64s' desconhecida", -"Coluna '%-.64s' em '%-.64s' é ambígua", -"'Shutdown' do servidor em andamento", -"Coluna '%-.64s' desconhecida em '%-.64s'", -"'%-.64s' não está em 'GROUP BY'", -"Não pode agrupar em '%-.64s'", -"Cláusula contém funções de soma e colunas juntas", -"Contagem de colunas não confere com a contagem de valores", -"Nome identificador '%-.100s' é longo demais", -"Nome da coluna '%-.64s' duplicado", -"Nome da chave '%-.64s' duplicado", -"Entrada '%-.64s' duplicada para a chave %d", -"Especificador de coluna incorreto para a coluna '%-.64s'", -"%s próximo a '%-.80s' na linha %d", -"Consulta (query) estava vazia", -"Tabela/alias '%-.64s' não única", -"Valor padrão (default) inválido para '%-.64s'", -"Definida mais de uma chave primária", -"Especificadas chaves demais. O máximo permitido são %d chaves", -"Especificadas partes de chave demais. O máximo permitido são %d partes", -"Chave especificada longa demais. O comprimento de chave máximo permitido é %d", -"Coluna chave '%-.64s' não existe na tabela", -"Coluna BLOB '%-.64s' não pode ser utilizada na especificação de chave para o tipo de tabela usado", -"Comprimento da coluna '%-.64s' grande demais (max = %d); use BLOB em seu lugar", -"Definição incorreta de tabela. Somente é permitido um único campo auto-incrementado e ele tem que ser definido como chave", -"%s: Pronto para conexões", -"%s: 'Shutdown' normal\n", -"%s: Obteve sinal %d. Abortando!\n", -"%s: 'Shutdown' completo\n", -"%s: Forçando finalização da 'thread' %ld - usuário '%-.32s'\n", -"Não pode criar o soquete IP", -"Tabela '%-.64s' não possui um índice como o usado em CREATE INDEX. Recrie a tabela", -"Argumento separador de campos não é o esperado. Cheque o manual", -"Você não pode usar comprimento de linha fixo com BLOBs. Por favor, use campos com comprimento limitado.", -"Arquivo '%-.64s' tem que estar no diretório do banco de dados ou ter leitura possível para todos", -"Arquivo '%-.80s' já existe", -"Registros: %ld - Deletados: %ld - Ignorados: %ld - Avisos: %ld", -"Registros: %ld - Duplicados: %ld", -"Sub parte da chave incorreta. A parte da chave usada não é uma 'string' ou o comprimento usado é maior que parte da chave ou o manipulador de tabelas não suporta sub chaves únicas", -"Você não pode deletar todas as colunas com ALTER TABLE; use DROP TABLE em seu lugar", -"Não se pode fazer DROP '%-.64s'. Confira se esta coluna/chave existe", -"Registros: %ld - Duplicados: %ld - Avisos: %ld", -"You can't specify target table '%-.64s' for update in FROM clause", -"'Id' de 'thread' %lu desconhecido", -"Você não é proprietário da 'thread' %lu", -"Nenhuma tabela usada", -"'Strings' demais para coluna '%-.64s' e SET", -"Não pode gerar um nome de arquivo de 'log' único '%-.64s'.(1-999)\n", -"Tabela '%-.64s' foi travada com trava de leitura e não pode ser atualizada", -"Tabela '%-.64s' não foi travada com LOCK TABLES", -"Coluna BLOB '%-.64s' não pode ter um valor padrão (default)", -"Nome de banco de dados '%-.100s' incorreto", -"Nome de tabela '%-.100s' incorreto", -"O SELECT examinaria registros demais e provavelmente levaria muito tempo. Cheque sua cláusula WHERE e use SET SQL_BIG_SELECTS=1, se o SELECT estiver correto", -"Erro desconhecido", -"'Procedure' '%-.64s' desconhecida", -"Número de parâmetros incorreto para a 'procedure' '%-.64s'", -"Parâmetros incorretos para a 'procedure' '%-.64s'", -"Tabela '%-.64s' desconhecida em '%-.32s'", -"Coluna '%-.64s' especificada duas vezes", -"Uso inválido de função de agrupamento (GROUP)", -"Tabela '%-.64s' usa uma extensão que não existe nesta versão do MySQL", -"Uma tabela tem que ter pelo menos uma (1) coluna", -"Tabela '%-.64s' está cheia", -"Conjunto de caracteres '%-.64s' desconhecido", -"Tabelas demais. O MySQL pode usar somente %d tabelas em uma junção (JOIN)", -"Colunas demais", -"Tamanho de linha grande demais. O máximo tamanho de linha, não contando BLOBs, é %d. Você tem que mudar alguns campos para BLOBs", -"Estouro da pilha do 'thread'. Usados %ld de uma pilha de %ld. Use 'mysqld -O thread_stack=#' para especificar uma pilha maior, se necessário", -"Dependência cruzada encontrada em junção externa (OUTER JOIN); examine as condições utilizadas nas cláusulas 'ON'", -"Coluna '%-.64s' é usada com única (UNIQUE) ou índice (INDEX), mas não está definida como não-nula (NOT NULL)", -"Não pode carregar a função '%-.64s'", -"Não pode inicializar a função '%-.64s' - '%-.80s'", -"Não há caminhos (paths) permitidos para biblioteca compartilhada", -"Função '%-.64s' já existe", -"Não pode abrir biblioteca compartilhada '%-.64s' (erro no. '%d' - '%-.64s')", -"Não pode encontrar a função '%-.64s' na biblioteca", -"Função '%-.64s' não está definida", -"'Host' '%-.64s' está bloqueado devido a muitos erros de conexão. Desbloqueie com 'mysqladmin flush-hosts'", -"'Host' '%-.64s' não tem permissão para se conectar com este servidor MySQL", -"Você está usando o MySQL como usuário anônimo e usuários anônimos não têm permissão para mudar senhas", -"Você deve ter privilégios para atualizar tabelas no banco de dados mysql para ser capaz de mudar a senha de outros", -"Não pode encontrar nenhuma linha que combine na tabela usuário (user table)", -"Linhas que combinaram: %ld - Alteradas: %ld - Avisos: %ld", -"Não pode criar uma nova 'thread' (erro no. %d). Se você não estiver sem memória disponível, você pode consultar o manual sobre um possível 'bug' dependente do sistema operacional", -"Contagem de colunas não confere com a contagem de valores na linha %ld", -"Não pode reabrir a tabela '%-.64s", -"Uso inválido do valor NULL", -"Obteve erro '%-.64s' em regexp", -"Mistura de colunas agrupadas (com MIN(), MAX(), COUNT(), ...) com colunas não agrupadas é ilegal, se não existir uma cláusula de agrupamento (cláusula GROUP BY)", -"Não existe tal permissão (grant) definida para o usuário '%-.32s' no 'host' '%-.64s'", -"Comando '%-.16s' negado para o usuário '%-.32s'@'%-.64s' na tabela '%-.64s'", -"Comando '%-.16s' negado para o usuário '%-.32s'@'%-.64s' na coluna '%-.64s', na tabela '%-.64s'", -"Comando GRANT/REVOKE ilegal. Por favor consulte no manual quais privilégios podem ser usados.", -"Argumento de 'host' ou de usuário para o GRANT é longo demais", -"Tabela '%-.64s.%-.64s' não existe", -"Não existe tal permissão (grant) definido para o usuário '%-.32s' no 'host' '%-.64s', na tabela '%-.64s'", -"Comando usado não é permitido para esta versão do MySQL", -"Você tem um erro de sintaxe no seu SQL", -"'Thread' de inserção retardada (atrasada) pois não conseguiu obter a trava solicitada para tabela '%-.64s'", -"Excesso de 'threads' retardadas (atrasadas) em uso", -"Conexão %ld abortou para o banco de dados '%-.64s' - usuário '%-.32s' (%-.64s)", -"Obteve um pacote maior do que a taxa máxima de pacotes definida (max_allowed_packet)", -"Obteve um erro de leitura no 'pipe' da conexão", -"Obteve um erro em fcntl()", -"Obteve pacotes fora de ordem", -"Não conseguiu descomprimir pacote de comunicação", -"Obteve um erro na leitura de pacotes de comunicação", -"Obteve expiração de tempo (timeout) na leitura de pacotes de comunicação", -"Obteve um erro na escrita de pacotes de comunicação", -"Obteve expiração de tempo ('timeout') na escrita de pacotes de comunicação", -"'String' resultante é mais longa do que 'max_allowed_packet'", -"Tipo de tabela usado não permite colunas BLOB/TEXT", -"Tipo de tabela usado não permite colunas AUTO_INCREMENT", -"INSERT DELAYED não pode ser usado com a tabela '%-.64s', porque ela está travada com LOCK TABLES", -"Nome de coluna '%-.100s' incorreto", -"O manipulador de tabela usado não pode indexar a coluna '%-.64s'", -"Todas as tabelas contidas na tabela fundida (MERGE) não estão definidas identicamente", -"Não pode gravar, devido à restrição UNIQUE, na tabela '%-.64s'", -"Coluna BLOB '%-.64s' usada na especificação de chave sem o comprimento da chave", -"Todas as partes de uma chave primária devem ser não-nulas. Se você precisou usar um valor nulo (NULL) em uma chave, use a cláusula UNIQUE em seu lugar", -"O resultado consistiu em mais do que uma linha", -"Este tipo de tabela requer uma chave primária", -"Esta versão do MySQL não foi compilada com suporte a RAID", -"Você está usando modo de atualização seguro e tentou atualizar uma tabela sem uma cláusula WHERE que use uma coluna chave", -"Chave '%-.64s' não existe na tabela '%-.64s'", -"Não pode abrir a tabela", -"O manipulador de tabela não suporta %s", -"Não lhe é permitido executar este comando em uma transação", -"Obteve erro %d durante COMMIT", -"Obteve erro %d durante ROLLBACK", -"Obteve erro %d durante FLUSH_LOGS", -"Obteve erro %d durante CHECKPOINT", -"Conexão %ld abortada para banco de dados '%-.64s' - usuário '%-.32s' - 'host' `%-.64s' ('%-.64s')", -"O manipulador de tabela não suporta 'dump' binário de tabela", -"Binlog fechado. Não pode fazer RESET MASTER", -"Falhou na reconstrução do índice da tabela 'dumped' '%-.64s'", -"Erro no 'master' '%-.64s'", -"Erro de rede lendo do 'master'", -"Erro de rede gravando no 'master'", -"Não pode encontrar um índice para o texto todo que combine com a lista de colunas", -"Não pode executar o comando dado porque você tem tabelas ativas travadas ou uma transação ativa", -"Variável de sistema '%-.64s' desconhecida", -"Tabela '%-.64s' está marcada como danificada e deve ser reparada", -"Tabela '%-.64s' está marcada como danificada e a última reparação (automática?) falhou", -"Aviso: Algumas tabelas não-transacionais alteradas não puderam ser reconstituídas (rolled back)", -"Transações multi-declaradas (multi-statement transactions) requeriram mais do que o valor limite (max_binlog_cache_size) de bytes para armazenagem. Aumente o valor desta variável do mysqld e tente novamente", -"Esta operação não pode ser realizada com um 'slave' em execução. Execute STOP SLAVE primeiro", -"Esta operação requer um 'slave' em execução. Configure o 'slave' e execute START SLAVE", -"O servidor não está configurado como 'slave'. Acerte o arquivo de configuração ou use CHANGE MASTER TO", -"Could not initialize master info structure, more error messages can be found in the MySQL error log", -"Não conseguiu criar 'thread' de 'slave'. Verifique os recursos do sistema", -"Usuário '%-.64s' já possui mais que o valor máximo de conexões (max_user_connections) ativas", -"Você pode usar apenas expressões constantes com SET", -"Tempo de espera (timeout) de travamento excedido. Tente reiniciar a transação.", -"O número total de travamentos excede o tamanho da tabela de travamentos", -"Travamentos de atualização não podem ser obtidos durante uma transação de tipo READ UNCOMMITTED", -"DROP DATABASE não permitido enquanto uma 'thread' está mantendo um travamento global de leitura", -"CREATE DATABASE não permitido enquanto uma 'thread' está mantendo um travamento global de leitura", -"Argumentos errados para %s", -"Não é permitido a '%-.32s'@'%-.64s' criar novos usuários", -"Definição incorreta da tabela. Todas as tabelas contidas na junção devem estar no mesmo banco de dados.", -"Encontrado um travamento fatal (deadlock) quando tentava obter uma trava. Tente reiniciar a transação.", -"O tipo de tabela utilizado não suporta índices de texto completo (fulltext indexes)", -"Não pode acrescentar uma restrição de chave estrangeira", -"Não pode acrescentar uma linha filha: uma restrição de chave estrangeira falhou", -"Não pode apagar uma linha pai: uma restrição de chave estrangeira falhou", -"Erro conectando com o master: %-.128s", -"Erro rodando consulta no master: %-.128s", -"Erro quando executando comando %s: %-.128s", -"Uso errado de %s e %s", -"Os comandos SELECT usados têm diferente número de colunas", -"Não posso executar a consulta porque você tem um conflito de travamento de leitura", -"Mistura de tabelas transacional e não-transacional está desabilitada", -"Opção '%s' usada duas vezes no comando", -"Usuário '%-.64s' tem excedido o '%s' recurso (atual valor: %ld)", -"Acesso negado. Você precisa o privilégio %-.128s para essa operação", -"Variável '%-.64s' é uma SESSION variável e não pode ser usada com SET GLOBAL", -"Variável '%-.64s' é uma GLOBAL variável e deve ser configurada com SET GLOBAL", -"Variável '%-.64s' não tem um valor padrão", -"Variável '%-.64s' não pode ser configurada para o valor de '%-.64s'", -"Tipo errado de argumento para variável '%-.64s'", -"Variável '%-.64s' somente pode ser configurada, não lida", -"Errado uso/colocação de '%s'", -"Esta versão de MySQL não suporta ainda '%s'", -"Obteve fatal erro %d: '%-.128s' do master quando lendo dados do binary log", -"Slave SQL thread ignorado a consulta devido às normas de replicação-*-tabela", -"Variable '%-.64s' is a %s variable", -"Definição errada da chave estrangeira para '%-.64s': %s", -"Referência da chave e referência da tabela não coincidem", -"Operand should contain %d column(s)", -"Subconsulta retorna mais que 1 registro", -"Desconhecido manipulador de declaração preparado (%.*s) determinado para %s", -"Banco de dado de ajuda corrupto ou não existente", -"Referência cíclica em subconsultas", -"Convertendo coluna '%s' de %s para %s", -"Referência '%-.64s' não suportada (%s)", -"Cada tabela derivada deve ter seu próprio alias", -"Select %u foi reduzido durante otimização", -"Tabela '%-.64s' de um dos SELECTs não pode ser usada em %-.32s", -"Cliente não suporta o protocolo de autenticação exigido pelo servidor; considere a atualização do cliente MySQL", -"Todas as partes de uma SPATIAL KEY devem ser NOT NULL", -"COLLATION '%s' não é válida para CHARACTER SET '%s'", -"O slave já está rodando", -"O slave já está parado", -"Tamanho muito grande dos dados des comprimidos. O máximo tamanho é %d. (provavelmente, o comprimento dos dados descomprimidos está corrupto)", -"ZLIB: Não suficiente memória disponível", -"ZLIB: Não suficiente espaço no buffer emissor (provavelmente, o comprimento dos dados descomprimidos está corrupto)", -"ZLIB: Dados de entrada está corrupto", -"%d linha(s) foram cortada(s) por GROUP_CONCAT()", -"Conta de registro é menor que a conta de coluna na linha %ld", -"Conta de registro é maior que a conta de coluna na linha %ld", -"Dado truncado, NULL fornecido para NOT NULL coluna '%s' na linha %ld", -"Dado truncado, fora de alcance para coluna '%s' na linha %ld", -"Dado truncado para coluna '%s' na linha %ld", -"Usando engine de armazenamento %s para tabela '%s'", -"Combinação ilegal de collations (%s,%s) e (%s,%s) para operação '%s'", -"Cannot drop one or more of the requested users", -"Não pode revocar todos os privilégios, grant para um ou mais dos usuários pedidos", -"Ilegal combinação de collations (%s,%s), (%s,%s), (%s,%s) para operação '%s'", -"Ilegal combinação de collations para operação '%s'", -"Variável '%-.64s' não é uma variável componente (Não pode ser usada como XXXX.variável_nome)", -"Collation desconhecida: '%-.64s'", -"SSL parâmetros em CHANGE MASTER são ignorados porque este escravo MySQL foi compilado sem o SSL suporte. Os mesmos podem ser usados mais tarde quando o escravo MySQL com SSL seja iniciado.", -"Servidor está rodando em --secure-auth modo, porêm '%s'@'%s' tem senha no formato antigo; por favor troque a senha para o novo formato", -"Campo ou referência '%-.64s%s%-.64s%s%-.64s' de SELECT #%d foi resolvido em SELECT #%d", -"Parâmetro ou combinação de parâmetros errado para START SLAVE UNTIL", -"É recomendado para rodar com --skip-slave-start quando fazendo replicação passo-por-passo com START SLAVE UNTIL, de outra forma você não está seguro em caso de inesperada reinicialição do mysqld escravo", -"Thread SQL não pode ser inicializado tal que opções UNTIL são ignoradas", -"Incorreto nome de índice '%-.100s'", -"Incorreto nome de catálogo '%-.100s'", -"Falha em Query cache para configurar tamanho %lu, novo tamanho de query cache é %lu", -"Coluna '%-.64s' não pode ser parte de índice FULLTEXT", -"Key cache desconhecida '%-.100s'", -"MySQL foi inicializado em modo --skip-name-resolve. Você necesita reincializá-lo sem esta opção para este grant funcionar", -"Motor de tabela desconhecido '%s'", -"'%s' é desatualizado. Use '%s' em seu lugar", -"A tabela destino %-.100s do %s não é atualizável", -"O recurso '%s' foi desativado; você necessita MySQL construído com '%s' para ter isto funcionando", -"O servidor MySQL está rodando com a opção %s razão pela qual não pode executar esse commando", -"Coluna '%-.100s' tem valor duplicado '%-.64s' em %s" -"Truncado errado %-.32s valor: '%-.128s'" -"Incorreta definição de tabela; Pode ter somente uma coluna TIMESTAMP com CURRENT_TIMESTAMP em DEFAULT ou ON UPDATE cláusula" -"Inválida cláusula ON UPDATE para campo '%-.64s'", -"This command is not supported in the prepared statement protocol yet", -"Got error %d '%-.100s' from %s", -"Got temporary error %d '%-.100s' from %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/romanian/errmsg.txt b/sql/share/romanian/errmsg.txt deleted file mode 100644 index 2b2f6aa45a8..00000000000 --- a/sql/share/romanian/errmsg.txt +++ /dev/null @@ -1,420 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -/* - Translated into Romanian by Stefan Saroiu - e-mail: tzoompy@cs.washington.edu -*/ - -character-set=latin2 - -"hashchk", -"isamchk", -"NU", -"DA", -"Nu pot sa creez fisierul '%-.64s' (Eroare: %d)", -"Nu pot sa creez tabla '%-.64s' (Eroare: %d)", -"Nu pot sa creez baza de date '%-.64s' (Eroare: %d)", -"Nu pot sa creez baza de date '%-.64s'; baza de date exista deja", -"Nu pot sa drop baza de date '%-.64s'; baza da date este inexistenta", -"Eroare dropuind baza de date (nu pot sa sterg '%-.64s', Eroare: %d)", -"Eroare dropuind baza de date (nu pot sa rmdir '%-.64s', Eroare: %d)", -"Eroare incercind sa delete '%-.64s' (Eroare: %d)", -"Nu pot sa citesc cimpurile in tabla de system (system table)", -"Nu pot sa obtin statusul lui '%-.64s' (Eroare: %d)", -"Nu pot sa obtin directorul current (working directory) (Eroare: %d)", -"Nu pot sa lock fisierul (Eroare: %d)", -"Nu pot sa deschid fisierul: '%-.64s' (Eroare: %d)", -"Nu pot sa gasesc fisierul: '%-.64s' (Eroare: %d)", -"Nu pot sa citesc directorul '%-.64s' (Eroare: %d)", -"Nu pot sa schimb directorul '%-.64s' (Eroare: %d)", -"Cimpul a fost schimbat de la ultima citire a tabelei '%-.64s'", -"Hard-disk-ul este plin (%s). Astept sa se elibereze ceva spatiu...", -"Nu pot sa scriu (can't write), cheie duplicata in tabela '%-.64s'", -"Eroare inchizind '%-.64s' (errno: %d)", -"Eroare citind fisierul '%-.64s' (errno: %d)", -"Eroare incercind sa renumesc '%-.64s' in '%-.64s' (errno: %d)", -"Eroare scriind fisierul '%-.64s' (errno: %d)", -"'%-.64s' este blocat pentry schimbari (loccked against change)", -"Sortare intrerupta", -"View '%-.64s' nu exista pentru '%-.64s'", -"Eroarea %d obtinuta din handlerul tabelei", -"Handlerul tabelei pentru '%-.64s' nu are aceasta optiune", -"Nu pot sa gasesc recordul in '%-.64s'", -"Informatie incorecta in fisierul: '%-.64s'", -"Cheia fisierului incorecta pentru tabela: '%-.64s'; incearca s-o repari", -"Cheia fisierului e veche pentru tabela '%-.64s'; repar-o!", -"Tabela '%-.64s' e read-only", -"Out of memory. Porneste daemon-ul din nou si incearca inca o data (e nevoie de %d bytes)", -"Out of memory pentru sortare. Largeste marimea buffer-ului pentru sortare in daemon (sort buffer size)", -"Sfirsit de fisier neasteptat in citirea fisierului '%-.64s' (errno: %d)", -"Prea multe conectiuni", -"Out of memory; Verifica daca mysqld sau vreun alt proces foloseste toate memoria disponbila. Altfel, trebuie sa folosesi 'ulimit' ca sa permiti lui memoria disponbila. Altfel, trebuie sa folosesi 'ulimit' ca sa permiti lui mysqld sa foloseasca mai multa memorie ori adauga mai mult spatiu pentru swap (swap space)", -"Nu pot sa obtin hostname-ul adresei tale", -"Prost inceput de conectie (bad handshake)", -"Acces interzis pentru utilizatorul: '%-.32s'@'%-.64s' la baza de date '%-.64s'", -"Acces interzis pentru utilizatorul: '%-.32s'@'%-.64s' (Folosind parola: %s)", -"Nici o baza de data nu a fost selectata inca", -"Comanda invalida", -"Coloana '%-.64s' nu poate sa fie null", -"Baza de data invalida '%-.64s'", -"Tabela '%-.64s' exista deja", -"Tabela '%-.64s' este invalida", -"Coloana: '%-.64s' in %-.64s este ambigua", -"Terminarea serverului este in desfasurare", -"Coloana invalida '%-.64s' in '%-.64s'", -"'%-.64s' nu exista in clauza GROUP BY", -"Nu pot sa grupez pe (group on) '%-.64s'", -"Comanda are functii suma si coloane in aceeasi comanda", -"Numarul de coloane nu este acelasi cu numarul valoarei", -"Numele indentificatorului '%-.100s' este prea lung", -"Numele coloanei '%-.64s' e duplicat", -"Numele cheiei '%-.64s' e duplicat", -"Cimpul '%-.64s' e duplicat pentru cheia %d", -"Specificandul coloanei '%-.64s' este incorect", -"%s linga '%-.80s' pe linia %d", -"Query-ul a fost gol", -"Tabela/alias: '%-.64s' nu este unic", -"Valoarea de default este invalida pentru '%-.64s'", -"Chei primare definite de mai multe ori", -"Prea multe chei. Numarul de chei maxim este %d", -"Prea multe chei. Numarul de chei maxim este %d", -"Cheia specificata este prea lunga. Marimea maxima a unei chei este de %d", -"Coloana cheie '%-.64s' nu exista in tabela", -"Coloana de tip BLOB '%-.64s' nu poate fi folosita in specificarea cheii cu tipul de tabla folosit", -"Lungimea coloanei '%-.64s' este prea lunga (maximum = %d). Foloseste BLOB mai bine", -"Definitia tabelei este incorecta; Nu pot fi mai mult de o singura coloana de tip auto si aceasta trebuie definita ca cheie", -"%s: sint gata pentru conectii", -"%s: Terminare normala\n", -"%s: Semnal %d obtinut. Aborting!\n", -"%s: Terminare completa\n", -"%s: Terminare fortata a thread-ului %ld utilizatorului: '%-.32s'\n", -"Nu pot crea IP socket", -"Tabela '%-.64s' nu are un index ca acela folosit in CREATE INDEX. Re-creeaza tabela", -"Argumentul pentru separatorul de cimpuri este diferit de ce ma asteptam. Verifica manualul", -"Nu poti folosi lungime de cimp fix pentru BLOB-uri. Foloseste 'fields terminated by'.", -"Fisierul '%-.64s' trebuie sa fie in directorul bazei de data sau trebuie sa poata sa fie citit de catre toata lumea (verifica permisiile)", -"Fisierul '%-.80s' exista deja", -"Recorduri: %ld Sterse: %ld Sarite (skipped): %ld Atentionari (warnings): %ld", -"Recorduri: %ld Duplicate: %ld", -"Componentul cheii este incorrect. Componentul folosit al cheii nu este un sir sau lungimea folosita este mai lunga decit lungimea cheii", -"Nu poti sterge toate coloanele cu ALTER TABLE. Foloseste DROP TABLE in schimb", -"Nu pot sa DROP '%-.64s'. Verifica daca coloana/cheia exista", -"Recorduri: %ld Duplicate: %ld Atentionari (warnings): %ld", -"You can't specify target table '%-.64s' for update in FROM clause", -"Id-ul: %lu thread-ului este necunoscut", -"Nu sinteti proprietarul threadului %lu", -"Nici o tabela folosita", -"Prea multe siruri pentru coloana %-.64s si SET", -"Nu pot sa generez un nume de log unic %-.64s.(1-999)\n", -"Tabela '%-.64s' a fost locked cu un READ lock si nu poate fi actualizata", -"Tabela '%-.64s' nu a fost locked cu LOCK TABLES", -"Coloana BLOB '%-.64s' nu poate avea o valoare default", -"Numele bazei de date este incorect '%-.100s'", -"Numele tabelei este incorect '%-.100s'", -"SELECT-ul ar examina prea multe cimpuri si probabil ar lua prea mult timp; verifica clauza WHERE si foloseste SET SQL_BIG_SELECTS=1 daca SELECT-ul e okay", -"Eroare unknown", -"Procedura unknown '%-.64s'", -"Procedura '%-.64s' are un numar incorect de parametri", -"Procedura '%-.64s' are parametrii incorecti", -"Tabla '%-.64s' invalida in %-.32s", -"Coloana '%-.64s' specificata de doua ori", -"Folosire incorecta a functiei group", -"Tabela '%-.64s' foloseste o extensire inexistenta in versiunea curenta de MySQL", -"O tabela trebuie sa aiba cel putin o coloana", -"Tabela '%-.64s' e plina", -"Set de caractere invalid: '%-.64s'", -"Prea multe tabele. MySQL nu poate folosi mai mult de %d tabele intr-un join", -"Prea multe coloane", -"Marimea liniei (row) prea mare. Marimea maxima a liniei, excluzind BLOB-urile este de %d. Trebuie sa schimbati unele cimpuri in BLOB-uri", -"Stack-ul thread-ului a fost depasit (prea mic): Folositi: %ld intr-un stack de %ld. Folositi 'mysqld -O thread_stack=#' ca sa specifici un stack mai mare", -"Dependinta incrucisata (cross dependency) gasita in OUTER JOIN. Examinati conditiile ON", -"Coloana '%-.64s' e folosita cu UNIQUE sau INDEX dar fara sa fie definita ca NOT NULL", -"Nu pot incarca functia '%-.64s'", -"Nu pot initializa functia '%-.64s'; %-.80s", -"Nici un paths nu e permis pentru o librarie shared", -"Functia '%-.64s' exista deja", -"Nu pot deschide libraria shared '%-.64s' (Eroare: %d %-.64s)", -"Nu pot gasi functia '%-.64s' in libraria", -"Functia '%-.64s' nu e definita", -"Host-ul '%-.64s' e blocat din cauza multelor erori de conectie. Poti deploca folosind 'mysqladmin flush-hosts'", -"Host-ul '%-.64s' nu este permis a se conecta la aceste server MySQL", -"Dumneavoastra folositi MySQL ca un utilizator anonim si utilizatorii anonimi nu au voie sa schime parolele", -"Trebuie sa aveti privilegii sa actualizati tabelele in bazele de date mysql ca sa puteti sa schimati parolele altora", -"Nu pot gasi nici o linie corespunzatoare in tabela utilizatorului", -"Linii identificate (matched): %ld Schimbate: %ld Atentionari (warnings): %ld", -"Nu pot crea un thread nou (Eroare %d). Daca mai aveti memorie disponibila in sistem, puteti consulta manualul - ar putea exista un potential bug in legatura cu sistemul de operare", -"Numarul de coloane nu corespunde cu numarul de valori la linia %ld", -"Nu pot redeschide tabela: '%-.64s'", -"Folosirea unei value NULL e invalida", -"Eroarea '%-.64s' obtinuta din expresia regulara (regexp)", -"Amestecarea de coloane GROUP (MIN(),MAX(),COUNT()...) fara coloane GROUP este ilegala daca nu exista o clauza GROUP BY", -"Nu exista un astfel de grant definit pentru utilzatorul '%-.32s' de pe host-ul '%-.64s'", -"Comanda %-.16s interzisa utilizatorului: '%-.32s'@'%-.64s' pentru tabela '%-.64s'", -"Comanda %-.16s interzisa utilizatorului: '%-.32s'@'%-.64s' pentru coloana '%-.64s' in tabela '%-.64s'", -"Comanda GRANT/REVOKE ilegala. Consultati manualul in privinta privilegiilor ce pot fi folosite.", -"Argumentul host-ului sau utilizatorului pentru GRANT e prea lung", -"Tabela '%-.64s.%-.64s' nu exista", -"Nu exista un astfel de privilegiu (grant) definit pentru utilizatorul '%-.32s' de pe host-ul '%-.64s' pentru tabela '%-.64s'", -"Comanda folosita nu este permisa pentru aceasta versiune de MySQL", -"Aveti o eroare in sintaxa RSQL", -"Thread-ul pentru inserarea aminata nu a putut obtine lacatul (lock) pentru tabela %-.64s", -"Prea multe threaduri aminate care sint in uz", -"Conectie terminata %ld la baza de date: '%-.64s' utilizator: '%-.32s' (%-.64s)", -"Un packet mai mare decit 'max_allowed_packet' a fost primit", -"Eroare la citire din cauza lui 'connection pipe'", -"Eroare obtinuta de la fcntl()", -"Packets care nu sint ordonati au fost gasiti", -"Nu s-a putut decompresa pachetul de comunicatie (communication packet)", -"Eroare obtinuta citind pachetele de comunicatie (communication packets)", -"Timeout obtinut citind pachetele de comunicatie (communication packets)", -"Eroare in scrierea pachetelor de comunicatie (communication packets)", -"Timeout obtinut scriind pachetele de comunicatie (communication packets)", -"Sirul rezultat este mai lung decit 'max_allowed_packet'", -"Tipul de tabela folosit nu suporta coloane de tip BLOB/TEXT", -"Tipul de tabela folosit nu suporta coloane de tip AUTO_INCREMENT", -"INSERT DELAYED nu poate fi folosit cu tabela '%-.64s', deoarece este locked folosing LOCK TABLES", -"Nume increct de coloana '%-.100s'", -"Handler-ul tabelei folosite nu poate indexa coloana '%-.64s'", -"Toate tabelele din tabela MERGE nu sint definite identic", -"Nu pot scrie pe hard-drive, din cauza constraintului unic (unique constraint) pentru tabela '%-.64s'", -"Coloana BLOB '%-.64s' este folosita in specificarea unei chei fara ca o lungime de cheie sa fie folosita", -"Toate partile unei chei primare (PRIMARY KEY) trebuie sa fie NOT NULL; Daca aveti nevoie de NULL in vreo cheie, folositi UNIQUE in schimb", -"Resultatul constista din mai multe linii", -"Aceast tip de tabela are nevoie de o cheie primara", -"Aceasta versiune de MySQL, nu a fost compilata cu suport pentru RAID", -"You are using safe update mode and you tried to update a table without a WHERE that uses a KEY column", -"Key '%-.64s' doesn't exist in table '%-.64s'", -"Can't open table", -"The handler for the table doesn't support %s", -"You are not allowed to execute this command in a transaction", -"Got error %d during COMMIT", -"Got error %d during ROLLBACK", -"Got error %d during FLUSH_LOGS", -"Got error %d during CHECKPOINT", -"Aborted connection %ld to db: '%-.64s' user: '%-.32s' host: `%-.64s' (%-.64s)", -"The handler for the table does not support binary table dump", -"Binlog closed while trying to FLUSH MASTER", -"Failed rebuilding the index of dumped table '%-.64s'", -"Error from master: '%-.64s'", -"Net error reading from master", -"Net error writing to master", -"Can't find FULLTEXT index matching the column list", -"Can't execute the given command because you have active locked tables or an active transaction", -"Unknown system variable '%-.64s'", -"Table '%-.64s' is marked as crashed and should be repaired", -"Table '%-.64s' is marked as crashed and last (automatic?) repair failed", -"Some non-transactional changed tables couldn't be rolled back", -"Multi-statement transaction required more than 'max_binlog_cache_size' bytes of storage; increase this mysqld variable and try again", -"This operation cannot be performed with a running slave; run STOP SLAVE first", -"This operation requires a running slave; configure slave and do START SLAVE", -"The server is not configured as slave; fix in config file or with CHANGE MASTER TO", -"Could not initialize master info structure; more error messages can be found in the MySQL error log", -"Could not create slave thread; check system resources", -"User %-.64s has already more than 'max_user_connections' active connections", -"You may only use constant expressions with SET", -"Lock wait timeout exceeded; try restarting transaction", -"The total number of locks exceeds the lock table size", -"Update locks cannot be acquired during a READ UNCOMMITTED transaction", -"DROP DATABASE not allowed while thread is holding global read lock", -"CREATE DATABASE not allowed while thread is holding global read lock", -"Incorrect arguments to %s", -"'%-.32s'@'%-.64s' is not allowed to create new users", -"Incorrect table definition; all MERGE tables must be in the same database", -"Deadlock found when trying to get lock; try restarting transaction", -"The used table type doesn't support FULLTEXT indexes", -"Cannot add foreign key constraint", -"Cannot add a child row: a foreign key constraint fails", -"Cannot delete a parent row: a foreign key constraint fails", -"Error connecting to master: %-.128s", -"Error running query on master: %-.128s", -"Error when executing command %s: %-.128s", -"Incorrect usage of %s and %s", -"The used SELECT statements have a different number of columns", -"Can't execute the query because you have a conflicting read lock", -"Mixing of transactional and non-transactional tables is disabled", -"Option '%s' used twice in statement", -"User '%-.64s' has exceeded the '%s' resource (current value: %ld)", -"Access denied; you need the %-.128s privilege for this operation", -"Variable '%-.64s' is a SESSION variable and can't be used with SET GLOBAL", -"Variable '%-.64s' is a GLOBAL variable and should be set with SET GLOBAL", -"Variable '%-.64s' doesn't have a default value", -"Variable '%-.64s' can't be set to the value of '%-.64s'", -"Incorrect argument type to variable '%-.64s'", -"Variable '%-.64s' can only be set, not read", -"Incorrect usage/placement of '%s'", -"This version of MySQL doesn't yet support '%s'", -"Got fatal error %d: '%-.128s' from master when reading data from binary log", -"Slave SQL thread ignored the query because of replicate-*-table rules", -"Variable '%-.64s' is a %s variable", -"Incorrect foreign key definition for '%-.64s': %s", -"Key reference and table reference don't match", -"Operand should contain %d column(s)", -"Subquery returns more than 1 row", -"Unknown prepared statement handler (%.*s) given to %s", -"Help database is corrupt or does not exist", -"Cyclic reference on subqueries", -"Converting column '%s' from %s to %s", -"Reference '%-.64s' not supported (%s)", -"Every derived table must have its own alias", -"Select %u was reduced during optimization", -"Table '%-.64s' from one of the SELECTs cannot be used in %-.32s", -"Client does not support authentication protocol requested by server; consider upgrading MySQL client", -"All parts of a SPATIAL index must be NOT NULL", -"COLLATION '%s' is not valid for CHARACTER SET '%s'", -"Slave is already running", -"Slave has already been stopped", -"Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)", -"ZLIB: Not enough memory", -"ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)", -"ZLIB: Input data corrupted", -"%d line(s) were cut by GROUP_CONCAT()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; it contained more data than there were input columns", -"Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld", -"Out of range value adjusted for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Using storage engine %s for table '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"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", -"Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format", -"Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d", -"Incorrect parameter or combination of parameters for START SLAVE UNTIL", -"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", -"SQL thread is not to be started so UNTIL options are ignored", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"Query cache failed to set size %lu, new query cache size is %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated, use '%s' instead", -"The target table %-.100s of the %s is not updateable", -"The '%s' feature was disabled; you need MySQL built with '%s' to have it working", -"The MySQL server is running with the %s option so it cannot execute this statement", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated wrong %-.32s value: '%-.128s'" -"Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' column", -"This command is not supported in the prepared statement protocol yet", -"Got error %d '%-.100s' from %s", -"Got temporary error %d '%-.100s' from %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/russian/errmsg.txt b/sql/share/russian/errmsg.txt deleted file mode 100644 index 58301983b25..00000000000 --- a/sql/share/russian/errmsg.txt +++ /dev/null @@ -1,420 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -/* - Translation done in 2003 by Egor Egorov; Ensita.NET, http://www.ensita.net/ -*/ -/* charset: KOI8-R */ - -character-set=koi8r - -"hashchk", -"isamchk", -"îåô", -"äá", -"îÅ×ÏÚÍÏÖÎÏ ÓÏÚÄÁÔØ ÆÁÊÌ '%-.64s' (ÏÛÉÂËÁ: %d)", -"îÅ×ÏÚÍÏÖÎÏ ÓÏÚÄÁÔØ ÔÁÂÌÉÃÕ '%-.64s' (ÏÛÉÂËÁ: %d)", -"îÅ×ÏÚÍÏÖÎÏ ÓÏÚÄÁÔØ ÂÁÚÕ ÄÁÎÎÙÈ '%-.64s' (ÏÛÉÂËÁ: %d)", -"îÅ×ÏÚÍÏÖÎÏ ÓÏÚÄÁÔØ ÂÁÚÕ ÄÁÎÎÙÈ '%-.64s'. âÁÚÁ ÄÁÎÎÙÈ ÕÖÅ ÓÕÝÅÓÔ×ÕÅÔ", -"îÅ×ÏÚÍÏÖÎÏ ÕÄÁÌÉÔØ ÂÁÚÕ ÄÁÎÎÙÈ '%-.64s'. ôÁËÏÊ ÂÁÚÙ ÄÁÎÎÙÈ ÎÅÔ", -"ïÛÉÂËÁ ÐÒÉ ÕÄÁÌÅÎÉÉ ÂÁÚÙ ÄÁÎÎÙÈ (ÎÅ×ÏÚÍÏÖÎÏ ÕÄÁÌÉÔØ '%-.64s', ÏÛÉÂËÁ: %d)", -"îÅ×ÏÚÍÏÖÎÏ ÕÄÁÌÉÔØ ÂÁÚÕ ÄÁÎÎÙÈ (ÎÅ×ÏÚÍÏÖÎÏ ÕÄÁÌÉÔØ ËÁÔÁÌÏÇ '%-.64s', ÏÛÉÂËÁ: %d)", -"ïÛÉÂËÁ ÐÒÉ ÕÄÁÌÅÎÉÉ '%-.64s' (ÏÛÉÂËÁ: %d)", -"îÅ×ÏÚÍÏÖÎÏ ÐÒÏÞÉÔÁÔØ ÚÁÐÉÓØ × ÓÉÓÔÅÍÎÏÊ ÔÁÂÌÉÃÅ", -"îÅ×ÏÚÍÏÖÎÏ ÐÏÌÕÞÉÔØ ÓÔÁÔÕÓÎÕÀ ÉÎÆÏÒÍÁÃÉÀ Ï '%-.64s' (ÏÛÉÂËÁ: %d)", -"îÅ×ÏÚÍÏÖÎÏ ÏÐÒÅÄÅÌÉÔØ ÒÁÂÏÞÉÊ ËÁÔÁÌÏÇ (ÏÛÉÂËÁ: %d)", -"îÅ×ÏÚÍÏÖÎÏ ÐÏÓÔÁ×ÉÔØ ÂÌÏËÉÒÏ×ËÕ ÎÁ ÆÁÊÌÅ (ÏÛÉÂËÁ: %d)", -"îÅ×ÏÚÍÏÖÎÏ ÏÔËÒÙÔØ ÆÁÊÌ: '%-.64s' (ÏÛÉÂËÁ: %d)", -"îÅ×ÏÚÍÏÖÎÏ ÎÁÊÔÉ ÆÁÊÌ: '%-.64s' (ÏÛÉÂËÁ: %d)", -"îÅ×ÏÚÍÏÖÎÏ ÐÒÏÞÉÔÁÔØ ËÁÔÁÌÏÇ '%-.64s' (ÏÛÉÂËÁ: %d)", -"îÅ×ÏÚÍÏÖÎÏ ÐÅÒÅÊÔÉ × ËÁÔÁÌÏÇ '%-.64s' (ÏÛÉÂËÁ: %d)", -"úÁÐÉÓØ ÉÚÍÅÎÉÌÁÓØ Ó ÍÏÍÅÎÔÁ ÐÏÓÌÅÄÎÅÊ ×ÙÂÏÒËÉ × ÔÁÂÌÉÃÅ '%-.64s'", -"äÉÓË ÚÁÐÏÌÎÅÎ. (%s). ïÖÉÄÁÅÍ, ÐÏËÁ ËÔÏ-ÔÏ ÎÅ ÕÂÅÒÅÔ ÐÏÓÌÅ ÓÅÂÑ ÍÕÓÏÒ...", -"îÅ×ÏÚÍÏÖÎÏ ÐÒÏÉÚ×ÅÓÔÉ ÚÁÐÉÓØ, ÄÕÂÌÉÒÕÀÝÉÊÓÑ ËÌÀÞ × ÔÁÂÌÉÃÅ '%-.64s'", -"ïÛÉÂËÁ ÐÒÉ ÚÁËÒÙÔÉÉ '%-.64s' (ÏÛÉÂËÁ: %d)", -"ïÛÉÂËÁ ÞÔÅÎÉÑ ÆÁÊÌÁ '%-.64s' (ÏÛÉÂËÁ: %d)", -"ïÛÉÂËÁ ÐÒÉ ÐÅÒÅÉÍÅÎÏ×ÁÎÉÉ '%-.64s' × '%-.64s' (ÏÛÉÂËÁ: %d)", -"ïÛÉÂËÁ ÚÁÐÉÓÉ × ÆÁÊÌ '%-.64s' (ÏÛÉÂËÁ: %d)", -"'%-.64s' ÚÁÂÌÏËÉÒÏ×ÁÎ ÄÌÑ ÉÚÍÅÎÅÎÉÊ", -"óÏÒÔÉÒÏ×ËÁ ÐÒÅÒ×ÁÎÁ", -"ðÒÅÄÓÔÁ×ÌÅÎÉÅ '%-.64s' ÎÅ ÓÕÝÅÓÔ×ÕÅÔ ÄÌÑ '%-.64s'", -"ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ %d ÏÔ ÏÂÒÁÂÏÔÞÉËÁ ÔÁÂÌÉÃ", -"ïÂÒÁÂÏÔÞÉË ÔÁÂÌÉÃÙ '%-.64s' ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔ ÜÔÕ ×ÏÚÍÏÖÎÏÓÔØ", -"îÅ×ÏÚÍÏÖÎÏ ÎÁÊÔÉ ÚÁÐÉÓØ × '%-.64s'", -"îÅËÏÒÒÅËÔÎÁÑ ÉÎÆÏÒÍÁÃÉÑ × ÆÁÊÌÅ '%-.64s'", -"îÅËÏÒÒÅËÔÎÙÊ ÉÎÄÅËÓÎÙÊ ÆÁÊÌ ÄÌÑ ÔÁÂÌÉÃÙ: '%-.64s'. ðÏÐÒÏÂÕÊÔÅ ×ÏÓÓÔÁÎÏ×ÉÔØ ÅÇÏ", -"óÔÁÒÙÊ ÉÎÄÅËÓÎÙÊ ÆÁÊÌ ÄÌÑ ÔÁÂÌÉÃÙ '%-.64s'; ÏÔÒÅÍÏÎÔÉÒÕÊÔÅ ÅÇÏ!", -"ôÁÂÌÉÃÁ '%-.64s' ÐÒÅÄÎÁÚÎÁÞÅÎÁ ÔÏÌØËÏ ÄÌÑ ÞÔÅÎÉÑ", -"îÅÄÏÓÔÁÔÏÞÎÏ ÐÁÍÑÔÉ. ðÅÒÅÚÁÐÕÓÔÉÔÅ ÓÅÒ×ÅÒ É ÐÏÐÒÏÂÕÊÔÅ ÅÝÅ ÒÁÚ (ÎÕÖÎÏ %d ÂÁÊÔ)", -"îÅÄÏÓÔÁÔÏÞÎÏ ÐÁÍÑÔÉ ÄÌÑ ÓÏÒÔÉÒÏ×ËÉ. õ×ÅÌÉÞØÔÅ ÒÁÚÍÅÒ ÂÕÆÅÒÁ ÓÏÒÔÉÒÏ×ËÉ ÎÁ ÓÅÒ×ÅÒÅ", -"îÅÏÖÉÄÁÎÎÙÊ ËÏÎÅà ÆÁÊÌÁ '%-.64s' (ÏÛÉÂËÁ: %d)", -"óÌÉÛËÏÍ ÍÎÏÇÏ ÓÏÅÄÉÎÅÎÉÊ", -"îÅÄÏÓÔÁÔÏÞÎÏ ÐÁÍÑÔÉ; ÕÄÏÓÔÏ×ÅÒØÔÅÓØ, ÞÔÏ mysqld ÉÌÉ ËÁËÏÊ-ÌÉÂÏ ÄÒÕÇÏÊ ÐÒÏÃÅÓÓ ÎÅ ÚÁÎÉÍÁÅÔ ×ÓÀ ÄÏÓÔÕÐÎÕÀ ÐÁÍÑÔØ. åÓÌÉ ÎÅÔ, ÔÏ ×Ù ÍÏÖÅÔÅ ÉÓÐÏÌØÚÏ×ÁÔØ ulimit, ÞÔÏÂÙ ×ÙÄÅÌÉÔØ ÄÌÑ mysqld ÂÏÌØÛÅ ÐÁÍÑÔÉ, ÉÌÉ Õ×ÅÌÉÞÉÔØ ÏÂßÅÍ ÆÁÊÌÁ ÐÏÄËÁÞËÉ", -"îÅ×ÏÚÍÏÖÎÏ ÐÏÌÕÞÉÔØ ÉÍÑ ÈÏÓÔÁ ÄÌÑ ×ÁÛÅÇÏ ÁÄÒÅÓÁ", -"îÅËÏÒÒÅËÔÎÏÅ ÐÒÉ×ÅÔÓÔ×ÉÅ", -"äÌÑ ÐÏÌØÚÏ×ÁÔÅÌÑ '%-.32s'@'%-.64s' ÄÏÓÔÕÐ Ë ÂÁÚÅ ÄÁÎÎÙÈ '%-.64s' ÚÁËÒÙÔ", -"äÏÓÔÕÐ ÚÁËÒÙÔ ÄÌÑ ÐÏÌØÚÏ×ÁÔÅÌÑ '%-.32s'@'%-.64s' (ÂÙÌ ÉÓÐÏÌØÚÏ×ÁÎ ÐÁÒÏÌØ: %s)", -"âÁÚÁ ÄÁÎÎÙÈ ÎÅ ×ÙÂÒÁÎÁ", -"îÅÉÚ×ÅÓÔÎÁÑ ËÏÍÁÎÄÁ ËÏÍÍÕÎÉËÁÃÉÏÎÎÏÇÏ ÐÒÏÔÏËÏÌÁ", -"óÔÏÌÂÅà '%-.64s' ÎÅ ÍÏÖÅÔ ÐÒÉÎÉÍÁÔØ ×ÅÌÉÞÉÎÕ NULL", -"îÅÉÚ×ÅÓÔÎÁÑ ÂÁÚÁ ÄÁÎÎÙÈ '%-.64s'", -"ôÁÂÌÉÃÁ '%-.64s' ÕÖÅ ÓÕÝÅÓÔ×ÕÅÔ", -"îÅÉÚ×ÅÓÔÎÁÑ ÔÁÂÌÉÃÁ '%-.64s'", -"óÔÏÌÂÅà '%-.64s' × %-.64s ÚÁÄÁÎ ÎÅÏÄÎÏÚÎÁÞÎÏ", -"óÅÒ×ÅÒ ÎÁÈÏÄÉÔÓÑ × ÐÒÏÃÅÓÓÅ ÏÓÔÁÎÏ×ËÉ", -"îÅÉÚ×ÅÓÔÎÙÊ ÓÔÏÌÂÅà '%-.64s' × '%-.64s'", -"'%-.64s' ÎÅ ÐÒÉÓÕÔÓÔ×ÕÅÔ × GROUP BY", -"îÅ×ÏÚÍÏÖÎÏ ÐÒÏÉÚ×ÅÓÔÉ ÇÒÕÐÐÉÒÏ×ËÕ ÐÏ '%-.64s'", -"÷ÙÒÁÖÅÎÉÅ ÓÏÄÅÒÖÉÔ ÇÒÕÐÐÏ×ÙÅ ÆÕÎËÃÉÉ É ÓÔÏÌÂÃÙ, ÎÏ ÎÅ ×ËÌÀÞÁÅÔ GROUP BY. á ËÁË ×Ù ÕÍÕÄÒÉÌÉÓØ ÐÏÌÕÞÉÔØ ÜÔÏ ÓÏÏÂÝÅÎÉÅ Ï ÏÛÉÂËÅ?", -"ëÏÌÉÞÅÓÔ×Ï ÓÔÏÌÂÃÏ× ÎÅ ÓÏ×ÐÁÄÁÅÔ Ó ËÏÌÉÞÅÓÔ×ÏÍ ÚÎÁÞÅÎÉÊ", -"óÌÉÛËÏÍ ÄÌÉÎÎÙÊ ÉÄÅÎÔÉÆÉËÁÔÏÒ '%-.100s'", -"äÕÂÌÉÒÕÀÝÅÅÓÑ ÉÍÑ ÓÔÏÌÂÃÁ '%-.64s'", -"äÕÂÌÉÒÕÀÝÅÅÓÑ ÉÍÑ ËÌÀÞÁ '%-.64s'", -"äÕÂÌÉÒÕÀÝÁÑÓÑ ÚÁÐÉÓØ '%-.64s' ÐÏ ËÌÀÞÕ %d", -"îÅËÏÒÒÅËÔÎÙÊ ÏÐÒÅÄÅÌÉÔÅÌØ ÓÔÏÌÂÃÁ ÄÌÑ ÓÔÏÌÂÃÁ '%-.64s'", -"%s ÏËÏÌÏ '%-.80s' ÎÁ ÓÔÒÏËÅ %d", -"úÁÐÒÏÓ ÏËÁÚÁÌÓÑ ÐÕÓÔÙÍ", -"ðÏ×ÔÏÒÑÀÝÁÑÓÑ ÔÁÂÌÉÃÁ/ÐÓÅ×ÄÏÎÉÍ '%-.64s'", -"îÅËÏÒÒÅËÔÎÏÅ ÚÎÁÞÅÎÉÅ ÐÏ ÕÍÏÌÞÁÎÉÀ ÄÌÑ '%-.64s'", -"õËÁÚÁÎÏ ÎÅÓËÏÌØËÏ ÐÅÒ×ÉÞÎÙÈ ËÌÀÞÅÊ", -"õËÁÚÁÎÏ ÓÌÉÛËÏÍ ÍÎÏÇÏ ËÌÀÞÅÊ. òÁÚÒÅÛÁÅÔÓÑ ÕËÁÚÙ×ÁÔØ ÎÅ ÂÏÌÅÅ %d ËÌÀÞÅÊ", -"õËÁÚÁÎÏ ÓÌÉÛËÏÍ ÍÎÏÇÏ ÞÁÓÔÅÊ ÓÏÓÔÁ×ÎÏÇÏ ËÌÀÞÁ. òÁÚÒÅÛÁÅÔÓÑ ÕËÁÚÙ×ÁÔØ ÎÅ ÂÏÌÅÅ %d ÞÁÓÔÅÊ", -"õËÁÚÁÎ ÓÌÉÛËÏÍ ÄÌÉÎÎÙÊ ËÌÀÞ. íÁËÓÉÍÁÌØÎÁÑ ÄÌÉÎÁ ËÌÀÞÁ ÓÏÓÔÁ×ÌÑÅÔ %d ÂÁÊÔ", -"ëÌÀÞÅ×ÏÊ ÓÔÏÌÂÅà '%-.64s' × ÔÁÂÌÉÃÅ ÎÅ ÓÕÝÅÓÔ×ÕÅÔ", -"óÔÏÌÂÅà ÔÉÐÁ BLOB '%-.64s' ÎÅ ÍÏÖÅÔ ÂÙÔØ ÉÓÐÏÌØÚÏ×ÁÎ ËÁË ÚÎÁÞÅÎÉÅ ËÌÀÞÁ × ÔÁÂÌÉÃÅ ÔÁËÏÇÏ ÔÉÐÁ", -"óÌÉÛËÏÍ ÂÏÌØÛÁÑ ÄÌÉÎÁ ÓÔÏÌÂÃÁ '%-.64s' (ÍÁËÓÉÍÕÍ = %d). éÓÐÏÌØÚÕÊÔÅ ÔÉÐ BLOB ×ÍÅÓÔÏ ÔÅËÕÝÅÇÏ", -"îÅËÏÒÒÅËÔÎÏÅ ÏÐÒÅÄÅÌÅÎÉÅ ÔÁÂÌÉÃÙ: ÍÏÖÅÔ ÓÕÝÅÓÔ×Ï×ÁÔØ ÔÏÌØËÏ ÏÄÉÎ Á×ÔÏÉÎËÒÅÍÅÎÔÎÙÊ ÓÔÏÌÂÅÃ, É ÏÎ ÄÏÌÖÅÎ ÂÙÔØ ÏÐÒÅÄÅÌÅÎ ËÁË ËÌÀÞ", -"%s: çÏÔÏ× ÐÒÉÎÉÍÁÔØ ÓÏÅÄÉÎÅÎÉÑ.\n÷ÅÒÓÉÑ: '%s' ÓÏËÅÔ: '%s' ÐÏÒÔ: %d", -"%s: ëÏÒÒÅËÔÎÁÑ ÏÓÔÁÎÏ×ËÁ\n", -"%s: ðÏÌÕÞÅÎ ÓÉÇÎÁÌ %d. ðÒÅËÒÁÝÁÅÍ!\n", -"%s: ïÓÔÁÎÏ×ËÁ ÚÁ×ÅÒÛÅÎÁ\n", -"%s: ðÒÉÎÕÄÉÔÅÌØÎÏ ÚÁËÒÙ×ÁÅÍ ÐÏÔÏË %ld ÐÏÌØÚÏ×ÁÔÅÌÑ: '%-.32s'\n", -"îÅ×ÏÚÍÏÖÎÏ ÓÏÚÄÁÔØ IP-ÓÏËÅÔ", -"÷ ÔÁÂÌÉÃÅ '%-.64s' ÎÅÔ ÔÁËÏÇÏ ÉÎÄÅËÓÁ, ËÁË × CREATE INDEX. óÏÚÄÁÊÔÅ ÔÁÂÌÉÃÕ ÚÁÎÏ×Ï", -"áÒÇÕÍÅÎÔ ÒÁÚÄÅÌÉÔÅÌÑ ÐÏÌÅÊ - ÎÅ ÔÏÔ, ËÏÔÏÒÙÊ ÏÖÉÄÁÌÓÑ. ïÂÒÁÝÁÊÔÅÓØ Ë ÄÏËÕÍÅÎÔÁÃÉÉ", -"æÉËÓÉÒÏ×ÁÎÎÙÊ ÒÁÚÍÅÒ ÚÁÐÉÓÉ Ó ÐÏÌÑÍÉ ÔÉÐÁ BLOB ÉÓÐÏÌØÚÏ×ÁÔØ ÎÅÌØÚÑ, ÐÒÉÍÅÎÑÊÔÅ 'fields terminated by'", -"æÁÊÌ '%-.64s' ÄÏÌÖÅÎ ÎÁÈÏÄÉÔØÓÑ × ÔÏÍ ÖÅ ËÁÔÁÌÏÇÅ, ÞÔÏ É ÂÁÚÁ ÄÁÎÎÙÈ, ÉÌÉ ÂÙÔØ ÏÂÝÅÄÏÓÔÕÐÎÙÍ ÄÌÑ ÞÔÅÎÉÑ", -"æÁÊÌ '%-.80s' ÕÖÅ ÓÕÝÅÓÔ×ÕÅÔ", -"úÁÐÉÓÅÊ: %ld õÄÁÌÅÎÏ: %ld ðÒÏÐÕÝÅÎÏ: %ld ðÒÅÄÕÐÒÅÖÄÅÎÉÊ: %ld", -"úÁÐÉÓÅÊ: %ld äÕÂÌÉËÁÔÏ×: %ld", -"îÅËÏÒÒÅËÔÎÁÑ ÞÁÓÔØ ËÌÀÞÁ. éÓÐÏÌØÚÕÅÍÁÑ ÞÁÓÔØ ËÌÀÞÁ ÎÅ Ñ×ÌÑÅÔÓÑ ÓÔÒÏËÏÊ, ÕËÁÚÁÎÎÁÑ ÄÌÉÎÁ ÂÏÌØÛÅ, ÞÅÍ ÄÌÉÎÁ ÞÁÓÔÉ ËÌÀÞÁ, ÉÌÉ ÏÂÒÁÂÏÔÞÉË ÔÁÂÌÉÃÙ ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔ ÕÎÉËÁÌØÎÙÅ ÞÁÓÔÉ ËÌÀÞÁ", -"îÅÌØÚÑ ÕÄÁÌÉÔØ ×ÓÅ ÓÔÏÌÂÃÙ Ó ÐÏÍÏÝØÀ ALTER TABLE. éÓÐÏÌØÚÕÊÔÅ DROP TABLE", -"îÅ×ÏÚÍÏÖÎÏ ÕÄÁÌÉÔØ (DROP) '%-.64s'. õÂÅÄÉÔÅÓØ ÞÔÏ ÓÔÏÌÂÅÃ/ËÌÀÞ ÄÅÊÓÔ×ÉÔÅÌØÎÏ ÓÕÝÅÓÔ×ÕÅÔ", -"úÁÐÉÓÅÊ: %ld äÕÂÌÉËÁÔÏ×: %ld ðÒÅÄÕÐÒÅÖÄÅÎÉÊ: %ld", -"îÅ ÄÏÐÕÓËÁÅÔÓÑ ÕËÁÚÁÎÉÅ ÔÁÂÌÉÃÙ '%-.64s' × ÓÐÉÓËÅ ÔÁÂÌÉà FROM ÄÌÑ ×ÎÅÓÅÎÉÑ × ÎÅÅ ÉÚÍÅÎÅÎÉÊ", -"îÅÉÚ×ÅÓÔÎÙÊ ÎÏÍÅÒ ÐÏÔÏËÁ: %lu", -"÷Ù ÎÅ Ñ×ÌÑÅÔÅÓØ ×ÌÁÄÅÌØÃÅÍ ÐÏÔÏËÁ %lu", -"îÉËÁËÉÅ ÔÁÂÌÉÃÙ ÎÅ ÉÓÐÏÌØÚÏ×ÁÎÙ", -"óÌÉÛËÏÍ ÍÎÏÇÏ ÚÎÁÞÅÎÉÊ ÄÌÑ ÓÔÏÌÂÃÁ %-.64s × SET", -"îÅ×ÏÚÍÏÖÎÏ ÓÏÚÄÁÔØ ÕÎÉËÁÌØÎÏÅ ÉÍÑ ÆÁÊÌÁ ÖÕÒÎÁÌÁ %-.64s.(1-999)\n", -"ôÁÂÌÉÃÁ '%-.64s' ÚÁÂÌÏËÉÒÏ×ÁÎÁ ÕÒÏ×ÎÅÍ READ lock É ÎÅ ÍÏÖÅÔ ÂÙÔØ ÉÚÍÅÎÅÎÁ", -"ôÁÂÌÉÃÁ '%-.64s' ÎÅ ÂÙÌÁ ÚÁÂÌÏËÉÒÏ×ÁÎÁ Ó ÐÏÍÏÝØÀ LOCK TABLES", -"îÅ×ÏÚÍÏÖÎÏ ÕËÁÚÙ×ÁÔØ ÚÎÁÞÅÎÉÅ ÐÏ ÕÍÏÌÞÁÎÉÀ ÄÌÑ ÓÔÏÌÂÃÁ BLOB '%-.64s'", -"îÅËÏÒÒÅËÔÎÏÅ ÉÍÑ ÂÁÚÙ ÄÁÎÎÙÈ '%-.100s'", -"îÅËÏÒÒÅËÔÎÏÅ ÉÍÑ ÔÁÂÌÉÃÙ '%-.100s'", -"äÌÑ ÔÁËÏÊ ×ÙÂÏÒËÉ SELECT ÄÏÌÖÅÎ ÂÕÄÅÔ ÐÒÏÓÍÏÔÒÅÔØ ÓÌÉÛËÏÍ ÍÎÏÇÏ ÚÁÐÉÓÅÊ É, ×ÉÄÉÍÏ, ÜÔÏ ÚÁÊÍÅÔ ÏÞÅÎØ ÍÎÏÇÏ ×ÒÅÍÅÎÉ. ðÒÏ×ÅÒØÔÅ ×ÁÛÅ ÕËÁÚÁÎÉÅ WHERE, É, ÅÓÌÉ × ÎÅÍ ×ÓÅ × ÐÏÒÑÄËÅ, ÕËÁÖÉÔÅ SET SQL_BIG_SELECTS=1", -"îÅÉÚ×ÅÓÔÎÁÑ ÏÛÉÂËÁ", -"îÅÉÚ×ÅÓÔÎÁÑ ÐÒÏÃÅÄÕÒÁ '%-.64s'", -"îÅËÏÒÒÅËÔÎÏÅ ËÏÌÉÞÅÓÔ×Ï ÐÁÒÁÍÅÔÒÏ× ÄÌÑ ÐÒÏÃÅÄÕÒÙ '%-.64s'", -"îÅËÏÒÒÅËÔÎÙÅ ÐÁÒÁÍÅÔÒÙ ÄÌÑ ÐÒÏÃÅÄÕÒÙ '%-.64s'", -"îÅÉÚ×ÅÓÔÎÁÑ ÔÁÂÌÉÃÁ '%-.64s' × %-.32s", -"óÔÏÌÂÅà '%-.64s' ÕËÁÚÁÎ Ä×ÁÖÄÙ", -"îÅÐÒÁ×ÉÌØÎÏÅ ÉÓÐÏÌØÚÏ×ÁÎÉÅ ÇÒÕÐÐÏ×ÙÈ ÆÕÎËÃÉÊ", -"÷ ÔÁÂÌÉÃÅ '%-.64s' ÉÓÐÏÌØÚÕÀÔÓÑ ×ÏÚÍÏÖÎÏÓÔÉ, ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÍÙÅ × ÜÔÏÊ ×ÅÒÓÉÉ MySQL", -"÷ ÔÁÂÌÉÃÅ ÄÏÌÖÅÎ ÂÙÔØ ËÁË ÍÉÎÉÍÕÍ ÏÄÉÎ ÓÔÏÌÂÅÃ", -"ôÁÂÌÉÃÁ '%-.64s' ÐÅÒÅÐÏÌÎÅÎÁ", -"îÅÉÚ×ÅÓÔÎÁÑ ËÏÄÉÒÏ×ËÁ '%-.64s'", -"óÌÉÛËÏÍ ÍÎÏÇÏ ÔÁÂÌÉÃ. MySQL ÍÏÖÅÔ ÉÓÐÏÌØÚÏ×ÁÔØ ÔÏÌØËÏ %d ÔÁÂÌÉÃ × ÓÏÅÄÉÎÅÎÉÉ", -"óÌÉÛËÏÍ ÍÎÏÇÏ ÓÔÏÌÂÃÏ×", -"óÌÉÛËÏÍ ÂÏÌØÛÏÊ ÒÁÚÍÅÒ ÚÁÐÉÓÉ. íÁËÓÉÍÁÌØÎÙÊ ÒÁÚÍÅÒ ÓÔÒÏËÉ, ÉÓËÌÀÞÁÑ ÐÏÌÑ BLOB, - %d. ÷ÏÚÍÏÖÎÏ, ×ÁÍ ÓÌÅÄÕÅÔ ÉÚÍÅÎÉÔØ ÔÉÐ ÎÅËÏÔÏÒÙÈ ÐÏÌÅÊ ÎÁ BLOB", -"óÔÅË ÐÏÔÏËÏ× ÐÅÒÅÐÏÌÎÅÎ: ÉÓÐÏÌØÚÏ×ÁÎÏ: %ld ÉÚ %ld ÓÔÅËÁ. ðÒÉÍÅÎÑÊÔÅ 'mysqld -O thread_stack=#' ÄÌÑ ÕËÁÚÁÎÉÑ ÂÏÌØÛÅÇÏ ÒÁÚÍÅÒÁ ÓÔÅËÁ, ÅÓÌÉ ÎÅÏÂÈÏÄÉÍÏ", -"÷ OUTER JOIN ÏÂÎÁÒÕÖÅÎÁ ÐÅÒÅËÒÅÓÔÎÁÑ ÚÁ×ÉÓÉÍÏÓÔØ. ÷ÎÉÍÁÔÅÌØÎÏ ÐÒÏÁÎÁÌÉÚÉÒÕÊÔÅ Ó×ÏÉ ÕÓÌÏ×ÉÑ ON", -"óÔÏÌÂÅà '%-.64s' ÉÓÐÏÌØÚÕÅÔÓÑ × UNIQUE ÉÌÉ × INDEX, ÎÏ ÎÅ ÏÐÒÅÄÅÌÅÎ ËÁË NOT NULL", -"îÅ×ÏÚÍÏÖÎÏ ÚÁÇÒÕÚÉÔØ ÆÕÎËÃÉÀ '%-.64s'", -"îÅ×ÏÚÍÏÖÎÏ ÉÎÉÃÉÁÌÉÚÉÒÏ×ÁÔØ ÆÕÎËÃÉÀ '%-.64s'; %-.80s", -"îÅÄÏÐÕÓÔÉÍÏ ÕËÁÚÙ×ÁÔØ ÐÕÔÉ ÄÌÑ ÄÉÎÁÍÉÞÅÓËÉÈ ÂÉÂÌÉÏÔÅË", -"æÕÎËÃÉÑ '%-.64s' ÕÖÅ ÓÕÝÅÓÔ×ÕÅÔ", -"îÅ×ÏÚÍÏÖÎÏ ÏÔËÒÙÔØ ÄÉÎÁÍÉÞÅÓËÕÀ ÂÉÂÌÉÏÔÅËÕ '%-.64s' (ÏÛÉÂËÁ: %d %-.64s)", -"îÅ×ÏÚÍÏÖÎÏ ÏÔÙÓËÁÔØ ÆÕÎËÃÉÀ '%-.64s' × ÂÉÂÌÉÏÔÅËÅ", -"æÕÎËÃÉÑ '%-.64s' ÎÅ ÏÐÒÅÄÅÌÅÎÁ", -"èÏÓÔ '%-.64s' ÚÁÂÌÏËÉÒÏ×ÁÎ ÉÚ-ÚÁ ÓÌÉÛËÏÍ ÂÏÌØÛÏÇÏ ËÏÌÉÞÅÓÔ×Á ÏÛÉÂÏË ÓÏÅÄÉÎÅÎÉÑ. òÁÚÂÌÏËÉÒÏ×ÁÔØ ÅÇÏ ÍÏÖÎÏ Ó ÐÏÍÏÝØÀ 'mysqladmin flush-hosts'", -"èÏÓÔÕ '%-.64s' ÎÅ ÒÁÚÒÅÛÁÅÔÓÑ ÐÏÄËÌÀÞÁÔØÓÑ Ë ÜÔÏÍÕ ÓÅÒ×ÅÒÕ MySQL", -"÷Ù ÉÓÐÏÌØÚÕÅÔÅ MySQL ÏÔ ÉÍÅÎÉ ÁÎÏÎÉÍÎÏÇÏ ÐÏÌØÚÏ×ÁÔÅÌÑ, Á ÁÎÏÎÉÍÎÙÍ ÐÏÌØÚÏ×ÁÔÅÌÑÍ ÎÅ ÒÁÚÒÅÛÁÅÔÓÑ ÍÅÎÑÔØ ÐÁÒÏÌÉ", -"äÌÑ ÔÏÇÏ ÞÔÏÂÙ ÉÚÍÅÎÑÔØ ÐÁÒÏÌÉ ÄÒÕÇÉÈ ÐÏÌØÚÏ×ÁÔÅÌÅÊ, Õ ×ÁÓ ÄÏÌÖÎÙ ÂÙÔØ ÐÒÉ×ÉÌÅÇÉÉ ÎÁ ÉÚÍÅÎÅÎÉÅ ÔÁÂÌÉÃ × ÂÁÚÅ ÄÁÎÎÙÈ mysql", -"îÅ×ÏÚÍÏÖÎÏ ÏÔÙÓËÁÔØ ÐÏÄÈÏÄÑÝÕÀ ÚÁÐÉÓØ × ÔÁÂÌÉÃÅ ÐÏÌØÚÏ×ÁÔÅÌÅÊ", -"óÏ×ÐÁÌÏ ÚÁÐÉÓÅÊ: %ld éÚÍÅÎÅÎÏ: %ld ðÒÅÄÕÐÒÅÖÄÅÎÉÊ: %ld", -"îÅ×ÏÚÍÏÖÎÏ ÓÏÚÄÁÔØ ÎÏ×ÙÊ ÐÏÔÏË (ÏÛÉÂËÁ %d). åÓÌÉ ÜÔÏ ÎÅ ÓÉÔÕÁÃÉÑ, Ó×ÑÚÁÎÎÁÑ Ó ÎÅÈ×ÁÔËÏÊ ÐÁÍÑÔÉ, ÔÏ ×ÁÍ ÓÌÅÄÕÅÔ ÉÚÕÞÉÔØ ÄÏËÕÍÅÎÔÁÃÉÀ ÎÁ ÐÒÅÄÍÅÔ ÏÐÉÓÁÎÉÑ ×ÏÚÍÏÖÎÏÊ ÏÛÉÂËÉ ÒÁÂÏÔÙ × ËÏÎËÒÅÔÎÏÊ ïó", -"ëÏÌÉÞÅÓÔ×Ï ÓÔÏÌÂÃÏ× ÎÅ ÓÏ×ÐÁÄÁÅÔ Ó ËÏÌÉÞÅÓÔ×ÏÍ ÚÎÁÞÅÎÉÊ × ÚÁÐÉÓÉ %ld", -"îÅ×ÏÚÍÏÖÎÏ ÚÁÎÏ×Ï ÏÔËÒÙÔØ ÔÁÂÌÉÃÕ '%-.64s'", -"îÅÐÒÁ×ÉÌØÎÏÅ ÉÓÐÏÌØÚÏ×ÁÎÉÅ ×ÅÌÉÞÉÎÙ NULL", -"ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ '%-.64s' ÏÔ ÒÅÇÕÌÑÒÎÏÇÏ ×ÙÒÁÖÅÎÉÑ", -"ïÄÎÏ×ÒÅÍÅÎÎÏÅ ÉÓÐÏÌØÚÏ×ÁÎÉÅ ÓÇÒÕÐÐÉÒÏ×ÁÎÎÙÈ (GROUP) ÓÔÏÌÂÃÏ× (MIN(),MAX(),COUNT(),...) Ó ÎÅÓÇÒÕÐÐÉÒÏ×ÁÎÎÙÍÉ ÓÔÏÌÂÃÁÍÉ Ñ×ÌÑÅÔÓÑ ÎÅËÏÒÒÅËÔÎÙÍ, ÅÓÌÉ × ×ÙÒÁÖÅÎÉÉ ÅÓÔØ GROUP BY", -"ôÁËÉÅ ÐÒÁ×Á ÎÅ ÏÐÒÅÄÅÌÅÎÙ ÄÌÑ ÐÏÌØÚÏ×ÁÔÅÌÑ '%-.32s' ÎÁ ÈÏÓÔÅ '%-.64s'", -"ëÏÍÁÎÄÁ %-.16s ÚÁÐÒÅÝÅÎÁ ÐÏÌØÚÏ×ÁÔÅÌÀ '%-.32s'@'%-.64s' ÄÌÑ ÔÁÂÌÉÃÙ '%-.64s'", -"ëÏÍÁÎÄÁ %-.16s ÚÁÐÒÅÝÅÎÁ ÐÏÌØÚÏ×ÁÔÅÌÀ '%-.32s'@'%-.64s' ÄÌÑ ÓÔÏÌÂÃÁ '%-.64s' × ÔÁÂÌÉÃÅ '%-.64s'", -"îÅ×ÅÒÎÁÑ ËÏÍÁÎÄÁ GRANT ÉÌÉ REVOKE. ïÂÒÁÔÉÔÅÓØ Ë ÄÏËÕÍÅÎÔÁÃÉÉ, ÞÔÏÂÙ ×ÙÑÓÎÉÔØ, ËÁËÉÅ ÐÒÉ×ÉÌÅÇÉÉ ÍÏÖÎÏ ÉÓÐÏÌØÚÏ×ÁÔØ", -"óÌÉÛËÏÍ ÄÌÉÎÎÏÅ ÉÍÑ ÐÏÌØÚÏ×ÁÔÅÌÑ/ÈÏÓÔÁ ÄÌÑ GRANT", -"ôÁÂÌÉÃÁ '%-.64s.%-.64s' ÎÅ ÓÕÝÅÓÔ×ÕÅÔ", -"ôÁËÉÅ ÐÒÁ×Á ÎÅ ÏÐÒÅÄÅÌÅÎÙ ÄÌÑ ÐÏÌØÚÏ×ÁÔÅÌÑ '%-.32s' ÎÁ ËÏÍÐØÀÔÅÒÅ '%-.64s' ÄÌÑ ÔÁÂÌÉÃÙ '%-.64s'", -"üÔÁ ËÏÍÁÎÄÁ ÎÅ ÄÏÐÕÓËÁÅÔÓÑ × ÄÁÎÎÏÊ ×ÅÒÓÉÉ MySQL", -"õ ×ÁÓ ÏÛÉÂËÁ × ÚÁÐÒÏÓÅ. éÚÕÞÉÔÅ ÄÏËÕÍÅÎÔÁÃÉÀ ÐÏ ÉÓÐÏÌØÚÕÅÍÏÊ ×ÅÒÓÉÉ MySQL ÎÁ ÐÒÅÄÍÅÔ ËÏÒÒÅËÔÎÏÇÏ ÓÉÎÔÁËÓÉÓÁ", -"ðÏÔÏË, ÏÂÓÌÕÖÉ×ÁÀÝÉÊ ÏÔÌÏÖÅÎÎÕÀ ×ÓÔÁ×ËÕ (delayed insert), ÎÅ ÓÍÏÇ ÐÏÌÕÞÉÔØ ÚÁÐÒÁÛÉ×ÁÅÍÕÀ ÂÌÏËÉÒÏ×ËÕ ÎÁ ÔÁÂÌÉÃÕ %-.64s", -"óÌÉÛËÏÍ ÍÎÏÇÏ ÐÏÔÏËÏ×, ÏÂÓÌÕÖÉ×ÁÀÝÉÈ ÏÔÌÏÖÅÎÎÕÀ ×ÓÔÁ×ËÕ (delayed insert)", -"ðÒÅÒ×ÁÎÏ ÓÏÅÄÉÎÅÎÉÅ %ld Ë ÂÁÚÅ ÄÁÎÎÙÈ '%-.64s' ÐÏÌØÚÏ×ÁÔÅÌÑ '%-.32s' (%-.64s)", -"ðÏÌÕÞÅÎÎÙÊ ÐÁËÅÔ ÂÏÌØÛÅ, ÞÅÍ 'max_allowed_packet'", -"ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ ÞÔÅÎÉÑ ÏÔ ÐÏÔÏËÁ ÓÏÅÄÉÎÅÎÉÑ (connection pipe)", -"ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ ÏÔ fcntl()", -"ðÁËÅÔÙ ÐÏÌÕÞÅÎÙ × ÎÅ×ÅÒÎÏÍ ÐÏÒÑÄËÅ", -"îÅ×ÏÚÍÏÖÎÏ ÒÁÓÐÁËÏ×ÁÔØ ÐÁËÅÔ, ÐÏÌÕÞÅÎÎÙÊ ÞÅÒÅÚ ËÏÍÍÕÎÉËÁÃÉÏÎÎÙÊ ÐÒÏÔÏËÏÌ", -"ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ × ÐÒÏÃÅÓÓÅ ÐÏÌÕÞÅÎÉÑ ÐÁËÅÔÁ ÞÅÒÅÚ ËÏÍÍÕÎÉËÁÃÉÏÎÎÙÊ ÐÒÏÔÏËÏÌ ", -"ðÏÌÕÞÅÎ ÔÁÊÍÁÕÔ ÏÖÉÄÁÎÉÑ ÐÁËÅÔÁ ÞÅÒÅÚ ËÏÍÍÕÎÉËÁÃÉÏÎÎÙÊ ÐÒÏÔÏËÏÌ ", -"ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ ÐÒÉ ÐÅÒÅÄÁÞÅ ÐÁËÅÔÁ ÞÅÒÅÚ ËÏÍÍÕÎÉËÁÃÉÏÎÎÙÊ ÐÒÏÔÏËÏÌ ", -"ðÏÌÕÞÅÎ ÔÁÊÍÁÕÔ × ÐÒÏÃÅÓÓÅ ÐÅÒÅÄÁÞÉ ÐÁËÅÔÁ ÞÅÒÅÚ ËÏÍÍÕÎÉËÁÃÉÏÎÎÙÊ ÐÒÏÔÏËÏÌ ", -"òÅÚÕÌØÔÉÒÕÀÝÁÑ ÓÔÒÏËÁ ÂÏÌØÛÅ, ÞÅÍ 'max_allowed_packet'", -"éÓÐÏÌØÚÕÅÍÁÑ ÔÁÂÌÉÃÁ ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔ ÔÉÐÙ BLOB/TEXT", -"éÓÐÏÌØÚÕÅÍÁÑ ÔÁÂÌÉÃÁ ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔ Á×ÔÏÉÎËÒÅÍÅÎÔÎÙÅ ÓÔÏÌÂÃÙ", -"îÅÌØÚÑ ÉÓÐÏÌØÚÏ×ÁÔØ INSERT DELAYED ÄÌÑ ÔÁÂÌÉÃÙ '%-.64s', ÐÏÔÏÍÕ ÞÔÏ ÏÎÁ ÚÁÂÌÏËÉÒÏ×ÁÎÁ Ó ÐÏÍÏÝØÀ LOCK TABLES", -"îÅ×ÅÒÎÏÅ ÉÍÑ ÓÔÏÌÂÃÁ '%-.100s'", -"éÓÐÏÌØÚÏ×ÁÎÎÙÊ ÏÂÒÁÂÏÔÞÉË ÔÁÂÌÉÃÙ ÎÅ ÍÏÖÅÔ ÐÒÏÉÎÄÅËÓÉÒÏ×ÁÔØ ÓÔÏÌÂÅà '%-.64s'", -"îÅ ×ÓÅ ÔÁÂÌÉÃÙ × MERGE ÏÐÒÅÄÅÌÅÎÙ ÏÄÉÎÁËÏ×Ï", -"îÅ×ÏÚÍÏÖÎÏ ÚÁÐÉÓÁÔØ × ÔÁÂÌÉÃÕ '%-.64s' ÉÚ-ÚÁ ÏÇÒÁÎÉÞÅÎÉÊ ÕÎÉËÁÌØÎÏÇÏ ËÌÀÞÁ", -"óÔÏÌÂÅà ÔÉÐÁ BLOB '%-.64s' ÂÙÌ ÕËÁÚÁÎ × ÏÐÒÅÄÅÌÅÎÉÉ ËÌÀÞÁ ÂÅÚ ÕËÁÚÁÎÉÑ ÄÌÉÎÙ ËÌÀÞÁ", -"÷ÓÅ ÞÁÓÔÉ ÐÅÒ×ÉÞÎÏÇÏ ËÌÀÞÁ (PRIMARY KEY) ÄÏÌÖÎÙ ÂÙÔØ ÏÐÒÅÄÅÌÅÎÙ ËÁË NOT NULL; åÓÌÉ ×ÁÍ ÎÕÖÎÁ ÐÏÄÄÅÒÖËÁ ×ÅÌÉÞÉÎ NULL × ËÌÀÞÅ, ×ÏÓÐÏÌØÚÕÊÔÅÓØ ÉÎÄÅËÓÏÍ UNIQUE", -"÷ ÒÅÚÕÌØÔÁÔÅ ×ÏÚ×ÒÁÝÅÎÁ ÂÏÌÅÅ ÞÅÍ ÏÄÎÁ ÓÔÒÏËÁ", -"üÔÏÔ ÔÉÐ ÔÁÂÌÉÃÙ ÔÒÅÂÕÅÔ ÏÐÒÅÄÅÌÅÎÉÑ ÐÅÒ×ÉÞÎÏÇÏ ËÌÀÞÁ", -"üÔÁ ×ÅÒÓÉÑ MySQL ÓËÏÍÐÉÌÉÒÏ×ÁÎÁ ÂÅÚ ÐÏÄÄÅÒÖËÉ RAID", -"÷Ù ÒÁÂÏÔÁÅÔÅ × ÒÅÖÉÍÅ ÂÅÚÏÐÁÓÎÙÈ ÏÂÎÏ×ÌÅÎÉÊ (safe update mode) É ÐÏÐÒÏÂÏ×ÁÌÉ ÉÚÍÅÎÉÔØ ÔÁÂÌÉÃÕ ÂÅÚ ÉÓÐÏÌØÚÏ×ÁÎÉÑ ËÌÀÞÅ×ÏÇÏ ÓÔÏÌÂÃÁ × ÞÁÓÔÉ WHERE", -"ëÌÀÞ '%-.64s' ÎÅ ÓÕÝÅÓÔ×ÕÅÔ × ÔÁÂÌÉÃÅ '%-.64s'", -"îÅ×ÏÚÍÏÖÎÏ ÏÔËÒÙÔØ ÔÁÂÌÉÃÕ", -"ïÂÒÁÂÏÔÞÉË ÔÁÂÌÉÃÙ ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔ ÜÔÏÇÏ: %s", -"÷ÁÍ ÎÅ ÒÁÚÒÅÛÅÎÏ ×ÙÐÏÌÎÑÔØ ÜÔÕ ËÏÍÁÎÄÕ × ÔÒÁÎÚÁËÃÉÉ", -"ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ %d × ÐÒÏÃÅÓÓÅ COMMIT", -"ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ %d × ÐÒÏÃÅÓÓÅ ROLLBACK", -"ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ %d × ÐÒÏÃÅÓÓÅ FLUSH_LOGS", -"ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ %d × ÐÒÏÃÅÓÓÅ CHECKPOINT", -"ðÒÅÒ×ÁÎÏ ÓÏÅÄÉÎÅÎÉÅ %ld Ë ÂÁÚÅ ÄÁÎÎÙÈ '%-.64s' ÐÏÌØÚÏ×ÁÔÅÌÑ '%-.32s' Ó ÈÏÓÔÁ `%-.64s' (%-.64s)", -"ïÂÒÁÂÏÔÞÉË ÜÔÏÊ ÔÁÂÌÉÃÙ ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔ Ä×ÏÉÞÎÏÇÏ ÓÏÈÒÁÎÅÎÉÑ ÏÂÒÁÚÁ ÔÁÂÌÉÃÙ (dump)", -"ä×ÏÉÞÎÙÊ ÖÕÒÎÁÌ ÏÂÎÏ×ÌÅÎÉÑ ÚÁËÒÙÔ, ÎÅ×ÏÚÍÏÖÎÏ ×ÙÐÏÌÎÉÔØ RESET MASTER", -"ïÛÉÂËÁ ÐÅÒÅÓÔÒÏÊËÉ ÉÎÄÅËÓÁ ÓÏÈÒÁÎÅÎÎÏÊ ÔÁÂÌÉÃÙ '%-.64s'", -"ïÛÉÂËÁ ÏÔ ÇÏÌÏ×ÎÏÇÏ ÓÅÒ×ÅÒÁ: '%-.64s'", -"÷ÏÚÎÉËÌÁ ÏÛÉÂËÁ ÞÔÅÎÉÑ × ÐÒÏÃÅÓÓÅ ËÏÍÍÕÎÉËÁÃÉÉ Ó ÇÏÌÏ×ÎÙÍ ÓÅÒ×ÅÒÏÍ", -"÷ÏÚÎÉËÌÁ ÏÛÉÂËÁ ÚÁÐÉÓÉ × ÐÒÏÃÅÓÓÅ ËÏÍÍÕÎÉËÁÃÉÉ Ó ÇÏÌÏ×ÎÙÍ ÓÅÒ×ÅÒÏÍ", -"îÅ×ÏÚÍÏÖÎÏ ÏÔÙÓËÁÔØ ÐÏÌÎÏÔÅËÓÔÏ×ÙÊ (FULLTEXT) ÉÎÄÅËÓ, ÓÏÏÔ×ÅÔÓÔ×ÕÀÝÉÊ ÓÐÉÓËÕ ÓÔÏÌÂÃÏ×", -"îÅ×ÏÚÍÏÖÎÏ ×ÙÐÏÌÎÉÔØ ÕËÁÚÁÎÎÕÀ ËÏÍÁÎÄÕ, ÐÏÓËÏÌØËÕ Õ ×ÁÓ ÐÒÉÓÕÔÓÔ×ÕÀÔ ÁËÔÉ×ÎÏ ÚÁÂÌÏËÉÒÏ×ÁÎÎÙÅ ÔÁÂÌÉÃÁ ÉÌÉ ÏÔËÒÙÔÁÑ ÔÒÁÎÚÁËÃÉÑ", -"îÅÉÚ×ÅÓÔÎÁÑ ÓÉÓÔÅÍÎÁÑ ÐÅÒÅÍÅÎÎÁÑ '%-.64s'", -"ôÁÂÌÉÃÁ '%-.64s' ÐÏÍÅÞÅÎÁ ËÁË ÉÓÐÏÒÞÅÎÎÁÑ É ÄÏÌÖÎÁ ÐÒÏÊÔÉ ÐÒÏ×ÅÒËÕ É ÒÅÍÏÎÔ", -"ôÁÂÌÉÃÁ '%-.64s' ÐÏÍÅÞÅÎÁ ËÁË ÉÓÐÏÒÞÅÎÎÁÑ É ÐÏÓÌÅÄÎÉÊ (Á×ÔÏÍÁÔÉÞÅÓËÉÊ?) ÒÅÍÏÎÔ ÎÅ ÂÙÌ ÕÓÐÅÛÎÙÍ", -"÷ÎÉÍÁÎÉÅ: ÐÏ ÎÅËÏÔÏÒÙÍ ÉÚÍÅÎÅÎÎÙÍ ÎÅÔÒÁÎÚÁËÃÉÏÎÎÙÍ ÔÁÂÌÉÃÁÍ ÎÅ×ÏÚÍÏÖÎÏ ÂÕÄÅÔ ÐÒÏÉÚ×ÅÓÔÉ ÏÔËÁÔ ÔÒÁÎÚÁËÃÉÉ", -"ôÒÁÎÚÁËÃÉÉ, ×ËÌÀÞÁÀÝÅÊ ÂÏÌØÛÏÅ ËÏÌÉÞÅÓÔ×Ï ËÏÍÁÎÄ, ÐÏÔÒÅÂÏ×ÁÌÏÓØ ÂÏÌÅÅ ÞÅÍ 'max_binlog_cache_size' ÂÁÊÔ. õ×ÅÌÉÞØÔÅ ÜÔÕ ÐÅÒÅÍÅÎÎÕÀ ÓÅÒ×ÅÒÁ mysqld É ÐÏÐÒÏÂÕÊÔÅ ÅÝÅ ÒÁÚ", -"üÔÕ ÏÐÅÒÁÃÉÀ ÎÅ×ÏÚÍÏÖÎÏ ×ÙÐÏÌÎÉÔØ ÐÒÉ ÒÁÂÏÔÁÀÝÅÍ ÐÏÔÏËÅ ÐÏÄÞÉÎÅÎÎÏÇÏ ÓÅÒ×ÅÒÁ. óÎÁÞÁÌÁ ×ÙÐÏÌÎÉÔÅ STOP SLAVE", -"äÌÑ ÜÔÏÊ ÏÐÅÒÁÃÉÉ ÔÒÅÂÕÅÔÓÑ ÒÁÂÏÔÁÀÝÉÊ ÐÏÄÞÉÎÅÎÎÙÊ ÓÅÒ×ÅÒ. óÎÁÞÁÌÁ ×ÙÐÏÌÎÉÔÅ START SLAVE", -"üÔÏÔ ÓÅÒ×ÅÒ ÎÅ ÎÁÓÔÒÏÅÎ ËÁË ÐÏÄÞÉÎÅÎÎÙÊ. ÷ÎÅÓÉÔÅ ÉÓÐÒÁ×ÌÅÎÉÑ × ËÏÎÆÉÇÕÒÁÃÉÏÎÎÏÍ ÆÁÊÌÅ ÉÌÉ Ó ÐÏÍÏÝØÀ CHANGE MASTER TO", -"Could not initialize master info structure, more error messages can be found in the MySQL error log", -"îÅ×ÏÚÍÏÖÎÏ ÓÏÚÄÁÔØ ÐÏÔÏË ÐÏÄÞÉÎÅÎÎÏÇÏ ÓÅÒ×ÅÒÁ. ðÒÏ×ÅÒØÔÅ ÓÉÓÔÅÍÎÙÅ ÒÅÓÕÒÓÙ", -"õ ÐÏÌØÚÏ×ÁÔÅÌÑ %-.64s ÕÖÅ ÂÏÌØÛÅ ÞÅÍ 'max_user_connections' ÁËÔÉ×ÎÙÈ ÓÏÅÄÉÎÅÎÉÊ", -"÷Ù ÍÏÖÅÔÅ ÉÓÐÏÌØÚÏ×ÁÔØ × SET ÔÏÌØËÏ ËÏÎÓÔÁÎÔÎÙÅ ×ÙÒÁÖÅÎÉÑ", -"ôÁÊÍÁÕÔ ÏÖÉÄÁÎÉÑ ÂÌÏËÉÒÏ×ËÉ ÉÓÔÅË; ÐÏÐÒÏÂÕÊÔÅ ÐÅÒÅÚÁÐÕÓÔÉÔØ ÔÒÁÎÚÁËÃÉÀ", -"ïÂÝÅÅ ËÏÌÉÞÅÓÔ×Ï ÂÌÏËÉÒÏ×ÏË ÐÒÅ×ÙÓÉÌÏ ÒÁÚÍÅÒÙ ÔÁÂÌÉÃÙ ÂÌÏËÉÒÏ×ÏË", -"âÌÏËÉÒÏ×ËÉ ÏÂÎÏ×ÌÅÎÉÊ ÎÅÌØÚÑ ÐÏÌÕÞÉÔØ × ÐÒÏÃÅÓÓÅ ÞÔÅÎÉÑ ÎÅ ÐÒÉÎÑÔÏÊ (× ÒÅÖÉÍÅ READ UNCOMMITTED) ÔÒÁÎÚÁËÃÉÉ", -"îÅ ÄÏÐÕÓËÁÅÔÓÑ DROP DATABASE, ÐÏËÁ ÐÏÔÏË ÄÅÒÖÉÔ ÇÌÏÂÁÌØÎÕÀ ÂÌÏËÉÒÏ×ËÕ ÞÔÅÎÉÑ", -"îÅ ÄÏÐÕÓËÁÅÔÓÑ CREATE DATABASE, ÐÏËÁ ÐÏÔÏË ÄÅÒÖÉÔ ÇÌÏÂÁÌØÎÕÀ ÂÌÏËÉÒÏ×ËÕ ÞÔÅÎÉÑ", -"îÅ×ÅÒÎÙÅ ÐÁÒÁÍÅÔÒÙ ÄÌÑ %s", -"'%-.32s'@'%-.64s' ÎÅ ÒÁÚÒÅÛÁÅÔÓÑ ÓÏÚÄÁ×ÁÔØ ÎÏ×ÙÈ ÐÏÌØÚÏ×ÁÔÅÌÅÊ", -"îÅ×ÅÒÎÏÅ ÏÐÒÅÄÅÌÅÎÉÅ ÔÁÂÌÉÃÙ; ÷ÓÅ ÔÁÂÌÉÃÙ × MERGE ÄÏÌÖÎÙ ÐÒÉÎÁÄÌÅÖÁÔØ ÏÄÎÏÊ É ÔÏÊ ÖÅ ÂÁÚÅ ÄÁÎÎÙÈ", -"÷ÏÚÎÉËÌÁ ÔÕÐÉËÏ×ÁÑ ÓÉÔÕÁÃÉÑ × ÐÒÏÃÅÓÓÅ ÐÏÌÕÞÅÎÉÑ ÂÌÏËÉÒÏ×ËÉ; ðÏÐÒÏÂÕÊÔÅ ÐÅÒÅÚÁÐÕÓÔÉÔØ ÔÒÁÎÚÁËÃÉÀ", -"éÓÐÏÌØÚÕÅÍÙÊ ÔÉÐ ÔÁÂÌÉà ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔ ÐÏÌÎÏÔÅËÓÔÏ×ÙÈ ÉÎÄÅËÓÏ×", -"îÅ×ÏÚÍÏÖÎÏ ÄÏÂÁ×ÉÔØ ÏÇÒÁÎÉÞÅÎÉÑ ×ÎÅÛÎÅÇÏ ËÌÀÞÁ", -"îÅ×ÏÚÍÏÖÎÏ ÄÏÂÁ×ÉÔØ ÉÌÉ ÏÂÎÏ×ÉÔØ ÄÏÞÅÒÎÀÀ ÓÔÒÏËÕ: ÐÒÏ×ÅÒËÁ ÏÇÒÁÎÉÞÅÎÉÊ ×ÎÅÛÎÅÇÏ ËÌÀÞÁ ÎÅ ×ÙÐÏÌÎÑÅÔÓÑ", -"îÅ×ÏÚÍÏÖÎÏ ÕÄÁÌÉÔØ ÉÌÉ ÏÂÎÏ×ÉÔØ ÒÏÄÉÔÅÌØÓËÕÀ ÓÔÒÏËÕ: ÐÒÏ×ÅÒËÁ ÏÇÒÁÎÉÞÅÎÉÊ ×ÎÅÛÎÅÇÏ ËÌÀÞÁ ÎÅ ×ÙÐÏÌÎÑÅÔÓÑ", -"ïÛÉÂËÁ ÓÏÅÄÉÎÅÎÉÑ Ó ÇÏÌÏ×ÎÙÍ ÓÅÒ×ÅÒÏÍ: %-.128s", -"ïÛÉÂËÁ ×ÙÐÏÌÎÅÎÉÑ ÚÁÐÒÏÓÁ ÎÁ ÇÏÌÏ×ÎÏÍ ÓÅÒ×ÅÒÅ: %-.128s", -"ïÛÉÂËÁ ÐÒÉ ×ÙÐÏÌÎÅÎÉÉ ËÏÍÁÎÄÙ %s: %-.128s", -"îÅ×ÅÒÎÏÅ ÉÓÐÏÌØÚÏ×ÁÎÉÅ %s É %s", -"éÓÐÏÌØÚÏ×ÁÎÎÙÅ ÏÐÅÒÁÔÏÒÙ ×ÙÂÏÒËÉ (SELECT) ÄÁÀÔ ÒÁÚÎÏÅ ËÏÌÉÞÅÓÔ×Ï ÓÔÏÌÂÃÏ×", -"îÅ×ÏÚÍÏÖÎÏ ÉÓÐÏÌÎÉÔØ ÚÁÐÒÏÓ, ÐÏÓËÏÌØËÕ Õ ×ÁÓ ÕÓÔÁÎÏ×ÌÅÎÙ ËÏÎÆÌÉËÔÕÀÝÉÅ ÂÌÏËÉÒÏ×ËÉ ÞÔÅÎÉÑ", -"éÓÐÏÌØÚÏ×ÁÎÉÅ ÔÒÁÎÚÁËÃÉÏÎÎÙÈ ÔÁÂÌÉà ÎÁÒÑÄÕ Ó ÎÅÔÒÁÎÚÁËÃÉÏÎÎÙÍÉ ÚÁÐÒÅÝÅÎÏ", -"ïÐÃÉÑ '%s' Ä×ÁÖÄÙ ÉÓÐÏÌØÚÏ×ÁÎÁ × ×ÙÒÁÖÅÎÉÉ", -"ðÏÌØÚÏ×ÁÔÅÌØ '%-.64s' ÐÒÅ×ÙÓÉÌ ÉÓÐÏÌØÚÏ×ÁÎÉÅ ÒÅÓÕÒÓÁ '%s' (ÔÅËÕÝÅÅ ÚÎÁÞÅÎÉÅ: %ld)", -"÷ ÄÏÓÔÕÐÅ ÏÔËÁÚÁÎÏ. ÷ÁÍ ÎÕÖÎÙ ÐÒÉ×ÉÌÅÇÉÉ %-.128s ÄÌÑ ÜÔÏÊ ÏÐÅÒÁÃÉÉ", -"ðÅÒÅÍÅÎÎÁÑ '%-.64s' Ñ×ÌÑÅÔÓÑ ÐÏÔÏËÏ×ÏÊ (SESSION) ÐÅÒÅÍÅÎÎÏÊ É ÎÅ ÍÏÖÅÔ ÂÙÔØ ÉÚÍÅÎÅÎÁ Ó ÐÏÍÏÝØÀ SET GLOBAL", -"ðÅÒÅÍÅÎÎÁÑ '%-.64s' Ñ×ÌÑÅÔÓÑ ÇÌÏÂÁÌØÎÏÊ (GLOBAL) ÐÅÒÅÍÅÎÎÏÊ, É ÅÅ ÓÌÅÄÕÅÔ ÉÚÍÅÎÑÔØ Ó ÐÏÍÏÝØÀ SET GLOBAL", -"ðÅÒÅÍÅÎÎÁÑ '%-.64s' ÎÅ ÉÍÅÅÔ ÚÎÁÞÅÎÉÑ ÐÏ ÕÍÏÌÞÁÎÉÀ", -"ðÅÒÅÍÅÎÎÁÑ '%-.64s' ÎÅ ÍÏÖÅÔ ÂÙÔØ ÕÓÔÁÎÏ×ÌÅÎÁ × ÚÎÁÞÅÎÉÅ '%-.64s'", -"îÅ×ÅÒÎÙÊ ÔÉÐ ÁÒÇÕÍÅÎÔÁ ÄÌÑ ÐÅÒÅÍÅÎÎÏÊ '%-.64s'", -"ðÅÒÅÍÅÎÎÁÑ '%-.64s' ÍÏÖÅÔ ÂÙÔØ ÔÏÌØËÏ ÕÓÔÁÎÏ×ÌÅÎÁ, ÎÏ ÎÅ ÓÞÉÔÁÎÁ", -"îÅ×ÅÒÎÏÅ ÉÓÐÏÌØÚÏ×ÁÎÉÅ ÉÌÉ × ÎÅ×ÅÒÎÏÍ ÍÅÓÔÅ ÕËÁÚÁÎ '%s'", -"üÔÁ ×ÅÒÓÉÑ MySQL ÐÏËÁ ÅÝÅ ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔ '%s'", -"ðÏÌÕÞÅÎÁ ÎÅÉÓÐÒÁ×ÉÍÁÑ ÏÛÉÂËÁ %d: '%-.128s' ÏÔ ÇÏÌÏ×ÎÏÇÏ ÓÅÒ×ÅÒÁ × ÐÒÏÃÅÓÓÅ ×ÙÂÏÒËÉ ÄÁÎÎÙÈ ÉÚ Ä×ÏÉÞÎÏÇÏ ÖÕÒÎÁÌÁ", -"Slave SQL thread ignored the query because of replicate-*-table rules", -"Variable '%-.64s' is a %s variable", -"Incorrect foreign key definition for '%-.64s': %s", -"Key reference and table reference don't match", -"ïÐÅÒÁÎÄ ÄÏÌÖÅÎ ÓÏÄÅÒÖÁÔØ %d ËÏÌÏÎÏË", -"ðÏÄÚÁÐÒÏÓ ×ÏÚ×ÒÁÝÁÅÔ ÂÏÌÅÅ ÏÄÎÏÊ ÚÁÐÉÓÉ", -"Unknown prepared statement handler (%.*s) given to %s", -"Help database is corrupt or does not exist", -"ãÉËÌÉÞÅÓËÁÑ ÓÓÙÌËÁ ÎÁ ÐÏÄÚÁÐÒÏÓ", -"ðÒÅÏÂÒÁÚÏ×ÁÎÉÅ ÐÏÌÑ '%s' ÉÚ %s × %s", -"óÓÙÌËÁ '%-.64s' ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔÓÑ (%s)", -"Every derived table must have its own alias", -"Select %u ÂÙÌ ÕÐÒÁÚÄÎÅÎ × ÐÒÏÃÅÓÓÅ ÏÐÔÉÍÉÚÁÃÉÉ", -"Table '%-.64s' from one of the SELECTs cannot be used in %-.32s", -"Client does not support authentication protocol requested by server; consider upgrading MySQL client", -"All parts of a SPATIAL index must be NOT NULL", -"COLLATION '%s' is not valid for CHARACTER SET '%s'", -"Slave is already running", -"Slave has already been stopped", -"Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)", -"ZLIB: Not enough memory", -"ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)", -"ZLIB: Input data corrupted", -"%d line(s) were cut by GROUP_CONCAT()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; it contained more data than there were input columns", -"Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld", -"Out of range value adjusted for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Using storage engine %s for table '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"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", -"óÅÒ×ÅÒ ÚÁÐÕÝÅÎ × ÒÅÖÉÍÅ --secure-auth (ÂÅÚÏÐÁÓÎÏÊ Á×ÔÏÒÉÚÁÃÉÉ), ÎÏ ÄÌÑ ÐÏÌØÚÏ×ÁÔÅÌÑ '%s'@'%s' ÐÁÒÏÌØ ÓÏÈÒÁÎ£Î × ÓÔÁÒÏÍ ÆÏÒÍÁÔÅ; ÎÅÏÂÈÏÄÉÍÏ ÏÂÎÏ×ÉÔØ ÆÏÒÍÁÔ ÐÁÒÏÌÑ", -"ðÏÌÅ ÉÌÉ ÓÓÙÌËÁ '%-.64s%s%-.64s%s%-.64s' ÉÚ SELECTÁ #%d ÂÙÌÁ ÎÁÊÄÅÎÁ × SELECTÅ #%d", -"Incorrect parameter or combination of parameters for START SLAVE UNTIL", -"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", -"SQL thread is not to be started so UNTIL options are ignored", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"ëÅÛ ÚÁÐÒÏÓÏ× ÎÅ ÍÏÖÅÔ ÕÓÔÁÎÏ×ÉÔØ ÒÁÚÍÅÒ %lu, ÎÏ×ÙÊ ÒÁÚÍÅÒ ËÅÛÁ ÚÐÒÏÓÏ× - %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated, use '%s' instead", -"ôÁÂÌÉÃÁ %-.100s × %s ÎÅ ÍÏÖÅÔ ÉÚÍÅÎÑÔÓÑ", -"The '%s' feature was disabled; you need MySQL built with '%s' to have it working", -"The MySQL server is running with the %s option so it cannot execute this statement", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated wrong %-.32s value: '%-.128s'" -"Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' column", -"This command is not supported in the prepared statement protocol yet", -"Got error %d '%-.100s' from %s", -"Got temporary error %d '%-.100s' from %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"óÌÉÛËÏÍ ÂÏÌØÛÏÊ ËÏÎÆÉÇÕÒÁÃÉÏÎÎÙÊ ÆÁÊÌ '%-.64s'" -"îÅ×ÅÒÎÙÊ ÚÁÇÏÌÏ×ÏË ÔÉÐÁ ÆÁÊÌÁ '%-.64s'" -"îÅÏÖÉÄÁÎÎÙÊ ËÏÎÅà ÆÁÊÌÁ × ËÏÍÅÎÔÁÒÉÉ '%-.64s'" -"ïÛÉÂËÁ ÐÒÉ ÒÁÓÐÏÚÎÁ×ÁÎÉÉ ÐÁÒÁÍÅÔÒÁ '%-.64s' (ÓÔÒÏËÁ: '%-.64s')" -"îÅÏÖÉÄÁÎÎÙÊ ËÏÎÅà ÆÁÊÌÁ ÐÒÉ ÐÒÏÐÕÓËÅ ÎÅÉÚ×ÅÓÔÎÏÇÏ ÐÁÒÁÍÅÔÒÁ '%-.64s'" -"EXPLAIN/SHOW ÎÅ ÍÏÖÅÔ ÂÙÔØ ×ÙÐÏÌÎÅÎÎÏ; ÎÅÄÏÓÔÁÔÏÞÎÏ ÐÒÁ× ÎÁ ÔÁËÂÌÉÃÙ ÚÁÐÒÏÓÁ" -"æÁÊÌ '%-.64s' ÓÏÄÅÒÖÉÔ ÎÅÉÚ×ÅÓÔÎÙÊ ÔÉÐ '%-.64s' × ÚÁÇÏÌÏ×ËÅ" -"'%-.64s.%-.64s' - ÎÅ %s" -"óÔÏÌÂÅà '%-.64s' ÎÅ ÏÂÎÏ×ÌÑÅÍÙÊ" -"View SELECT ÓÏÄÅÒÖÉÔ ÐÏÄÚÁÐÒÏÓ × ËÏÎÓÔÒÕËÃÉÉ FROM" -"View SELECT ÓÏÄÅÒÖÉÔ ËÏÎÓÔÒÕËÃÉÀ '%s'" -"View SELECT ÓÏÄÅÒÖÉÔ ÐÅÒÅÍÅÎÎÕÀ ÉÌÉ ÐÁÒÁÍÅÔÒ" -"View SELECT ÓÏÄÅÒÖÉÔ ÓÓÙÌËÕ ÎÁ ×ÒÅÍÅÎÎÕÀ ÔÁÂÌÉÃÕ '%-.64s'" -"View SELECT É ÓÐÉÓÏË ÐÏÌÅÊ view ÉÍÅÀÔ ÒÁÚÎÏÅ ËÏÌÉÞÅÓÔ×Ï ÓÔÏÌÂÃÏ×" -"áÌÇÏÒÉÔÍ ÓÌÉÑÎÉÑ view ÎÅ ÍÏÖÅÔ ÂÙÔØ ÉÓÐÏÌØÚÏ×ÁÎ ÓÅÊÞÁÓ (ÁÌÇÏÒÉÔÍ ÂÕÄÅÔ ÎÅÏÐÅÒÅÄÅÌÅÎÎÙÍ)" -"ïÂÎÏ×ÌÑÅÍÙÊ view ÎÅ ÓÏÄÅÒÖÉÔ ËÌÀÞÁ ÉÓÐÏÌØÚÏ×ÁÎÎÙÈ(ÏÊ) × ÎÅÍ ÔÁÂÌÉÃ(Ù)" -"View '%-.64s.%-.64s' ÓÓÙÌÁÅÔÓÑ ÎÁ ÎÅÓÕÝÅÓÔ×ÕÀÝÉÅ ÔÁÂÌÉÃÙ ÉÌÉ ÓÔÏÌÂÃÙ" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION ÄÌÑ ÎÅÏÂÎÏ×ÌÑÅÍÏÇÏ VIEW '%-.64s.%-.64s'" -"ÐÒÏ×ÅÒËÁ CHECK OPTION ÄÌÑ VIEW '%-.64s.%-.64s' ÐÒÏ×ÁÌÉÌÁÓØ" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"ðÒÏ×ÅÒËÁ ËÏÎÔÒÏÌØÎÏÊ ÓÕÍÍÙ ÔÅËÓÔÁ VIEW ÐÒÏ×ÁÌÉÌÁÓØ" -"îÅÌØÚÑ ÉÚÍÅÎÉÔØ ÂÏÌØÛÅ ÞÅÍ ÏÄÎÕ ÂÁÚÏ×ÕÀ ÔÁÂÌÉÃÕ ÉÓÐÏÌØÚÕÑ ÍÎÏÇÏÔÁÂÌÉÞÎÙÊ VIEW '%-.64s.%-.64s'" -"îÅÌØÚÑ ×ÓÔÁ×ÌÑÔØ ÚÁÐÉÓÉ × ÍÎÏÇÏÔÁÂÌÉÞÎÙÊ VIEW '%-.64s.%-.64s' ÂÅÚ ÓÐÉÓËÁ ÐÏÌÅÊ" -"îÅÌØÚÑ ÕÄÁÌÑÔØ ÉÚ ÍÎÏÇÏÔÁÂÌÉÞÎÏÇÏ VIEW '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/serbian/errmsg.txt b/sql/share/serbian/errmsg.txt deleted file mode 100644 index a245da6b677..00000000000 --- a/sql/share/serbian/errmsg.txt +++ /dev/null @@ -1,408 +0,0 @@ -/* Copyright Abandoned 1997 TCX DataKonsult AB & Monty Program KB & Detron HB - This file is public domain and comes with NO WARRANTY of any kind */ - -/* Serbian Translation, version 1.0: - Copyright 2002 Vladimir Kraljevic, vladimir_kraljevic@yahoo.com - This file is public domain and comes with NO WARRANTY of any kind. - Charset: cp1250 -*/ - -character-set=cp1250 - -"hashchk", -"isamchk", -"NE", -"DA", -"Ne mogu da kreiram file '%-.64s' (errno: %d)", -"Ne mogu da kreiram tabelu '%-.64s' (errno: %d)", -"Ne mogu da kreiram bazu '%-.64s' (errno: %d)", -"Ne mogu da kreiram bazu '%-.64s'; baza veæ postoji.", -"Ne mogu da izbrišem bazu '%-.64s'; baza ne postoji.", -"Ne mogu da izbrišem bazu (ne mogu da izbrišem '%-.64s', errno: %d)", -"Ne mogu da izbrišem bazu (ne mogu da izbrišem direktorijum '%-.64s', errno: %d)", -"Greška pri brisanju '%-.64s' (errno: %d)", -"Ne mogu da proèitam slog iz sistemske tabele", -"Ne mogu da dobijem stanje file-a '%-.64s' (errno: %d)", -"Ne mogu da dobijem trenutni direktorijum (errno: %d)", -"Ne mogu da zakljuèam file (errno: %d)", -"Ne mogu da otvorim file: '%-.64s' (errno: %d)", -"Ne mogu da pronaðem file: '%-.64s' (errno: %d)", -"Ne mogu da proèitam direktorijum '%-.64s' (errno: %d)", -"Ne mogu da promenim direktorijum na '%-.64s' (errno: %d)", -"Slog je promenjen od zadnjeg èitanja tabele '%-.64s'", -"Disk je pun (%s). Èekam nekoga da doðe i oslobodi nešto mesta...", -"Ne mogu da pišem pošto postoji duplirani kljuè u tabeli '%-.64s'", -"Greška pri zatvaranju '%-.64s' (errno: %d)", -"Greška pri èitanju file-a '%-.64s' (errno: %d)", -"Greška pri promeni imena '%-.64s' na '%-.64s' (errno: %d)", -"Greška pri upisu '%-.64s' (errno: %d)", -"'%-.64s' je zakljuèan za upis", -"Sortiranje je prekinuto", -"View '%-.64s' ne postoji za '%-.64s'", -"Handler tabela je vratio grešku %d", -"Handler tabela za '%-.64s' nema ovu opciju", -"Ne mogu da pronaðem slog u '%-.64s'", -"Pogrešna informacija u file-u: '%-.64s'", -"Pogrešan key file za tabelu: '%-.64s'; probajte da ga ispravite", -"Zastareo key file za tabelu '%-.64s'; ispravite ga", -"Tabelu '%-.64s' je dozvoljeno samo èitati", -"Nema memorije. Restartujte MySQL server i probajte ponovo (potrebno je %d byte-ova)", -"Nema memorije za sortiranje. Poveæajte velièinu sort buffer-a MySQL server-u", -"Neoèekivani kraj pri èitanju file-a '%-.64s' (errno: %d)", -"Previše konekcija", -"Nema memorije; Proverite da li MySQL server ili neki drugi proces koristi svu slobodnu memoriju. (UNIX: Ako ne, probajte da upotrebite 'ulimit' komandu da biste dozvolili daemon-u da koristi više memorije ili probajte da dodate više swap memorije)", -"Ne mogu da dobijem ime host-a za vašu IP adresu", -"Loš poèetak komunikacije (handshake)", -"Pristup je zabranjen korisniku '%-.32s'@'%-.64s' za bazu '%-.64s'", -"Pristup je zabranjen korisniku '%-.32s'@'%-.64s' (koristi lozinku: '%s')", -"Ni jedna baza nije selektovana", -"Nepoznata komanda", -"Kolona '%-.64s' ne može biti NULL", -"Nepoznata baza '%-.64s'", -"Tabela '%-.64s' veæ postoji", -"Nepoznata tabela '%-.64s'", -"Kolona '%-.64s' u %-.64s nije jedinstvena u kontekstu", -"Gašenje servera je u toku", -"Nepoznata kolona '%-.64s' u '%-.64s'", -"Entitet '%-.64s' nije naveden u komandi 'GROUP BY'", -"Ne mogu da grupišem po '%-.64s'", -"Izraz ima 'SUM' agregatnu funkciju i kolone u isto vreme", -"Broj kolona ne odgovara broju vrednosti", -"Ime '%-.100s' je predugaèko", -"Duplirano ime kolone '%-.64s'", -"Duplirano ime kljuèa '%-.64s'", -"Dupliran unos '%-.64s' za kljuè '%d'", -"Pogrešan naziv kolone za kolonu '%-.64s'", -"'%s' u iskazu '%-.80s' na liniji %d", -"Upit je bio prazan", -"Tabela ili alias nisu bili jedinstveni: '%-.64s'", -"Loša default vrednost za '%-.64s'", -"Definisani višestruki primarni kljuèevi", -"Navedeno je previše kljuèeva. Maksimum %d kljuèeva je dozvoljeno", -"Navedeno je previše delova kljuèa. Maksimum %d delova je dozvoljeno", -"Navedeni kljuè je predug. Maksimalna dužina kljuèa je %d", -"Kljuèna kolona '%-.64s' ne postoji u tabeli", -"BLOB kolona '%-.64s' ne može biti upotrebljena za navoðenje kljuèa sa tipom tabele koji se trenutno koristi", -"Previše podataka za kolonu '%-.64s' (maksimum je %d). Upotrebite BLOB polje", -"Pogrešna definicija tabele; U tabeli može postojati samo jedna 'AUTO' kolona i ona mora biti istovremeno definisana kao kolona kljuèa", -"%s: Spreman za konekcije\n", -"%s: Normalno gašenje\n", -"%s: Dobio signal %d. Prekidam!\n", -"%s: Gašenje završeno\n", -"%s: Usiljeno gašenje thread-a %ld koji pripada korisniku: '%-.32s'\n", -"Ne mogu da kreiram IP socket", -"Tabela '%-.64s' nema isti indeks kao onaj upotrebljen pri komandi 'CREATE INDEX'. Napravite tabelu ponovo", -"Argument separatora polja nije ono što se oèekivalo. Proverite uputstvo MySQL server-a", -"Ne možete koristiti fiksnu velièinu sloga kada imate BLOB polja. Molim koristite 'fields terminated by' opciju.", -"File '%-.64s' mora biti u direktorijumu gde su file-ovi baze i mora imati odgovarajuæa prava pristupa", -"File '%-.80s' veæ postoji", -"Slogova: %ld Izbrisano: %ld Preskoèeno: %ld Upozorenja: %ld", -"Slogova: %ld Duplikata: %ld", -"Pogrešan pod-kljuè dela kljuèa. Upotrebljeni deo kljuèa nije string, upotrebljena dužina je veæa od dela kljuèa ili handler tabela ne podržava jedinstvene pod-kljuèeve", -"Ne možete da izbrišete sve kolone pomoæu komande 'ALTER TABLE'. Upotrebite komandu 'DROP TABLE' ako želite to da uradite", -"Ne mogu da izvršim komandu drop 'DROP' na '%-.64s'. Proverite da li ta kolona (odnosno kljuè) postoji", -"Slogova: %ld Duplikata: %ld Upozorenja: %ld", -"You can't specify target table '%-.64s' for update in FROM clause", -"Nepoznat thread identifikator: %lu", -"Vi niste vlasnik thread-a %lu", -"Nema upotrebljenih tabela", -"Previše string-ova za kolonu '%-.64s' i komandu 'SET'", -"Ne mogu da generišem jedinstveno ime log-file-a: '%-.64s.(1-999)'\n", -"Tabela '%-.64s' je zakljuèana READ lock-om; iz nje se može samo èitati ali u nju se ne može pisati", -"Tabela '%-.64s' nije bila zakljuèana komandom 'LOCK TABLES'", -"BLOB kolona '%-.64s' ne može imati default vrednost", -"Pogrešno ime baze '%-.100s'", -"Pogrešno ime tabele '%-.100s'", -"Komanda 'SELECT' æe ispitati previše slogova i potrošiti previše vremena. Proverite vaš 'WHERE' filter i upotrebite 'SET OPTION SQL_BIG_SELECTS=1' ako želite baš ovakvu komandu", -"Nepoznata greška", -"Nepoznata procedura '%-.64s'", -"Pogrešan broj parametara za proceduru '%-.64s'", -"Pogrešni parametri prosleðeni proceduri '%-.64s'", -"Nepoznata tabela '%-.64s' u '%-.32s'", -"Kolona '%-.64s' je navedena dva puta", -"Pogrešna upotreba 'GROUP' funkcije", -"Tabela '%-.64s' koristi ekstenziju koje ne postoji u ovoj verziji MySQL-a", -"Tabela mora imati najmanje jednu kolonu", -"Tabela '%-.64s' je popunjena do kraja", -"Nepoznati karakter-set: '%-.64s'", -"Previše tabela. MySQL može upotrebiti maksimum %d tabela pri 'JOIN' operaciji", -"Previše kolona", -"Prevelik slog. Maksimalna velièina sloga, ne raèunajuæi BLOB polja, je %d. Trebali bi da promenite tip nekih polja u BLOB", -"Prepisivanje thread stack-a: Upotrebljeno: %ld od %ld stack memorije. Upotrebite 'mysqld -O thread_stack=#' da navedete veæi stack ako je potrebno", -"Unakrsna zavisnost pronaðena u komandi 'OUTER JOIN'. Istražite vaše 'ON' uslove", -"Kolona '%-.64s' je upotrebljena kao 'UNIQUE' ili 'INDEX' ali nije definisana kao 'NOT NULL'", -"Ne mogu da uèitam funkciju '%-.64s'", -"Ne mogu da inicijalizujem funkciju '%-.64s'; %-.80s", -"Ne postoje dozvoljene putanje do share-ovane biblioteke", -"Funkcija '%-.64s' veæ postoji", -"Ne mogu da otvorim share-ovanu biblioteku '%-.64s' (errno: %d %-.64s)", -"Ne mogu da pronadjem funkciju '%-.64s' u biblioteci", -"Funkcija '%-.64s' nije definisana", -"Host '%-.64s' je blokiran zbog previše grešaka u konekciji. Možete ga odblokirati pomoæu komande 'mysqladmin flush-hosts'", -"Host-u '%-.64s' nije dozvoljeno da se konektuje na ovaj MySQL server", -"Vi koristite MySQL kao anonimni korisnik a anonimnim korisnicima nije dozvoljeno da menjaju lozinke", -"Morate imati privilegije da možete da update-ujete odreðene tabele ako želite da menjate lozinke za druge korisnike", -"Ne mogu da pronaðem odgovarajuæi slog u 'user' tabeli", -"Odgovarajuæih slogova: %ld Promenjeno: %ld Upozorenja: %ld", -"Ne mogu da kreiram novi thread (errno %d). Ako imate još slobodne memorije, trebali biste da pogledate u priruèniku da li je ovo specifièna greška vašeg operativnog sistema", -"Broj kolona ne odgovara broju vrednosti u slogu %ld", -"Ne mogu da ponovo otvorim tabelu '%-.64s'", -"Pogrešna upotreba vrednosti NULL", -"Funkcija regexp je vratila grešku '%-.64s'", -"Upotreba agregatnih funkcija (MIN(),MAX(),COUNT()...) bez 'GROUP' kolona je pogrešna ako ne postoji 'GROUP BY' iskaz", -"Ne postoji odobrenje za pristup korisniku '%-.32s' na host-u '%-.64s'", -"%-.16s komanda zabranjena za korisnika '%-.32s'@'%-.64s' za tabelu '%-.64s'", -"%-.16s komanda zabranjena za korisnika '%-.32s'@'%-.64s' za kolonu '%-.64s' iz tabele '%-.64s'", -"Pogrešna 'GRANT' odnosno 'REVOKE' komanda. Molim Vas pogledajte u priruèniku koje vrednosti mogu biti upotrebljene.", -"Argument 'host' ili 'korisnik' prosleðen komandi 'GRANT' je predugaèak", -"Tabela '%-.64s.%-.64s' ne postoji", -"Ne postoji odobrenje za pristup korisniku '%-.32s' na host-u '%-.64s' tabeli '%-.64s'", -"Upotrebljena komanda nije dozvoljena sa ovom verzijom MySQL servera", -"Imate grešku u vašoj SQL sintaksi", -"Prolongirani 'INSERT' thread nije mogao da dobije traženo zakljuèavanje tabele '%-.64s'", -"Previše prolongiranih thread-ova je u upotrebi", -"Prekinuta konekcija broj %ld ka bazi: '%-.64s' korisnik je bio: '%-.32s' (%-.64s)", -"Primio sam mrežni paket veæi od definisane vrednosti 'max_allowed_packet'", -"Greška pri èitanju podataka sa pipe-a", -"Greška pri izvršavanju funkcije fcntl()", -"Primio sam mrežne pakete van reda", -"Ne mogu da dekompresujem mrežne pakete", -"Greška pri primanju mrežnih paketa", -"Vremenski limit za èitanje mrežnih paketa je istekao", -"Greška pri slanju mrežnih paketa", -"Vremenski limit za slanje mrežnih paketa je istekao", -"Rezultujuèi string je duži nego što to dozvoljava parametar servera 'max_allowed_packet'", -"Iskorišteni tip tabele ne podržava kolone tipa 'BLOB' odnosno 'TEXT'", -"Iskorišteni tip tabele ne podržava kolone tipa 'AUTO_INCREMENT'", -"Komanda 'INSERT DELAYED' ne može biti iskorištena u tabeli '%-.64s', zbog toga što je zakljuèana komandom 'LOCK TABLES'", -"Pogrešno ime kolone '%-.100s'", -"Handler tabele ne može da indeksira kolonu '%-.64s'", -"Tabele iskorištene u 'MERGE' tabeli nisu definisane na isti naèin", -"Zbog provere jedinstvenosti ne mogu da upišem podatke u tabelu '%-.64s'", -"BLOB kolona '%-.64s' je upotrebljena u specifikaciji kljuèa bez navoðenja dužine kljuèa", -"Svi delovi primarnog kljuèa moraju biti razlièiti od NULL; Ako Vam ipak treba NULL vrednost u kljuèu, upotrebite 'UNIQUE'", -"Rezultat je saèinjen od više slogova", -"Ovaj tip tabele zahteva da imate definisan primarni kljuè", -"Ova verzija MySQL servera nije kompajlirana sa podrškom za RAID ureðaje", -"Vi koristite safe update mod servera, a probali ste da promenite podatke bez 'WHERE' komande koja koristi kolonu kljuèa", -"Kljuè '%-.64s' ne postoji u tabeli '%-.64s'", -"Ne mogu da otvorim tabelu", -"Handler za ovu tabelu ne dozvoljava 'check' odnosno 'repair' komande", -"Nije Vam dozvoljeno da izvršite ovu komandu u transakciji", -"Greška %d za vreme izvršavanja komande 'COMMIT'", -"Greška %d za vreme izvršavanja komande 'ROLLBACK'", -"Greška %d za vreme izvršavanja komande 'FLUSH_LOGS'", -"Greška %d za vreme izvršavanja komande 'CHECKPOINT'", -"Prekinuta konekcija broj %ld ka bazi: '%-.64s' korisnik je bio: '%-.32s' a host: `%-.64s' (%-.64s)", -"Handler tabele ne podržava binarni dump tabele", -"Binarni log file zatvoren, ne mogu da izvršim komandu 'RESET MASTER'", -"Izgradnja indeksa dump-ovane tabele '%-.64s' nije uspela", -"Greška iz glavnog servera '%-.64s' u klasteru", -"Greška u primanju mrežnih paketa sa glavnog servera u klasteru", -"Greška u slanju mrežnih paketa na glavni server u klasteru", -"Ne mogu da pronaðem 'FULLTEXT' indeks koli odgovara listi kolona", -"Ne mogu da izvršim datu komandu zbog toga što su tabele zakljuèane ili je transakcija u toku", -"Nepoznata sistemska promenljiva '%-.64s'", -"Tabela '%-.64s' je markirana kao ošteæena i trebala bi biti popravljena", -"Tabela '%-.64s' je markirana kao ošteæena, a zadnja (automatska?) popravka je bila neuspela", -"Upozorenje: Neke izmenjene tabele ne podržavaju komandu 'ROLLBACK'", -"Transakcija sa više stavki zahtevala je više od 'max_binlog_cache_size' bajtova skladišnog prostora. Uveæajte ovu promenljivu servera i pokušajte ponovo', -"Ova operacija ne može biti izvršena dok je aktivan podreðeni server. Zadajte prvo komandu 'STOP SLAVE' da zaustavite podreðeni server.", -"Ova operacija zahteva da je aktivan podreðeni server. Konfigurišite prvo podreðeni server i onda izvršite komandu 'START SLAVE'", -"Server nije konfigurisan kao podreðeni server, ispravite konfiguracioni file ili na njemu izvršite komandu 'CHANGE MASTER TO'", -"Nisam mogao da inicijalizujem informacionu strukturu glavnog servera, proverite da li imam privilegije potrebne za pristup file-u 'master.info'", -"Nisam mogao da startujem thread za podreðeni server, proverite sistemske resurse", -"Korisnik %-.64s veæ ima više aktivnih konekcija nego što je to odreðeno 'max_user_connections' promenljivom", -"Možete upotrebiti samo konstantan iskaz sa komandom 'SET'", -"Vremenski limit za zakljuèavanje tabele je istekao; Probajte da ponovo startujete transakciju", -"Broj totalnih zakljuèavanja tabele premašuje velièinu tabele zakljuèavanja", -"Zakljuèavanja izmena ne mogu biti realizovana sve dok traje 'READ UNCOMMITTED' transakcija", -"Komanda 'DROP DATABASE' nije dozvoljena dok thread globalno zakljuèava èitanje podataka", -"Komanda 'CREATE DATABASE' nije dozvoljena dok thread globalno zakljuèava èitanje podataka", -"Pogrešni argumenti prosleðeni na %s", -"Korisniku '%-.32s'@'%-.64s' nije dozvoljeno da kreira nove korisnike", -"Pogrešna definicija tabele; sve 'MERGE' tabele moraju biti u istoj bazi podataka", -"Unakrsno zakljuèavanje pronaðeno kada sam pokušao da dobijem pravo na zakljuèavanje; Probajte da restartujete transakciju", -"Upotrebljeni tip tabele ne podržava 'FULLTEXT' indekse", -"Ne mogu da dodam proveru spoljnog kljuèa", -"Ne mogu da dodam slog: provera spoljnog kljuèa je neuspela", -"Ne mogu da izbrišem roditeljski slog: provera spoljnog kljuèa je neuspela", -"Greška pri povezivanju sa glavnim serverom u klasteru: %-.128s", -"Greška pri izvršavanju upita na glavnom serveru u klasteru: %-.128s", -"Greška pri izvršavanju komande %s: %-.128s", -"Pogrešna upotreba %s i %s", -"Upotrebljene 'SELECT' komande adresiraju razlièit broj kolona", -"Ne mogu da izvršim upit zbog toga što imate zakljuèavanja èitanja podataka u konfliktu", -"Mešanje tabela koje podržavaju transakcije i onih koje ne podržavaju transakcije je iskljuèeno", -"Opcija '%s' je upotrebljena dva puta u istom iskazu", -"User '%-.64s' has exceeded the '%s' resource (current value: %ld)", -"Access denied; you need the %-.128s privilege for this operation", -"Variable '%-.64s' is a SESSION variable and can't be used with SET GLOBAL", -"Variable '%-.64s' is a GLOBAL variable and should be set with SET GLOBAL", -"Variable '%-.64s' doesn't have a default value", -"Variable '%-.64s' can't be set to the value of '%-.64s'", -"Incorrect argument type to variable '%-.64s'", -"Variable '%-.64s' can only be set, not read", -"Incorrect usage/placement of '%s'", -"This version of MySQL doesn't yet support '%s'", -"Got fatal error %d: '%-.128s' from master when reading data from binary log", -"Slave SQL thread ignored the query because of replicate-*-table rules", -"Variable '%-.64s' is a %s variable", -"Incorrect foreign key definition for '%-.64s': %s", -"Key reference and table reference don't match", -"Operand should contain %d column(s)", -"Subquery returns more than 1 row", -"Unknown prepared statement handler (%ld) given to %s", -"Help database is corrupt or does not exist", -"Cyclic reference on subqueries", -"Converting column '%s' from %s to %s", -"Reference '%-.64s' not supported (%s)", -"Every derived table must have its own alias", -"Select %u was reduced during optimization", -"Table '%-.64s' from one of the SELECTs cannot be used in %-.32s", -"Client does not support authentication protocol requested by server; consider upgrading MySQL client", -"All parts of a SPATIAL index must be NOT NULL", -"COLLATION '%s' is not valid for CHARACTER SET '%s'", -"Slave is already running", -"Slave has already been stopped", -"Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)", -"ZLIB: Not enough memory", -"ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)", -"ZLIB: Input data corrupted", -"%d line(s) were cut by GROUP_CONCAT()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; it contained more data than there were input columns", -"Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld", -"Out of range value adjusted for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Using storage engine %s for table '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"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", -"Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format", -"Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d", -"Incorrect parameter or combination of parameters for START SLAVE UNTIL", -"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", -"SQL thread is not to be started so UNTIL options are ignored", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"Query cache failed to set size %lu, new query cache size is %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated, use '%s' instead", -"The target table %-.100s of the %s is not updatable", -"The '%s' feature was disabled; you need MySQL built with '%s' to have it working" -"The MySQL server is running with the %s option so it cannot execute this statement" -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated wrong %-.32s value: '%-.128s'" -"Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' column", -"This command is not supported in the prepared statement protocol yet", -"Got error %d '%-.100s' from %s", -"Got temporary error %d '%-.100s' from %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/slovak/errmsg.txt b/sql/share/slovak/errmsg.txt deleted file mode 100644 index 69eddcfa9f6..00000000000 --- a/sql/share/slovak/errmsg.txt +++ /dev/null @@ -1,423 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -/* - Translated from both E n g l i s h & C z e c h error messages - by steve: (billik@sun.uniag.sk). - Encoding: ISO LATIN-8852-2 - Server version: 3.21.25-gamma - Date: Streda 11. November 1998 20:58:15 -*/ - -character-set=latin2 - -"hashchk", -"isamchk", -"NIE", -"Áno", -"Nemô¾em vytvori» súbor '%-.64s' (chybový kód: %d)", -"Nemô¾em vytvori» tabuµku '%-.64s' (chybový kód: %d)", -"Nemô¾em vytvori» databázu '%-.64s' (chybový kód: %d)", -"Nemô¾em vytvori» databázu '%-.64s'; databáza existuje", -"Nemô¾em zmaza» databázu '%-.64s'; databáza neexistuje", -"Chyba pri mazaní databázy (nemô¾em zmaza» '%-.64s', chybový kód: %d)", -"Chyba pri mazaní databázy (nemô¾em vymaza» adresár '%-.64s', chybový kód: %d)", -"Chyba pri mazaní '%-.64s' (chybový kód: %d)", -"Nemô¾em èíta» záznam v systémovej tabuµke", -"Nemô¾em zisti» stav '%-.64s' (chybový kód: %d)", -"Nemô¾em zisti» pracovný adresár (chybový kód: %d)", -"Nemô¾em zamknú» súbor (chybový kód: %d)", -"Nemô¾em otvori» súbor: '%-.64s' (chybový kód: %d)", -"Nemô¾em nájs» súbor: '%-.64s' (chybový kód: %d)", -"Nemô¾em èíta» adresár '%-.64s' (chybový kód: %d)", -"Nemô¾em vojs» do adresára '%-.64s' (chybový kód: %d)", -"Záznam bol zmenený od posledného èítania v tabuµke '%-.64s'", -"Disk je plný (%s), èakám na uvoµnenie miesta...", -"Nemô¾em zapísa», duplikát kµúèa v tabuµke '%-.64s'", -"Chyba pri zatváraní '%-.64s' (chybový kód: %d)", -"Chyba pri èítaní súboru '%-.64s' (chybový kód: %d)", -"Chyba pri premenovávaní '%-.64s' na '%-.64s' (chybový kód: %d)", -"Chyba pri zápise do súboru '%-.64s' (chybový kód: %d)", -"'%-.64s' je zamknutý proti zmenám", -"Triedenie preru¹ené", -"Pohµad '%-.64s' neexistuje pre '%-.64s'", -"Obsluha tabuµky vrátila chybu %d", -"Obsluha tabuµky '%-.64s' nemá tento parameter", -"Nemô¾em nájs» záznam v '%-.64s'", -"Nesprávna informácia v súbore: '%-.64s'", -"Nesprávny kµúè pre tabuµku '%-.64s'; pokúste sa ho opravi»", -"Starý kµúèový súbor pre '%-.64s'; opravte ho!", -"'%-.64s' is èíta» only", -"Málo pamäti. Re¹tartujte daemona a skúste znova (je potrebných %d bytov)", -"Málo pamäti pre triedenie, zvý¹te veµkos» triediaceho bufferu", -"Neoèakávaný koniec súboru pri èítaní '%-.64s' (chybový kód: %d)", -"Príli¹ mnoho spojení", -"Málo miesta-pamäti pre vlákno", -"Nemô¾em zisti» meno hostiteµa pre va¹u adresu", -"Chyba pri nadväzovaní spojenia", -"Zakázaný prístup pre u¾ívateµa: '%-.32s'@'%-.64s' k databázi '%-.64s'", -"Zakázaný prístup pre u¾ívateµa: '%-.32s'@'%-.64s' (pou¾itie hesla: %s)", -"Nebola vybraná databáza", -"Neznámy príkaz", -"Pole '%-.64s' nemô¾e by» null", -"Neznáma databáza '%-.64s'", -"Tabuµka '%-.64s' u¾ existuje", -"Neznáma tabuµka '%-.64s'", -"Pole: '%-.64s' v %-.64s je nejasné", -"Prebieha ukonèovanie práce servera", -"Neznáme pole '%-.64s' v '%-.64s'", -"Pou¾ité '%-.64s' nebolo v 'group by'", -"Nemô¾em pou¾i» 'group' na '%-.64s'", -"Príkaz obsahuje zároveò funkciu 'sum' a poµa", -"Poèet polí nezodpovedá zadanej hodnote", -"Meno identifikátora '%-.100s' je príli¹ dlhé", -"Opakované meno poµa '%-.64s'", -"Opakované meno kµúèa '%-.64s'", -"Opakovaný kµúè '%-.64s' (èíslo kµúèa %d)", -"Chyba v ¹pecifikácii poµa '%-.64s'", -"%s blízko '%-.80s' na riadku %d", -"Výsledok po¾iadavky bol prázdny", -"Nie jednoznaèná tabuµka/alias: '%-.64s'", -"Chybná implicitná hodnota pre '%-.64s'", -"Zadefinovaných viac primárnych kµúèov", -"Zadaných ríli¹ veµa kµúèov. Najviac %d kµúèov je povolených", -"Zadaných ríli¹ veµa èastí kµúèov. Je povolených najviac %d èastí", -"Zadaný kµúè je príli¹ dlhý, najväè¹ia då¾ka kµúèa je %d", -"Kµúèový ståpec '%-.64s' v tabuµke neexistuje", -"Blob pole '%-.64s' nemô¾e by» pou¾ité ako kµúè", -"Príli¹ veµká då¾ka pre pole '%-.64s' (maximum = %d). Pou¾ite BLOB", -"Mô¾ete ma» iba jedno AUTO pole a to musí by» definované ako kµúè", -"%s: pripravený na spojenie", -"%s: normálne ukonèenie\n", -"%s: prijatý signál %d, ukonèenie (Abort)!\n", -"%s: práca ukonèená\n", -"%s: násilné ukonèenie vlákna %ld u¾ívateµa '%-.64s'\n", -"Nemô¾em vytvori» IP socket", -"Tabuµka '%-.64s' nemá index zodpovedajúci CREATE INDEX. Vytvorte tabulku znova", -"Argument oddeµovaè polí nezodpovedá po¾iadavkám. Skontrolujte v manuáli", -"Nie je mo¾né pou¾i» fixnú då¾ku s BLOBom. Pou¾ite 'fields terminated by'.", -"Súbor '%-.64s' musí by» v adresári databázy, alebo èitateµný pre v¹etkých", -"Súbor '%-.64s' u¾ existuje", -"Záznamov: %ld Zmazaných: %ld Preskoèených: %ld Varovania: %ld", -"Záznamov: %ld Opakovaných: %ld", -"Incorrect sub part key; the used key part isn't a string or the used length is longer than the key part", -"One nemô¾em zmaza» all fields with ALTER TABLE; use DROP TABLE instead", -"Nemô¾em zru¹i» (DROP) '%-.64s'. Skontrolujte, èi neexistujú záznamy/kµúèe", -"Záznamov: %ld Opakovaných: %ld Varovania: %ld", -"You can't specify target table '%-.64s' for update in FROM clause", -"Neznáma identifikácia vlákna: %lu", -"Nie ste vlastníkom vlákna %lu", -"Nie je pou¾itá ¾iadna tabuµka", -"Príli¹ mnoho re»azcov pre pole %-.64s a SET", -"Nemô¾em vytvori» unikátne meno log-súboru %-.64s.(1-999)\n", -"Tabuµka '%-.64s' bola zamknutá s READ a nemô¾e by» zmenená", -"Tabuµka '%-.64s' nebola zamknutá s LOCK TABLES", -"Pole BLOB '%-.64s' nemô¾e ma» implicitnú hodnotu", -"Neprípustné meno databázy '%-.100s'", -"Neprípustné meno tabuµky '%-.100s'", -"Zadaná po¾iadavka SELECT by prechádzala príli¹ mnoho záznamov a trvala by príli¹ dlho. Skontrolujte tvar WHERE a ak je v poriadku, pou¾ite SET SQL_BIG_SELECTS=1", -"Neznámá chyba", -"Neznámá procedúra '%-.64s'", -"Chybný poèet parametrov procedúry '%-.64s'", -"Chybné parametre procedúry '%-.64s'", -"Neznáma tabuµka '%-.64s' v %s", -"Pole '%-.64s' je zadané dvakrát", -"Nesprávne pou¾itie funkcie GROUP", -"Tabuµka '%-.64s' pou¾íva roz¹írenie, ktoré v tejto verzii MySQL nie je", -"Tabuµka musí ma» aspoò 1 pole", -"Tabuµka '%-.64s' je plná", -"Neznáma znaková sada: '%-.64s'", -"Príli¹ mnoho tabuliek. MySQL mô¾e pou¾i» len %d v JOIN-e", -"Príli¹ mnoho polí", -"Riadok je príli¹ veµký. Maximálna veµkos» riadku, okrem 'BLOB', je %d. Musíte zmeni» niektoré polo¾ky na BLOB", -"Preteèenie zásobníku vlákna: pou¾ité: %ld z %ld. Pou¾ite 'mysqld -O thread_stack=#' k zadaniu väè¹ieho zásobníka", -"V OUTER JOIN bol nájdený krí¾ový odkaz. Skontrolujte podmienky ON", -"Pole '%-.64s' je pou¾ité s UNIQUE alebo INDEX, ale nie je zadefinované ako NOT NULL", -"Nemô¾em naèíta» funkciu '%-.64s'", -"Nemô¾em inicializova» funkciu '%-.64s'; %-.80s", -"Neprípustné ¾iadne cesty k zdieµanej kni¾nici", -"Funkcia '%-.64s' u¾ existuje", -"Nemô¾em otvori» zdieµanú kni¾nicu '%-.64s' (chybový kód: %d %s)", -"Nemô¾em nájs» funkciu '%-.64s' v kni¾nici'", -"Funkcia '%-.64s' nie je definovaná", -"Host '%-.64s' is blocked because of many connection errors; unblock with 'mysqladmin flush-hosts'", -"Host '%-.64s' is not allowed to connect to this MySQL server", -"You are using MySQL as an anonymous user and anonymous users are not allowed to change passwords", -"You must have privileges to update tables in the mysql database to be able to change passwords for others", -"Can't find any matching row in the user table", -"Rows matched: %ld Changed: %ld Warnings: %ld", -"Can't create a new thread (errno %d); if you are not out of available memory, you can consult the manual for a possible OS-dependent bug", -"Column count doesn't match value count at row %ld", -"Can't reopen table: '%-.64s", -"Invalid use of NULL value", -"Got error '%-.64s' from regexp", -"Mixing of GROUP columns (MIN(),MAX(),COUNT(),...) with no GROUP columns is illegal if there is no GROUP BY clause", -"There is no such grant defined for user '%-.32s' on host '%-.64s'", -"%-.16s command denied to user '%-.32s'@'%-.64s' for table '%-.64s'", -"%-.16s command denied to user '%-.32s'@'%-.64s' for column '%-.64s' in table '%-.64s'", -"Illegal GRANT/REVOKE command; please consult the manual to see which privleges can be used.", -"The host or user argument to GRANT is too long", -"Table '%-.64s.%s' doesn't exist", -"There is no such grant defined for user '%-.32s' on host '%-.64s' on table '%-.64s'", -"The used command is not allowed with this MySQL version", -"Something is wrong in your syntax", -"Delayed insert thread couldn't get requested lock for table %-.64s", -"Too many delayed threads in use", -"Aborted connection %ld to db: '%-.64s' user: '%-.64s' (%s)", -"Got a packet bigger than 'max_allowed_packet' bytes", -"Got a read error from the connection pipe", -"Got an error from fcntl()", -"Got packets out of order", -"Couldn't uncompress communication packet", -"Got an error reading communication packets", -"Got timeout reading communication packets", -"Got an error writing communication packets", -"Got timeout writing communication packets", -"Result string is longer than 'max_allowed_packet' bytes", -"The used table type doesn't support BLOB/TEXT columns", -"The used table type doesn't support AUTO_INCREMENT columns", -"INSERT DELAYED can't be used with table '%-.64s', because it is locked with LOCK TABLES", -"Incorrect column name '%-.100s'", -"The used table handler can't index column '%-.64s'", -"All tables in the MERGE table are not defined identically", -"Can't write, because of unique constraint, to table '%-.64s'", -"BLOB column '%-.64s' used in key specification without a key length", -"All parts of a PRIMARY KEY must be NOT NULL; if you need NULL in a key, use UNIQUE instead", -"Result consisted of more than one row", -"This table type requires a primary key", -"This version of MySQL is not compiled with RAID support", -"You are using safe update mode and you tried to update a table without a WHERE that uses a KEY column", -"Key '%-.64s' doesn't exist in table '%-.64s'", -"Can't open table", -"The handler for the table doesn't support %s", -"You are not allowed to execute this command in a transaction", -"Got error %d during COMMIT", -"Got error %d during ROLLBACK", -"Got error %d during FLUSH_LOGS", -"Got error %d during CHECKPOINT", -"Aborted connection %ld to db: '%-.64s' user: '%-.32s' host: `%-.64s' (%-.64s)", -"The handler for the table does not support binary table dump", -"Binlog closed while trying to FLUSH MASTER", -"Failed rebuilding the index of dumped table '%-.64s'", -"Error from master: '%-.64s'", -"Net error reading from master", -"Net error writing to master", -"Can't find FULLTEXT index matching the column list", -"Can't execute the given command because you have active locked tables or an active transaction", -"Unknown system variable '%-.64s'", -"Table '%-.64s' is marked as crashed and should be repaired", -"Table '%-.64s' is marked as crashed and last (automatic?) repair failed", -"Some non-transactional changed tables couldn't be rolled back", -"Multi-statement transaction required more than 'max_binlog_cache_size' bytes of storage; increase this mysqld variable and try again", -"This operation cannot be performed with a running slave, run STOP SLAVE first", -"This operation requires a running slave, configure slave and do START SLAVE", -"The server is not configured as slave, fix in config file or with CHANGE MASTER TO", -"Could not initialize master info structure, more error messages can be found in the MySQL error log", -"Could not create slave thread, check system resources", -"User %-.64s has already more than 'max_user_connections' active connections", -"You may only use constant expressions with SET", -"Lock wait timeout exceeded; try restarting transaction", -"The total number of locks exceeds the lock table size", -"Update locks cannot be acquired during a READ UNCOMMITTED transaction", -"DROP DATABASE not allowed while thread is holding global read lock", -"CREATE DATABASE not allowed while thread is holding global read lock", -"Incorrect arguments to %s", -"'%-.32s'@'%-.64s' is not allowed to create new users", -"Incorrect table definition; all MERGE tables must be in the same database", -"Deadlock found when trying to get lock; try restarting transaction", -"The used table type doesn't support FULLTEXT indexes", -"Cannot add foreign key constraint", -"Cannot add a child row: a foreign key constraint fails", -"Cannot delete a parent row: a foreign key constraint fails", -"Error connecting to master: %-.128s", -"Error running query on master: %-.128s", -"Error when executing command %s: %-.128s", -"Incorrect usage of %s and %s", -"The used SELECT statements have a different number of columns", -"Can't execute the query because you have a conflicting read lock", -"Mixing of transactional and non-transactional tables is disabled", -"Option '%s' used twice in statement", -"User '%-.64s' has exceeded the '%s' resource (current value: %ld)", -"Access denied; you need the %-.128s privilege for this operation", -"Variable '%-.64s' is a SESSION variable and can't be used with SET GLOBAL", -"Variable '%-.64s' is a GLOBAL variable and should be set with SET GLOBAL", -"Variable '%-.64s' doesn't have a default value", -"Variable '%-.64s' can't be set to the value of '%-.64s'", -"Incorrect argument type to variable '%-.64s'", -"Variable '%-.64s' can only be set, not read", -"Incorrect usage/placement of '%s'", -"This version of MySQL doesn't yet support '%s'", -"Got fatal error %d: '%-.128s' from master when reading data from binary log", -"Slave SQL thread ignored the query because of replicate-*-table rules", -"Variable '%-.64s' is a %s variable", -"Incorrect foreign key definition for '%-.64s': %s", -"Key reference and table reference don't match", -"Operand should contain %d column(s)", -"Subquery returns more than 1 row", -"Unknown prepared statement handler (%.*s) given to %s", -"Help database is corrupt or does not exist", -"Cyclic reference on subqueries", -"Converting column '%s' from %s to %s", -"Reference '%-.64s' not supported (%s)", -"Every derived table must have its own alias", -"Select %u was reduced during optimization", -"Table '%-.64s' from one of the SELECTs cannot be used in %-.32s", -"Client does not support authentication protocol requested by server; consider upgrading MySQL client", -"All parts of a SPATIAL index must be NOT NULL", -"COLLATION '%s' is not valid for CHARACTER SET '%s'", -"Slave is already running", -"Slave has already been stopped", -"Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)", -"ZLIB: Not enough memory", -"ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)", -"ZLIB: Input data corrupted", -"%d line(s) were cut by GROUP_CONCAT()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; it contained more data than there were input columns", -"Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld", -"Out of range value adjusted for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Using storage engine %s for table '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"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", -"Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format", -"Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d", -"Incorrect parameter or combination of parameters for START SLAVE UNTIL", -"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", -"SQL thread is not to be started so UNTIL options are ignored", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"Query cache failed to set size %lu, new query cache size is %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated, use '%s' instead", -"The target table %-.100s of the %s is not updateable", -"The '%s' feature was disabled; you need MySQL built with '%s' to have it working", -"The MySQL server is running with the %s option so it cannot execute this statement", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated wrong %-.32s value: '%-.128s'" -"Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' column", -"This command is not supported in the prepared statement protocol yet", -"Got error %d '%-.100s' from %s", -"Got temporary error %d '%-.100s' from %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/spanish/errmsg.txt b/sql/share/spanish/errmsg.txt deleted file mode 100644 index 0eefed18088..00000000000 --- a/sql/share/spanish/errmsg.txt +++ /dev/null @@ -1,419 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -/* - Traduccion por Miguel Angel Fernandez Roiz -- LoboCom Sistemas, s.l. - From June 28, 2001 translated by Miguel Solorzano miguel@mysql.com */ - -character-set=latin1 - -"hashchk", -"isamchk", -"NO", -"SI", -"No puedo crear archivo '%-.64s' (Error: %d)", -"No puedo crear tabla '%-.64s' (Error: %d)", -"No puedo crear base de datos '%-.64s' (Error: %d)", -"No puedo crear base de datos '%-.64s'; la base de datos ya existe", -"No puedo eliminar base de datos '%-.64s'; la base de datos no existe", -"Error eliminando la base de datos(no puedo borrar '%-.64s', error %d)", -"Error eliminando la base de datos (No puedo borrar directorio '%-.64s', error %d)", -"Error en el borrado de '%-.64s' (Error: %d)", -"No puedo leer el registro en la tabla del sistema", -"No puedo obtener el estado de '%-.64s' (Error: %d)", -"No puedo acceder al directorio (Error: %d)", -"No puedo bloquear archivo: (Error: %d)", -"No puedo abrir archivo: '%-.64s' (Error: %d)", -"No puedo encontrar archivo: '%-.64s' (Error: %d)", -"No puedo leer el directorio de '%-.64s' (Error: %d)", -"No puedo cambiar al directorio de '%-.64s' (Error: %d)", -"El registro ha cambiado desde la ultima lectura de la tabla '%-.64s'", -"Disco lleno (%s). Esperando para que se libere algo de espacio...", -"No puedo escribir, clave duplicada en la tabla '%-.64s'", -"Error en el cierre de '%-.64s' (Error: %d)", -"Error leyendo el fichero '%-.64s' (Error: %d)", -"Error en el renombrado de '%-.64s' a '%-.64s' (Error: %d)", -"Error escribiendo el archivo '%-.64s' (Error: %d)", -"'%-.64s' esta bloqueado contra cambios", -"Ordeancion cancelada", -"La vista '%-.64s' no existe para '%-.64s'", -"Error %d desde el manejador de la tabla", -"El manejador de la tabla de '%-.64s' no tiene esta opcion", -"No puedo encontrar el registro en '%-.64s'", -"Informacion erronea en el archivo: '%-.64s'", -"Clave de archivo erronea para la tabla: '%-.64s'; intente repararlo", -"Clave de archivo antigua para la tabla '%-.64s'; reparelo!", -"'%-.64s' es de solo lectura", -"Memoria insuficiente. Reinicie el demonio e intentelo otra vez (necesita %d bytes)", -"Memoria de ordenacion insuficiente. Incremente el tamano del buffer de ordenacion", -"Inesperado fin de ficheroU mientras leiamos el archivo '%-.64s' (Error: %d)", -"Demasiadas conexiones", -"Memoria/espacio de tranpaso insuficiente", -"No puedo obtener el nombre de maquina de tu direccion", -"Protocolo erroneo", -"Acceso negado para usuario: '%-.32s'@'%-.64s' para la base de datos '%-.64s'", -"Acceso negado para usuario: '%-.32s'@'%-.64s' (Usando clave: %s)", -"Base de datos no seleccionada", -"Comando desconocido", -"La columna '%-.64s' no puede ser nula", -"Base de datos desconocida '%-.64s'", -"La tabla '%-.64s' ya existe", -"Tabla '%-.64s' desconocida", -"La columna: '%-.64s' en %s es ambigua", -"Desconexion de servidor en proceso", -"La columna '%-.64s' en %s es desconocida", -"Usado '%-.64s' el cual no esta group by", -"No puedo agrupar por '%-.64s'", -"El estamento tiene funciones de suma y columnas en el mismo estamento", -"La columna con count no tiene valores para contar", -"El nombre del identificador '%-.64s' es demasiado grande", -"Nombre de columna duplicado '%-.64s'", -"Nombre de clave duplicado '%-.64s'", -"Entrada duplicada '%-.64s' para la clave %d", -"Especificador de columna erroneo para la columna '%-.64s'", -"%s cerca '%-.64s' en la linea %d", -"La query estaba vacia", -"Tabla/alias: '%-.64s' es no unica", -"Valor por defecto invalido para '%-.64s'", -"Multiples claves primarias definidas", -"Demasiadas claves primarias declaradas. Un maximo de %d claves son permitidas", -"Demasiadas partes de clave declaradas. Un maximo de %d partes son permitidas", -"Declaracion de clave demasiado larga. La maxima longitud de clave es %d", -"La columna clave '%-.64s' no existe en la tabla", -"La columna Blob '%-.64s' no puede ser usada en una declaracion de clave", -"Longitud de columna demasiado grande para la columna '%-.64s' (maximo = %d).Usar BLOB en su lugar", -"Puede ser solamente un campo automatico y este debe ser definido como una clave", -"%s: preparado para conexiones", -"%s: Apagado normal\n", -"%s: Recibiendo signal %d. Abortando!\n", -"%s: Apagado completado\n", -"%s: Forzando a cerrar el thread %ld usuario: '%-.64s'\n", -"No puedo crear IP socket", -"La tabla '%-.64s' no tiene indice como el usado en CREATE INDEX. Crea de nuevo la tabla", -"Los separadores de argumentos del campo no son los especificados. Comprueba el manual", -"No puedes usar longitudes de filas fijos con BLOBs. Por favor usa 'campos terminados por '.", -"El archivo '%-.64s' debe estar en el directorio de la base de datos o ser de lectura por todos", -"El archivo '%-.64s' ya existe", -"Registros: %ld Borrados: %ld Saltados: %ld Peligros: %ld", -"Registros: %ld Duplicados: %ld", -"Parte de la clave es erronea. Una parte de la clave no es una cadena o la longitud usada es tan grande como la parte de la clave", -"No puede borrar todos los campos con ALTER TABLE. Usa DROP TABLE para hacerlo", -"No puedo ELIMINAR '%-.64s'. compuebe que el campo/clave existe", -"Registros: %ld Duplicados: %ld Peligros: %ld", -"You can't specify target table '%-.64s' for update in FROM clause", -"Identificador del thread: %lu desconocido", -"Tu no eres el propietario del thread%lu", -"No ha tablas usadas", -"Muchas strings para columna %s y SET", -"No puede crear un unico archivo log %s.(1-999)\n", -"Tabla '%-.64s' fue trabada con un READ lock y no puede ser actualizada", -"Tabla '%-.64s' no fue trabada con LOCK TABLES", -"Campo Blob '%-.64s' no puede tener valores patron", -"Nombre de base de datos ilegal '%-.64s'", -"Nombre de tabla ilegal '%-.64s'", -"El SELECT puede examinar muchos registros y probablemente con mucho tiempo. Verifique tu WHERE y usa SET SQL_BIG_SELECTS=1 si el SELECT esta correcto", -"Error desconocido", -"Procedimiento desconocido %s", -"Equivocado parametro count para procedimiento %s", -"Equivocados parametros para procedimiento %s", -"Tabla desconocida '%-.64s' in %s", -"Campo '%-.64s' especificado dos veces", -"Invalido uso de función en grupo", -"Tabla '%-.64s' usa una extensión que no existe en esta MySQL versión", -"Una tabla debe tener al menos 1 columna", -"La tabla '%-.64s' está llena", -"Juego de caracteres desconocido: '%-.64s'", -"Muchas tablas. MySQL solamente puede usar %d tablas en un join", -"Muchos campos", -"Tamaño de línea muy grande. Máximo tamaño de línea, no contando blob, es %d. Tu tienes que cambiar algunos campos para blob", -"Sobrecarga de la pila de thread: Usada: %ld de una %ld pila. Use 'mysqld -O thread_stack=#' para especificar una mayor pila si necesario", -"Dependencia cruzada encontrada en OUTER JOIN. Examine su condición ON", -"Columna '%-.32s' es usada con UNIQUE o INDEX pero no está definida como NOT NULL", -"No puedo cargar función '%-.64s'", -"No puedo inicializar función '%-.64s'; %-.80s", -"No pasos permitidos para librarias conjugadas", -"Función '%-.64s' ya existe", -"No puedo abrir libraria conjugada '%-.64s' (errno: %d %s)", -"No puedo encontrar función '%-.64s' en libraria'", -"Función '%-.64s' no está definida", -"Servidor '%-.64s' está bloqueado por muchos errores de conexión. Desbloquear con 'mysqladmin flush-hosts'", -"Servidor '%-.64s' no está permitido para conectar con este servidor MySQL", -"Tu estás usando MySQL como un usuario anonimo y usuarios anonimos no tienen permiso para cambiar las claves", -"Tu debes de tener permiso para actualizar tablas en la base de datos mysql para cambiar las claves para otros", -"No puedo encontrar una línea correponsdiente en la tabla user", -"Líneas correspondientes: %ld Cambiadas: %ld Avisos: %ld", -"No puedo crear un nuevo thread (errno %d). Si tu está con falta de memoria disponible, tu puedes consultar el Manual para posibles problemas con SO", -"El número de columnas no corresponde al número en la línea %ld", -"No puedo reabrir tabla: '%-.64s", -"Invalido uso de valor NULL", -"Obtenido error '%-.64s' de regexp", -"Mezcla de columnas GROUP (MIN(),MAX(),COUNT()...) con no GROUP columnas es ilegal si no hat la clausula GROUP BY", -"No existe permiso definido para usuario '%-.32s' en el servidor '%-.64s'", -"%-.16s comando negado para usuario: '%-.32s'@'%-.64s' para tabla '%-.64s'", -"%-.16s comando negado para usuario: '%-.32s'@'%-.64s' para columna '%-.64s' en la tabla '%-.64s'", -"Ilegal comando GRANT/REVOKE. Por favor consulte el manual para cuales permisos pueden ser usados.", -"El argumento para servidor o usuario para GRANT es demasiado grande", -"Tabla '%-.64s.%s' no existe", -"No existe tal permiso definido para usuario '%-.32s' en el servidor '%-.64s' en la tabla '%-.64s'", -"El comando usado no es permitido con esta versión de MySQL", -"Algo está equivocado en su sintax", -"Thread de inserción retarda no pudiendo bloquear para la tabla %-.64s", -"Muchos threads retardados en uso", -"Conexión abortada %ld para db: '%-.64s' usuario: '%-.64s' (%s)", -"Obtenido un paquete mayor que 'max_allowed_packet'", -"Obtenido un error de lectura de la conexión pipe", -"Obtenido un error de fcntl()", -"Obtenido paquetes desordenados", -"No puedo descomprimir paquetes de comunicación", -"Obtenido un error leyendo paquetes de comunicación", -"Obtenido timeout leyendo paquetes de comunicación", -"Obtenido un error de escribiendo paquetes de comunicación", -"Obtenido timeout escribiendo paquetes de comunicación", -"La string resultante es mayor que max_allowed_packet", -"El tipo de tabla usada no permite soporte para columnas BLOB/TEXT", -"El tipo de tabla usada no permite soporte para columnas AUTO_INCREMENT", -"INSERT DELAYED no puede ser usado con tablas '%-.64s', porque esta bloqueada con LOCK TABLES", -"Incorrecto nombre de columna '%-.100s'", -"El manipulador de tabla usado no puede indexar columna '%-.64s'", -"Todas las tablas en la MERGE tabla no estan definidas identicamente", -"No puedo escribir, debido al único constraint, para tabla '%-.64s'", -"Columna BLOB column '%-.64s' usada en especificación de clave sin tamaño de la clave", -"Todas las partes de un PRIMARY KEY deben ser NOT NULL; Si necesitas NULL en una clave, use UNIQUE", -"Resultado compuesto de mas que una línea", -"Este tipo de tabla necesita de una primary key", -"Esta versión de MySQL no es compilada con soporte RAID", -"Tu estás usando modo de actualización segura y tentado actualizar una tabla sin un WHERE que usa una KEY columna", -"Clave '%-.64s' no existe en la tabla '%-.64s'", -"No puedo abrir tabla", -"El manipulador de la tabla no permite soporte para %s", -"No tienes el permiso para ejecutar este comando en una transición", -"Obtenido error %d durante COMMIT", -"Obtenido error %d durante ROLLBACK", -"Obtenido error %d durante FLUSH_LOGS", -"Obtenido error %d durante CHECKPOINT", -"Abortada conexión %ld para db: '%-.64s' usuario: '%-.32s' servidor: `%-.64s' (%-.64s)", -"El manipulador de tabla no soporta dump para tabla binaria", -"Binlog cerrado mientras tentaba el FLUSH MASTER", -"Falla reconstruyendo el indice de la tabla dumped '%-.64s'", -"Error del master: '%-.64s'", -"Error de red leyendo del master", -"Error de red escribiendo para el master", -"No puedo encontrar índice FULLTEXT correspondiendo a la lista de columnas", -"No puedo ejecutar el comando dado porque tienes tablas bloqueadas o una transición activa", -"Desconocida variable de sistema '%-.64s'", -"Tabla '%-.64s' está marcada como crashed y debe ser reparada", -"Tabla '%-.64s' está marcada como crashed y la última reparación (automactica?) falló", -"Aviso: Algunas tablas no transancionales no pueden tener rolled back", -"Multipla transición necesita mas que 'max_binlog_cache_size' bytes de almacenamiento. Aumente esta variable mysqld y tente de nuevo", -"Esta operación no puede ser hecha con el esclavo funcionando, primero use STOP SLAVE", -"Esta operación necesita el esclavo funcionando, configure esclavo y haga el START SLAVE", -"El servidor no está configurado como esclavo, edite el archivo config file o con CHANGE MASTER TO", -"Could not initialize master info structure, more error messages can be found in the MySQL error log", -"No puedo crear el thread esclavo, verifique recursos del sistema", -"Usario %-.64s ya tiene mas que 'max_user_connections' conexiones activas", -"Tu solo debes usar expresiones constantes con SET", -"Tiempo de bloqueo de espera excedido", -"El número total de bloqueos excede el tamaño de bloqueo de la tabla", -"Bloqueos de actualización no pueden ser adqueridos durante una transición READ UNCOMMITTED", -"DROP DATABASE no permitido mientras un thread está ejerciendo un bloqueo de lectura global", -"CREATE DATABASE no permitido mientras un thread está ejerciendo un bloqueo de lectura global", -"Argumentos errados para %s", -"'%-.32s`@`%-.64s` no es permitido para crear nuevos usuarios", -"Incorrecta definición de la tabla; Todas las tablas MERGE deben estar en el mismo banco de datos", -"Encontrado deadlock cuando tentando obtener el bloqueo; Tente recomenzar la transición", -"El tipo de tabla usada no soporta índices FULLTEXT", -"No puede adicionar clave extranjera constraint", -"No puede adicionar una línea hijo: falla de clave extranjera constraint", -"No puede deletar una línea padre: falla de clave extranjera constraint", -"Error de coneccion a master: %-.128s", -"Error executando el query en master: %-.128s", -"Error de %s: %-.128s", -"Equivocado uso de %s y %s", -"El comando SELECT usado tiene diferente número de columnas", -"No puedo ejecutar el query porque usted tiene conflicto de traba de lectura", -"Mezla de transancional y no-transancional tablas está deshabilitada", -"Opción '%s' usada dos veces en el comando", -"Usuario '%-.64s' ha excedido el recurso '%s' (actual valor: %ld)", -"Acceso negado. Usted necesita el privilegio %-.128s para esta operación", -"Variable '%-.64s' es una SESSION variable y no puede ser usada con SET GLOBAL", -"Variable '%-.64s' es una GLOBAL variable y no puede ser configurada con SET GLOBAL", -"Variable '%-.64s' no tiene un valor patrón", -"Variable '%-.64s' no puede ser configurada para el valor de '%-.64s'", -"Tipo de argumento equivocado para variable '%-.64s'", -"Variable '%-.64s' solamente puede ser configurada, no leída", -"Equivocado uso/colocación de '%s'", -"Esta versión de MySQL no soporta todavia '%s'", -"Recibió fatal error %d: '%-.128s' del master cuando leyendo datos del binary log", -"Slave SQL thread ignorado el query debido a las reglas de replicación-*-tabla", -"Variable '%-.64s' es una %s variable", -"Equivocada definición de llave extranjera para '%-.64s': %s", -"Referencia de llave y referencia de tabla no coinciden", -"Operando debe tener %d columna(s)", -"Subconsulta retorna mas que 1 línea", -"Desconocido preparado comando handler (%ld) dado para %s", -"Base de datos Help está corrupto o no existe", -"Cíclica referencia en subconsultas", -"Convirtiendo columna '%s' de %s para %s", -"Referencia '%-.64s' no soportada (%s)", -"Cada tabla derivada debe tener su propio alias", -"Select %u fué reducido durante optimización", -"Tabla '%-.64s' de uno de los SELECT no puede ser usada en %-.32s", -"Cliente no soporta protocolo de autenticación solicitado por el servidor; considere actualizar el cliente MySQL", -"Todas las partes de una SPATIAL KEY deben ser NOT NULL", -"COLLATION '%s' no es válido para CHARACTER SET '%s'", -"Slave ya está funcionando", -"Slave ya fué parado", -"Tamaño demasiado grande para datos descomprimidos. El máximo tamaño es %d. (probablemente, extensión de datos descomprimidos fué corrompida)", -"Z_MEM_ERROR: No suficiente memoria para zlib", -"Z_BUF_ERROR: No suficiente espacio en el búfer de salida para zlib (probablemente, extensión de datos descomprimidos fué corrompida)", -"Z_DATA_ERROR: Dato de entrada fué corrompido para zlib", -"%d línea(s) fue(fueron) cortadas por group_concat()", -"Línea %ld no contiene datos para todas las columnas", -"Línea %ld fué truncada; La misma contine mas datos que las que existen en las columnas de entrada", -"Datos truncado, NULL suministrado para NOT NULL columna '%s' en la línea %ld", -"Datos truncados, fuera de gama para columna '%s' en la línea %ld", -"Datos truncados para columna '%s' en la línea %ld", -"Usando motor de almacenamiento %s para tabla '%s'", -"Ilegal mezcla de collations (%s,%s) y (%s,%s) para operación '%s'", -"Cannot drop one or more of the requested users", -"No puede revocar todos los privilegios, derecho para uno o mas de los usuarios solicitados", -"Ilegal mezcla de collations (%s,%s), (%s,%s), (%s,%s) para operación '%s'", -"Ilegal mezcla de collations para operación '%s'", -"Variable '%-.64s' no es una variable componente (No puede ser usada como XXXX.variable_name)", -"Collation desconocida: '%-.64s'", -"Parametros SSL en CHANGE MASTER son ignorados porque este slave MySQL fue compilado sin soporte SSL; pueden ser usados despues cuando el slave MySQL con SSL sea inicializado", -"Servidor está rodando en modo --secure-auth, pero '%s'@'%s' tiene clave en el antiguo formato; por favor cambie la clave para el nuevo formato", -"Campo o referencia '%-.64s%s%-.64s%s%-.64s' de SELECT #%d fue resolvido en SELECT #%d", -"Parametro equivocado o combinación de parametros para START SLAVE UNTIL", -"Es recomendado rodar con --skip-slave-start cuando haciendo replicación step-by-step con START SLAVE UNTIL, a menos que usted no esté seguro en caso de inesperada reinicialización del mysqld slave", -"SQL thread no es inicializado tal que opciones UNTIL son ignoradas", -"Nombre de índice incorrecto '%-.100s'", -"Nombre de catalog incorrecto '%-.100s'", -"Query cache fallada para configurar tamaño %lu, nuevo tamaño de query cache es %lu", -"Columna '%-.64s' no puede ser parte de FULLTEXT index", -"Desconocida key cache '%-.100s'", -"MySQL esta inicializado en modo --skip-name-resolve. Usted necesita reinicializarlo sin esta opción para este derecho funcionar", -"Desconocido motor de tabla '%s'", -"'%s' está desaprobado, use '%s' en su lugar", -"La tabla destino %-.100s del %s no es actualizable", -"El recurso '%s' fue deshabilitado; usted necesita construir MySQL con '%s' para tener eso funcionando", -"El servidor MySQL está rodando con la opción %s tal que no puede ejecutar este comando", -"Columna '%-.100s' tiene valor doblado '%-.64s' en %s" -"Equivocado truncado %-.32s valor: '%-.128s'" -"Incorrecta definición de tabla; Solamente debe haber una columna TIMESTAMP con CURRENT_TIMESTAMP en DEFAULT o ON UPDATE cláusula" -"Inválido ON UPDATE cláusula para campo '%-.64s'", -"This command is not supported in the prepared statement protocol yet", -"Got error %d '%-.100s' from %s", -"Got temporary error %d '%-.100s' from %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/swedish/errmsg.txt b/sql/share/swedish/errmsg.txt deleted file mode 100644 index be42d3889d0..00000000000 --- a/sql/share/swedish/errmsg.txt +++ /dev/null @@ -1,415 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -character-set=latin1 - -"hashchk", -"isamchk", -"NO", -"YES", -"Kan inte skapa filen '%-.64s' (Felkod: %d)", -"Kan inte skapa tabellen '%-.64s' (Felkod: %d)", -"Kan inte skapa databasen '%-.64s' (Felkod: %d)", -"Databasen '%-.64s' existerar redan", -"Kan inte radera databasen '%-.64s'; databasen finns inte", -"Fel vid radering av databasen (Kan inte radera '%-.64s'. Felkod: %d)", -"Fel vid radering av databasen (Kan inte radera biblioteket '%-.64s'. Felkod: %d)", -"Kan inte radera filen '%-.64s' (Felkod: %d)", -"Hittar inte posten i systemregistret", -"Kan inte läsa filinformationen (stat) från '%-.64s' (Felkod: %d)", -"Kan inte inte läsa aktivt bibliotek. (Felkod: %d)", -"Kan inte låsa filen. (Felkod: %d)", -"Kan inte använda '%-.64s' (Felkod: %d)", -"Hittar inte filen '%-.64s' (Felkod: %d)", -"Kan inte läsa från bibliotek '%-.64s' (Felkod: %d)", -"Kan inte byta till '%-.64s' (Felkod: %d)", -"Posten har förändrats sedan den lästes i register '%-.64s'", -"Disken är full (%s). Väntar tills det finns ledigt utrymme...", -"Kan inte skriva, dubbel söknyckel i register '%-.64s'", -"Fick fel vid stängning av '%-.64s' (Felkod: %d)", -"Fick fel vid läsning av '%-.64s' (Felkod %d)", -"Kan inte byta namn från '%-.64s' till '%-.64s' (Felkod: %d)", -"Fick fel vid skrivning till '%-.64s' (Felkod %d)", -"'%-.64s' är låst mot användning", -"Sorteringen avbruten", -"Formulär '%-.64s' finns inte i '%-.64s'", -"Fick felkod %d från databashanteraren", -"Registrets databas har inte denna facilitet", -"Hittar inte posten", -"Felaktig fil: '%-.64s'", -"Fatalt fel vid hantering av register '%-.64s'; kör en reparation", -"Gammal nyckelfil '%-.64s'; reparera registret", -"'%-.64s' är skyddad mot förändring", -"Oväntat slut på minnet, starta om programmet och försök på nytt (Behövde %d bytes)", -"Sorteringsbufferten räcker inte till. Kontrollera startparametrarna", -"Oväntat filslut vid läsning från '%-.64s' (Felkod: %d)", -"För många anslutningar", -"Fick slut på minnet. Kontrollera om mysqld eller någon annan process använder allt tillgängligt minne. Om inte, försök använda 'ulimit' eller allokera mera swap", -"Kan inte hitta 'hostname' för din adress", -"Fel vid initiering av kommunikationen med klienten", -"Användare '%-.32s'@'%-.64s' är ej berättigad att använda databasen %-.64s", -"Användare '%-.32s'@'%-.64s' är ej berättigad att logga in (Använder lösen: %s)", -"Ingen databas i användning", -"Okänt commando", -"Kolumn '%-.64s' får inte vara NULL", -"Okänd databas: '%-.64s'", -"Tabellen '%-.64s' finns redan", -"Okänd tabell '%-.64s'", -"Kolumn '%-.64s' i %s är inte unik", -"Servern går nu ned", -"Okänd kolumn '%-.64s' i %s", -"'%-.64s' finns inte i GROUP BY", -"Kan inte använda GROUP BY med '%-.64s'", -"Kommandot har både sum functions och enkla funktioner", -"Antalet kolumner motsvarar inte antalet värden", -"Kolumnnamn '%-.64s' är för långt", -"Kolumnnamn '%-.64s finns flera gånger", -"Nyckelnamn '%-.64s' finns flera gånger", -"Dubbel nyckel '%-.64s' för nyckel %d", -"Felaktigt kolumntyp för kolumn '%-.64s'", -"%s nära '%-.64s' på rad %d", -"Frågan var tom", -"Icke unikt tabell/alias: '%-.64s'", -"Ogiltigt DEFAULT värde för '%-.64s'", -"Flera PRIMARY KEY använda", -"För många nycklar använda. Man får ha högst %d nycklar", -"För många nyckeldelar använda. Man får ha högst %d nyckeldelar", -"För lång nyckel. Högsta tillåtna nyckellängd är %d", -"Nyckelkolumn '%-.64s' finns inte", -"En BLOB '%-.64s' kan inte vara nyckel med den använda tabelltypen", -"För stor kolumnlängd angiven för '%-.64s' (max= %d). Använd en BLOB instället", -"Det får finnas endast ett AUTO_INCREMENT-fält och detta måste vara en nyckel", -"%s: klar att ta emot klienter", -"%s: Normal avslutning\n", -"%s: Fick signal %d. Avslutar!\n", -"%s: Avslutning klar\n", -"%s: Stänger av tråd %ld; användare: '%-.64s'\n", -"Kan inte skapa IP-socket", -"Tabellen '%-.64s' har inget index som motsvarar det angivna i CREATE INDEX. Skapa om tabellen", -"Fältseparatorerna är vad som förväntades. Kontrollera mot manualen", -"Man kan inte använda fast radlängd med blobs. Använd 'fields terminated by'", -"Textfilen '%.64s' måste finnas i databasbiblioteket eller vara läsbar för alla", -"Filen '%-.64s' existerar redan", -"Rader: %ld Bortagna: %ld Dubletter: %ld Varningar: %ld", -"Rader: %ld Dubletter: %ld", -"Felaktig delnyckel. Nyckeldelen är inte en sträng eller den angivna längden är längre än kolumnlängden", -"Man kan inte radera alla fält med ALTER TABLE. Använd DROP TABLE istället", -"Kan inte ta bort '%-.64s'. Kontrollera att fältet/nyckel finns", -"Rader: %ld Dubletter: %ld Varningar: %ld", -"INSERT-table '%-.64s' får inte finnas i FROM tabell-listan", -"Finns ingen tråd med id %lu", -"Du är inte ägare till tråd %lu", -"Inga tabeller angivna", -"För många alternativ till kolumn %s för SET", -"Kan inte generera ett unikt filnamn %s.(1-999)\n", -"Tabell '%-.64s' kan inte uppdateras emedan den är låst för läsning", -"Tabell '%-.64s' är inte låst med LOCK TABLES", -"BLOB fält '%-.64s' kan inte ha ett DEFAULT-värde", -"Felaktigt databasnamn '%-.64s'", -"Felaktigt tabellnamn '%-.64s'", -"Den angivna frågan skulle läsa mer än MAX_JOIN_SIZE rader. Kontrollera din WHERE och använd SET SQL_BIG_SELECTS=1 eller SET MAX_JOIN_SIZE=# ifall du vill hantera stora joins", -"Oidentifierat fel", -"Okänd procedur: %s", -"Felaktigt antal parametrar till procedur %s", -"Felaktiga parametrar till procedur %s", -"Okänd tabell '%-.64s' i '%-.64s'", -"Fält '%-.64s' är redan använt", -"Felaktig användning av SQL grupp function", -"Tabell '%-.64s' har en extension som inte finns i denna version av MySQL", -"Tabeller måste ha minst 1 kolumn", -"Tabellen '%-.64s' är full", -"Okänd teckenuppsättning: '%-.64s'", -"För många tabeller. MySQL can ha högst %d tabeller i en och samma join", -"För många fält", -"För stor total radlängd. Den högst tillåtna radlängden, förutom BLOBs, är %d. Ändra några av dina fält till BLOB", -"Trådstacken tog slut: Har använt %ld av %ld bytes. Använd 'mysqld -O thread_stack=#' ifall du behöver en större stack", -"Felaktigt referens i OUTER JOIN. Kontrollera ON-uttrycket", -"Kolumn '%-.32s' är använd med UNIQUE eller INDEX men är inte definerad med NOT NULL", -"Kan inte ladda funktionen '%-.64s'", -"Kan inte initialisera funktionen '%-.64s'; '%-.80s'", -"Man får inte ange sökväg för dynamiska bibliotek", -"Funktionen '%-.64s' finns redan", -"Kan inte öppna det dynamiska biblioteket '%-.64s' (Felkod: %d %s)", -"Hittar inte funktionen '%-.64s' in det dynamiska biblioteket", -"Funktionen '%-.64s' är inte definierad", -"Denna dator, '%-.64s', är blockerad pga många felaktig paket. Gör 'mysqladmin flush-hosts' för att ta bort alla blockeringarna", -"Denna dator, '%-.64s', har inte privileger att använda denna MySQL server", -"Du använder MySQL som en anonym användare och som sådan får du inte ändra ditt lösenord", -"För att ändra lösenord för andra måste du ha rättigheter att uppdatera mysql-databasen", -"Hittade inte användaren i 'user'-tabellen", -"Rader: %ld Uppdaterade: %ld Varningar: %ld", -"Kan inte skapa en ny tråd (errno %d)", -"Antalet kolumner motsvarar inte antalet värden på rad: %ld", -"Kunde inte stänga och öppna tabell '%-.64s", -"Felaktig använding av NULL", -"Fick fel '%-.64s' från REGEXP", -"Man får ha både GROUP-kolumner (MIN(),MAX(),COUNT()...) och fält i en fråga om man inte har en GROUP BY-del", -"Det finns inget privilegium definierat för användare '%-.32s' på '%-.64s'", -"%-.16s ej tillåtet för '%-.32s'@'%-.64s' för tabell '%-.64s'", -"%-.16s ej tillåtet för '%-.32s'@'%-.64s' för kolumn '%-.64s' i tabell '%-.64s'", -"Felaktigt GRANT-privilegium använt", -"Felaktigt maskinnamn eller användarnamn använt med GRANT", -"Det finns ingen tabell som heter '%-.64s.%s'", -"Det finns inget privilegium definierat för användare '%-.32s' på '%-.64s' för tabell '%-.64s'", -"Du kan inte använda detta kommando med denna MySQL version", -"Du har något fel i din syntax", -"DELAYED INSERT-tråden kunde inte låsa tabell '%-.64s'", -"Det finns redan 'max_delayed_threads' trådar i använding", -"Avbröt länken för tråd %ld till db '%-.64s', användare '%-.64s' (%s)", -"Kommunkationspaketet är större än 'max_allowed_packet'", -"Fick läsfel från klienten vid läsning från 'PIPE'", -"Fick fatalt fel från 'fcntl()'", -"Kommunikationspaketen kom i fel ordning", -"Kunde inte packa up kommunikationspaketet", -"Fick ett fel vid läsning från klienten", -"Fick 'timeout' vid läsning från klienten", -"Fick ett fel vid skrivning till klienten", -"Fick 'timeout' vid skrivning till klienten", -"Resultatsträngen är längre än max_allowed_packet", -"Den använda tabelltypen kan inte hantera BLOB/TEXT-kolumner", -"Den använda tabelltypen kan inte hantera AUTO_INCREMENT-kolumner", -"INSERT DELAYED kan inte användas med tabell '%-.64s', emedan den är låst med LOCK TABLES", -"Felaktigt kolumnnamn '%-.100s'", -"Den använda tabelltypen kan inte indexera kolumn '%-.64s'", -"Tabellerna i MERGE-tabellen är inte identiskt definierade", -"Kan inte skriva till tabell '%-.64s'; UNIQUE-test", -"Du har inte angett någon nyckellängd för BLOB '%-.64s'", -"Alla delar av en PRIMARY KEY måste vara NOT NULL; Om du vill ha en nyckel med NULL, använd UNIQUE istället", -"Resultet bestod av mera än en rad", -"Denna tabelltyp kräver en PRIMARY KEY", -"Denna version av MySQL är inte kompilerad med RAID", -"Du använder 'säker uppdateringsmod' och försökte uppdatera en tabell utan en WHERE-sats som använder sig av en nyckel", -"Nyckel '%-.64s' finns inte in tabell '%-.64s'", -"Kan inte öppna tabellen", -"Tabellhanteraren för denna tabell kan inte göra %s", -"Du får inte utföra detta kommando i en transaktion", -"Fick fel %d vid COMMIT", -"Fick fel %d vid ROLLBACK", -"Fick fel %d vid FLUSH_LOGS", -"Fick fel %d vid CHECKPOINT", -"Avbröt länken för tråd %ld till db '%-.64s', användare '%-.32s', host '%-.64s' (%-.64s)", -"Tabellhanteraren klarar inte en binär kopiering av tabellen", -"Binärloggen stängdes medan FLUSH MASTER utfördes", -"Failed rebuilding the index of dumped table '%-.64s'", -"Fick en master: '%-.64s'", -"Fick nätverksfel vid läsning från master", -"Fick nätverksfel vid skrivning till master", -"Hittar inte ett FULLTEXT-index i kolumnlistan", -"Kan inte utföra kommandot emedan du har en låst tabell eller an aktiv transaktion", -"Okänd systemvariabel: '%-.64s'", -"Tabell '%-.64s' är trasig och bör repareras med REPAIR TABLE", -"Tabell '%-.64s' är trasig och senast (automatiska?) reparation misslyckades", -"Warning: Några icke transaktionella tabeller kunde inte återställas vid ROLLBACK", -"Transaktionen krävde mera än 'max_binlog_cache_size' minne. Öka denna mysqld-variabel och försök på nytt", -"Denna operation kan inte göras under replikering; Gör STOP SLAVE först", -"Denna operation kan endast göras under replikering; Konfigurera slaven och gör START SLAVE", -"Servern är inte konfigurerade som en replikationsslav. Ändra konfigurationsfilen eller gör CHANGE MASTER TO", -"Kunde inte initialisera replikationsstrukturerna. See MySQL fel fil för mera information", -"Kunde inte starta en tråd för replikering", -"Användare '%-.64s' har redan 'max_user_connections' aktiva inloggningar", -"Man kan endast använda konstantuttryck med SET", -"Fick inte ett lås i tid ; Försök att starta om transaktionen", -"Antal lås överskrider antalet reserverade lås", -"Updateringslås kan inte göras när man använder READ UNCOMMITTED", -"DROP DATABASE är inte tillåtet när man har ett globalt läslås", -"CREATE DATABASE är inte tillåtet när man har ett globalt läslås", -"Felaktiga argument till %s", -"'%-.32s'@'%-.64s' har inte rättighet att skapa nya användare", -"Felaktig tabelldefinition; alla tabeller i en MERGE-tabell måste vara i samma databas", -"Fick 'DEADLOCK' vid låsförsök av block/rad. Försök att starta om transaktionen", -"Tabelltypen har inte hantering av FULLTEXT-index", -"Kan inte lägga till 'FOREIGN KEY constraint'", -"FOREIGN KEY-konflikt: Kan inte skriva barn", -"FOREIGN KEY-konflikt: Kan inte radera fader", -"Fick fel vid anslutning till master: %-.128s", -"Fick fel vid utförande av command på mastern: %-.128s", -"Fick fel vid utförande av %s: %-.128s", -"Felaktig använding av %s and %s", -"SELECT-kommandona har olika antal kolumner", -"Kan inte utföra kommandot emedan du har ett READ-lås", -"Blandning av transaktionella och icke-transaktionella tabeller är inaktiverat", -"Option '%s' användes två gånger", -"Användare '%-.64s' har överskridit '%s' (nuvarande värde: %ld)", -"Du har inte privlegiet '%-.128s' som behövs för denna operation", -"Variabel '%-.64s' är en SESSION variabel och kan inte ändrad med SET GLOBAL", -"Variabel '%-.64s' är en GLOBAL variabel och bör sättas med SET GLOBAL", -"Variabel '%-.64s' har inte ett DEFAULT-värde", -"Variabel '%-.64s' kan inte sättas till '%-.64s'", -"Fel typ av argument till variabel '%-.64s'", -"Variabeln '%-.64s' kan endast sättas, inte läsas", -"Fel använding/placering av '%s'", -"Denna version av MySQL kan ännu inte utföra '%s'", -"Fick fatalt fel %d: '%-.128s' från master vid läsning av binärloggen", -"Slav SQL tråden ignorerade frågan pga en replicate-*-table regel", -"Variabel '%-.64s' är av typ %s", -"Felaktig FOREIGN KEY-definition för '%-.64s': %s", -"Nyckelreferensen och tabellreferensen stämmer inte överens", -"Operand should contain %d column(s)", -"Subquery returnerade mer än 1 rad", -"Okänd PREPARED STATEMENT id (%ld) var given till %s", -"Hjälpdatabasen finns inte eller är skadad", -"Cyklisk referens i subqueries", -"Konvertar kolumn '%s' från %s till %s", -"Referens '%-.64s' stöds inte (%s)", -"Varje 'derived table' måste ha sitt eget alias", -"Select %u reducerades vid optimiering", -"Tabell '%-.64s' från en SELECT kan inte användas i %-.32s", -"Klienten stöder inte autentiseringsprotokollet som begärts av servern; överväg uppgradering av klientprogrammet.", -"Alla delar av en SPATIAL KEY måste vara NOT NULL", -"COLLATION '%s' är inte tillåtet för CHARACTER SET '%s'", -"Slaven har redan startat", -"Slaven har redan stoppat", -"Too big size of uncompressed data. The maximum size is %d. (probably, length of uncompressed data was corrupted)", -"Z_MEM_ERROR: Not enough memory available for zlib", -"Z_BUF_ERROR: Not enough room in the output buffer for zlib (probably, length of uncompressed data was corrupted)", -"Z_DATA_ERROR: Input data was corrupted for zlib", -"%d rad(er) kapades av group_concat()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; It contained more data than there were input columns", -"Data truncated, NULL supplied to NOT NULL column '%s' at row %ld", -"Data truncated, out of range for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Använder handler %s för tabell '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (Can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"SSL parameters in CHANGE MASTER are ignored because this MySQL slave was compiled without SSL support; they can be used later when MySQL slave with SSL will be started", -"Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format", -"Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d", -"Wrong parameter or combination of parameters for START SLAVE UNTIL", -"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", -"SQL thread is not to be started so UNTIL options are ignored", -"Felaktigt index namn '%-.100s'", -"Felaktigt katalog namn '%-.100s'", -"Storleken av "Query cache" kunde inte sättas till %lu, ny storlek är %lu", -"Kolumn '%-.64s' kan inte vara del av ett FULLTEXT index", -"Okänd nyckel cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated, use '%s' instead", -"Tabel %-.100s använd med '%s' är inte uppdateringsbar", -"'%s' är inte aktiverad; För att aktivera detta måste du bygga om MySQL med '%s' definerad", -"MySQL är startad med --skip-grant-tables. Pga av detta kan du inte använda detta kommando", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated wrong %-.32s value: '%-.128s'" -"Incorrect table definition; There can only be one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' field", -"This command is not supported in the prepared statement protocol yet", -"Got error %d '%-.100s' from %s", -"Got temporary error %d '%-.100s' from %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"Configuration file '%-.64s' is too big" -"Malformed file type header in file '%-.64s'" -"Unexpected end of file while parsing comment '%-.64s'" -"Error while parsing parameter '%-.64s' (line: '%-.64s')" -"Unexpected end of file while skipping unknown parameter '%-.64s'" -"EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" -"File '%-.64s' has unknown type '%-.64s' in its header" -"'%-.64s.%-.64s' is not %s" -"Column '%-.64s' is not updatable" -"View's SELECT contains a subquery in the FROM clause" -"View's SELECT contains a '%s' clause" -"View's SELECT contains a variable or parameter" -"View's SELECT contains a temporary table '%-.64s'" -"View's SELECT and view's field list have different column counts" -"View merge algorithm can't be used here for now (assumed undefined algorithm)" -"View being updated does not have complete key of underlying table in it" -"View '%-.64s.%-.64s' references invalid table(s) or column(s)" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION on non-updatable view '%-.64s.%-.64s'" -"CHECK OPTION failed '%-.64s.%-.64s'" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"View text checksum failed" -"Can not modify more than one base table through a join view '%-.64s.%-.64s'" -"Can not insert into join view '%-.64s.%-.64s' without fields list" -"Can not delete from join view '%-.64s.%-.64s'" -"Operation %s failed for '%.256s'", diff --git a/sql/share/ukrainian/errmsg.txt b/sql/share/ukrainian/errmsg.txt deleted file mode 100644 index 6d4c37803c7..00000000000 --- a/sql/share/ukrainian/errmsg.txt +++ /dev/null @@ -1,421 +0,0 @@ -/* Copyright (C) 2003 MySQL AB - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ - -/* - * Ukrainian translation by Roman Festchook - * Encoding: KOI8-U - * Version: 13/09/2001 mysql-3.23.41 - */ - -character-set=koi8u - -"hashchk", -"isamchk", -"î¶", -"ôáë", -"îÅ ÍÏÖÕ ÓÔ×ÏÒÉÔÉ ÆÁÊÌ '%-.64s' (ÐÏÍÉÌËÁ: %d)", -"îÅ ÍÏÖÕ ÓÔ×ÏÒÉÔÉ ÔÁÂÌÉÃÀ '%-.64s' (ÐÏÍÉÌËÁ: %d)", -"îÅ ÍÏÖÕ ÓÔ×ÏÒÉÔÉ ÂÁÚÕ ÄÁÎÎÉÈ '%-.64s' (ÐÏÍÉÌËÁ: %d)", -"îÅ ÍÏÖÕ ÓÔ×ÏÒÉÔÉ ÂÁÚÕ ÄÁÎÎÉÈ '%-.64s'. âÁÚÁ ÄÁÎÎÉÈ ¦ÓÎÕ¤", -"îÅ ÍÏÖÕ ×ÉÄÁÌÉÔÉ ÂÁÚÕ ÄÁÎÎÉÈ '%-.64s'. âÁÚÁ ÄÁÎÎÉÈ ÎÅ ¦ÓÎÕ¤", -"îÅ ÍÏÖÕ ×ÉÄÁÌÉÔÉ ÂÁÚÕ ÄÁÎÎÉÈ (îÅ ÍÏÖÕ ×ÉÄÁÌÉÔÉ '%-.64s', ÐÏÍÉÌËÁ: %d)", -"îÅ ÍÏÖÕ ×ÉÄÁÌÉÔÉ ÂÁÚÕ ÄÁÎÎÉÈ (îÅ ÍÏÖÕ ×ÉÄÁÌÉÔÉ ÔÅËÕ '%-.64s', ÐÏÍÉÌËÁ: %d)", -"îÅ ÍÏÖÕ ×ÉÄÁÌÉÔÉ '%-.64s' (ÐÏÍÉÌËÁ: %d)", -"îÅ ÍÏÖÕ ÚÞÉÔÁÔÉ ÚÁÐÉÓ Ú ÓÉÓÔÅÍÎϧ ÔÁÂÌÉæ", -"îÅ ÍÏÖÕ ÏÔÒÉÍÁÔÉ ÓÔÁÔÕÓ '%-.64s' (ÐÏÍÉÌËÁ: %d)", -"îÅ ÍÏÖÕ ×ÉÚÎÁÞÉÔÉ ÒÏÂÏÞÕ ÔÅËÕ (ÐÏÍÉÌËÁ: %d)", -"îÅ ÍÏÖÕ ÚÁÂÌÏËÕ×ÁÔÉ ÆÁÊÌ (ÐÏÍÉÌËÁ: %d)", -"îÅ ÍÏÖÕ ×¦ÄËÒÉÔÉ ÆÁÊÌ: '%-.64s' (ÐÏÍÉÌËÁ: %d)", -"îÅ ÍÏÖÕ ÚÎÁÊÔÉ ÆÁÊÌ: '%-.64s' (ÐÏÍÉÌËÁ: %d)", -"îÅ ÍÏÖÕ ÐÒÏÞÉÔÁÔÉ ÔÅËÕ '%-.64s' (ÐÏÍÉÌËÁ: %d)", -"îÅ ÍÏÖÕ ÐÅÒÅÊÔÉ Õ ÔÅËÕ '%-.64s' (ÐÏÍÉÌËÁ: %d)", -"úÁÐÉÓ ÂÕÌÏ ÚͦÎÅÎÏ Ú ÞÁÓÕ ÏÓÔÁÎÎØÏÇÏ ÞÉÔÁÎÎÑ Ú ÔÁÂÌÉæ '%-.64s'", -"äÉÓË ÚÁÐÏ×ÎÅÎÉÊ (%s). ÷ÉÞÉËÕÀ, ÄÏËÉ Ú×¦ÌØÎÉÔØÓÑ ÔÒÏÈÉ Í¦ÓÃÑ...", -"îÅ ÍÏÖÕ ÚÁÐÉÓÁÔÉ, ÄÕÂÌÀÀÞÉÊÓÑ ËÌÀÞ × ÔÁÂÌÉæ '%-.64s'", -"îÅ ÍÏÖÕ ÚÁËÒÉÔÉ '%-.64s' (ÐÏÍÉÌËÁ: %d)", -"îÅ ÍÏÖÕ ÐÒÏÞÉÔÁÔÉ ÆÁÊÌ '%-.64s' (ÐÏÍÉÌËÁ: %d)", -"îÅ ÍÏÖÕ ÐÅÒÅÊÍÅÎÕ×ÁÔÉ '%-.64s' Õ '%-.64s' (ÐÏÍÉÌËÁ: %d)", -"îÅ ÍÏÖÕ ÚÁÐÉÓÁÔÉ ÆÁÊÌ '%-.64s' (ÐÏÍÉÌËÁ: %d)", -"'%-.64s' ÚÁÂÌÏËÏ×ÁÎÉÊ ÎÁ ×ÎÅÓÅÎÎÑ ÚͦÎ", -"óÏÒÔÕ×ÁÎÎÑ ÐÅÒÅÒ×ÁÎÏ", -"÷ÉÇÌÑÄ '%-.64s' ÎÅ ¦ÓÎÕ¤ ÄÌÑ '%-.64s'", -"ïÔÒÉÍÁÎÏ ÐÏÍÉÌËÕ %d ×¦Ä ÄÅÓËÒÉÐÔÏÒÁ ÔÁÂÌÉæ", -"äÅÓËÒÉÐÔÏÒ ÔÁÂÌÉæ '%-.64s' ÎÅ ÍÁ¤ 椧 ×ÌÁÓÔÉ×ÏÓÔ¦", -"îÅ ÍÏÖÕ ÚÁÐÉÓÁÔÉ Õ '%-.64s'", -"èÉÂÎÁ ¦ÎÆÏÒÍÁÃ¦Ñ Õ ÆÁÊ̦: '%-.64s'", -"èÉÂÎÉÊ ÆÁÊÌ ËÌÀÞÅÊ ÄÌÑ ÔÁÂÌÉæ: '%-.64s'; óÐÒÏÂÕÊÔÅ ÊÏÇÏ ×¦ÄÎÏ×ÉÔÉ", -"óÔÁÒÉÊ ÆÁÊÌ ËÌÀÞÅÊ ÄÌÑ ÔÁÂÌÉæ '%-.64s'; ÷¦ÄÎÏ×¦ÔØ ÊÏÇÏ!", -"ôÁÂÌÉÃÑ '%-.64s' Ô¦ÌØËÉ ÄÌÑ ÞÉÔÁÎÎÑ", -"âÒÁË ÐÁÍ'ÑÔ¦. òÅÓÔÁÒÔÕÊÔÅ ÓÅÒ×ÅÒ ÔÁ ÓÐÒÏÂÕÊÔÅ ÚÎÏ×Õ (ÐÏÔÒ¦ÂÎÏ %d ÂÁÊÔ¦×)", -"âÒÁË ÐÁÍ'ÑÔ¦ ÄÌÑ ÓÏÒÔÕ×ÁÎÎÑ. ôÒÅÂÁ ÚÂ¦ÌØÛÉÔÉ ÒÏÚÍ¦Ò ÂÕÆÅÒÁ ÓÏÒÔÕ×ÁÎÎÑ Õ ÓÅÒ×ÅÒÁ", -"èÉÂÎÉÊ Ë¦ÎÅÃØ ÆÁÊÌÕ '%-.64s' (ÐÏÍÉÌËÁ: %d)", -"úÁÂÁÇÁÔÏ Ú'¤ÄÎÁÎØ", -"âÒÁË ÐÁÍ'ÑÔ¦; ðÅÒÅצÒÔÅ ÞÉ mysqld ÁÂÏ ÑË¦ÓØ ¦ÎÛ¦ ÐÒÏÃÅÓÉ ×ÉËÏÒÉÓÔÏ×ÕÀÔØ ÕÓÀ ÄÏÓÔÕÐÎÕ ÐÁÍ'ÑÔØ. ñË Î¦, ÔÏ ×É ÍÏÖÅÔÅ ÓËÏÒÉÓÔÁÔÉÓÑ 'ulimit', ÁÂÉ ÄÏÚ×ÏÌÉÔÉ mysqld ×ÉËÏÒÉÓÔÏ×Õ×ÁÔÉ Â¦ÌØÛÅ ÐÁÍ'ÑÔ¦ ÁÂÏ ×É ÍÏÖÅÔÅ ÄÏÄÁÔÉ Â¦ÌØÛŠͦÓÃÑ Ð¦Ä Ó×ÁÐ", -"îÅ ÍÏÖÕ ×ÉÚÎÁÞÉÔÉ ¦Í'Ñ ÈÏÓÔÕ ÄÌÑ ×ÁÛϧ ÁÄÒÅÓÉ", -"îÅצÒÎÁ ÕÓÔÁÎÏ×ËÁ Ú×'ÑÚËÕ", -"äÏÓÔÕÐ ÚÁÂÏÒÏÎÅÎÏ ÄÌÑ ËÏÒÉÓÔÕ×ÁÞÁ: '%-.32s'@'%-.64s' ÄÏ ÂÁÚÉ ÄÁÎÎÉÈ '%-.64s'", -"äÏÓÔÕÐ ÚÁÂÏÒÏÎÅÎÏ ÄÌÑ ËÏÒÉÓÔÕ×ÁÞÁ: '%-.32s'@'%-.64s' (÷ÉËÏÒÉÓÔÁÎÏ ÐÁÒÏÌØ: %s)", -"âÁÚÕ ÄÁÎÎÉÈ ÎÅ ×ÉÂÒÁÎÏ", -"îÅצÄÏÍÁ ËÏÍÁÎÄÁ", -"óÔÏ×ÂÅÃØ '%-.64s' ÎÅ ÍÏÖÅ ÂÕÔÉ ÎÕÌØÏ×ÉÍ", -"îÅצÄÏÍÁ ÂÁÚÁ ÄÁÎÎÉÈ '%-.64s'", -"ôÁÂÌÉÃÑ '%-.64s' ×ÖÅ ¦ÓÎÕ¤", -"îÅצÄÏÍÁ ÔÁÂÌÉÃÑ '%-.64s'", -"óÔÏ×ÂÅÃØ '%-.64s' Õ %-.64s ×ÉÚÎÁÞÅÎÉÊ ÎÅÏÄÎÏÚÎÁÞÎÏ", -"úÁ×ÅÒÛÕ¤ÔØÓÑ ÒÁÂÏÔÁ ÓÅÒ×ÅÒÁ", -"îÅצÄÏÍÉÊ ÓÔÏ×ÂÅÃØ '%-.64s' Õ '%-.64s'", -"'%-.64s' ÎÅ ¤ Õ GROUP BY", -"îÅ ÍÏÖÕ ÇÒÕÐÕ×ÁÔÉ ÐÏ '%-.64s'", -"õ ×ÉÒÁÚ¦ ×ÉËÏÒÉÓÔÁÎÏ Ð¦ÄÓÕÍÏ×ÕÀÞ¦ ÆÕÎËæ§ ÐÏÒÑÄ Ú ¦ÍÅÎÁÍÉ ÓÔÏ×Âæ×", -"ë¦ÌØË¦ÓÔØ ÓÔÏ×ÂÃ¦× ÎÅ ÓЦ×ÐÁÄÁ¤ Ú Ë¦ÌØË¦ÓÔÀ ÚÎÁÞÅÎØ", -"¶Í'Ñ ¦ÄÅÎÔÉÆ¦ËÁÔÏÒÁ '%-.100s' ÚÁÄÏ×ÇÅ", -"äÕÂÌÀÀÞÅ ¦Í'Ñ ÓÔÏ×ÂÃÑ '%-.64s'", -"äÕÂÌÀÀÞÅ ¦Í'Ñ ËÌÀÞÁ '%-.64s'", -"äÕÂÌÀÀÞÉÊ ÚÁÐÉÓ '%-.64s' ÄÌÑ ËÌÀÞÁ %d", -"îÅצÒÎÉÊ ÓÐÅÃÉÆ¦ËÁÔÏÒ ÓÔÏ×ÂÃÑ '%-.64s'", -"%s ¦ÌÑ '%-.80s' × ÓÔÒÏæ %d", -"ðÕÓÔÉÊ ÚÁÐÉÔ", -"îÅÕΦËÁÌØÎÁ ÔÁÂÌÉÃÑ/ÐÓÅ×ÄÏΦÍ: '%-.64s'", -"îÅצÒÎÅ ÚÎÁÞÅÎÎÑ ÐÏ ÚÁÍÏ×ÞÕ×ÁÎÎÀ ÄÌÑ '%-.64s'", -"ðÅÒ×ÉÎÎÏÇÏ ËÌÀÞÁ ×ÉÚÎÁÞÅÎÏ ÎÅÏÄÎÏÒÁÚÏ×Ï", -"úÁÂÁÇÁÔÏ ËÌÀÞ¦× ÚÁÚÎÁÞÅÎÏ. äÏÚ×ÏÌÅÎÏ ÎÅ Â¦ÌØÛÅ %d ËÌÀÞ¦×", -"úÁÂÁÇÁÔÏ ÞÁÓÔÉÎ ËÌÀÞÁ ÚÁÚÎÁÞÅÎÏ. äÏÚ×ÏÌÅÎÏ ÎÅ Â¦ÌØÛÅ %d ÞÁÓÔÉÎ", -"úÁÚÎÁÞÅÎÉÊ ËÌÀÞ ÚÁÄÏ×ÇÉÊ. îÁÊÂ¦ÌØÛÁ ÄÏ×ÖÉÎÁ ËÌÀÞÁ %d ÂÁÊÔ¦×", -"ëÌÀÞÏ×ÉÊ ÓÔÏ×ÂÅÃØ '%-.64s' ÎÅ ¦ÓÎÕ¤ Õ ÔÁÂÌÉæ", -"BLOB ÓÔÏ×ÂÅÃØ '%-.64s' ÎÅ ÍÏÖÅ ÂÕÔÉ ×ÉËÏÒÉÓÔÁÎÉÊ Õ ×ÉÚÎÁÞÅÎΦ ËÌÀÞÁ × ÃØÏÍÕ ÔÉЦ ÔÁÂÌÉæ", -"úÁÄÏ×ÇÁ ÄÏ×ÖÉÎÁ ÓÔÏ×ÂÃÑ '%-.64s' (max = %d). ÷ÉËÏÒÉÓÔÁÊÔÅ ÔÉÐ BLOB", -"îÅצÒÎÅ ×ÉÚÎÁÞÅÎÎÑ ÔÁÂÌÉæ; íÏÖÅ ÂÕÔÉ ÌÉÛÅ ÏÄÉÎ Á×ÔÏÍÁÔÉÞÎÉÊ ÓÔÏ×ÂÅÃØ, ÝÏ ÐÏ×ÉÎÅÎ ÂÕÔÉ ×ÉÚÎÁÞÅÎÉÊ ÑË ËÌÀÞ", -"%s: çÏÔÏ×ÉÊ ÄÌÑ Ú'¤ÄÎÁÎØ!", -"%s: îÏÒÍÁÌØÎÅ ÚÁ×ÅÒÛÅÎÎÑ\n", -"%s: ïÔÒÉÍÁÎÏ ÓÉÇÎÁÌ %d. ðÅÒÅÒÉ×ÁÀÓØ!\n", -"%s: òÏÂÏÔÕ ÚÁ×ÅÒÛÅÎÏ\n", -"%s: ðÒÉÓËÏÒÀÀ ÚÁËÒÉÔÔÑ Ç¦ÌËÉ %ld ËÏÒÉÓÔÕ×ÁÞÁ: '%-.32s'\n", -"îÅ ÍÏÖÕ ÓÔ×ÏÒÉÔÉ IP ÒÏÚ'¤Í", -"ôÁÂÌÉÃÑ '%-.64s' ÍÁ¤ ¦ÎÄÅËÓ, ÝÏ ÎÅ ÓЦ×ÐÁÄÁ¤ Ú ×ËÁÚÁÎÎÉÍ Õ CREATE INDEX. óÔ×ÏÒ¦ÔØ ÔÁÂÌÉÃÀ ÚÎÏ×Õ", -"èÉÂÎÉÊ ÒÏÚĦÌÀ×ÁÞ ÐÏ̦×. ðÏÞÉÔÁÊÔÅ ÄÏËÕÍÅÎÔÁæÀ", -"îÅ ÍÏÖÎÁ ×ÉËÏÒÉÓÔÏ×Õ×ÁÔÉ ÓÔÁÌÕ ÄÏ×ÖÉÎÕ ÓÔÒÏËÉ Ú BLOB. úËÏÒÉÓÔÁÊÔÅÓÑ 'fields terminated by'", -"æÁÊÌ '%-.64s' ÐÏ×ÉÎÅÎ ÂÕÔÉ Õ ÔÅæ ÂÁÚÉ ÄÁÎÎÉÈ ÁÂÏ ÍÁÔÉ ×ÓÔÁÎÏ×ÌÅÎÅ ÐÒÁ×Ï ÎÁ ÞÉÔÁÎÎÑ ÄÌÑ ÕÓ¦È", -"æÁÊÌ '%-.80s' ×ÖÅ ¦ÓÎÕ¤", -"úÁÐÉÓ¦×: %ld ÷ÉÄÁÌÅÎÏ: %ld ðÒÏÐÕÝÅÎÏ: %ld úÁÓÔÅÒÅÖÅÎØ: %ld", -"úÁÐÉÓ¦×: %ld äÕÂ̦ËÁÔ¦×: %ld", -"îÅצÒÎÁ ÞÁÓÔÉÎÁ ËÌÀÞÁ. ÷ÉËÏÒÉÓÔÁÎÁ ÞÁÓÔÉÎÁ ËÌÀÞÁ ÎÅ ¤ ÓÔÒÏËÏÀ, ÚÁÄÏ×ÇÁ ÁÂÏ ×ËÁÚ¦×ÎÉË ÔÁÂÌÉæ ΊЦÄÔÒÉÍÕ¤ ÕΦËÁÌØÎÉÈ ÞÁÓÔÉÎ ËÌÀÞÅÊ", -"îÅ ÍÏÖÌÉ×Ï ×ÉÄÁÌÉÔÉ ×Ó¦ ÓÔÏ×Âæ ÚÁ ÄÏÐÏÍÏÇÏÀ ALTER TABLE. äÌÑ ÃØÏÇÏ ÓËÏÒÉÓÔÁÊÔÅÓÑ DROP TABLE", -"îÅ ÍÏÖÕ DROP '%-.64s'. ðÅÒÅצÒÔÅ, ÞÉ ÃÅÊ ÓÔÏ×ÂÅÃØ/ËÌÀÞ ¦ÓÎÕ¤", -"úÁÐÉÓ¦×: %ld äÕÂ̦ËÁÔ¦×: %ld úÁÓÔÅÒÅÖÅÎØ: %ld", -"ôÁÂÌÉÃÑ '%-.64s' ÝÏ ÚͦÎÀ¤ÔØÓÑ ÎÅ ÄÏÚ×ÏÌÅÎÁ Õ ÐÅÒÅ̦ËÕ ÔÁÂÌÉÃØ FROM", -"îÅצÄÏÍÉÊ ¦ÄÅÎÔÉÆ¦ËÁÔÏÒ Ç¦ÌËÉ: %lu", -"÷É ÎÅ ×ÏÌÏÄÁÒ Ç¦ÌËÉ %lu", -"îÅ ×ÉËÏÒÉÓÔÁÎÏ ÔÁÂÌÉÃØ", -"úÁÂÁÇÁÔÏ ÓÔÒÏË ÄÌÑ ÓÔÏ×ÂÃÑ %-.64s ÔÁ SET", -"îÅ ÍÏÖÕ ÚÇÅÎÅÒÕ×ÁÔÉ ÕΦËÁÌØÎÅ ¦Í'Ñ log-ÆÁÊÌÕ %-.64s.(1-999)\n", -"ôÁÂÌÉÃÀ '%-.64s' ÚÁÂÌÏËÏ×ÁÎÏ Ô¦ÌØËÉ ÄÌÑ ÞÉÔÁÎÎÑ, ÔÏÍÕ §§ ÎÅ ÍÏÖÎÁ ÏÎÏ×ÉÔÉ", -"ôÁÂÌÉÃÀ '%-.64s' ÎÅ ÂÕÌÏ ÂÌÏËÏ×ÁÎÏ Ú LOCK TABLES", -"óÔÏ×ÂÅÃØ BLOB '%-.64s' ÎÅ ÍÏÖÅ ÍÁÔÉ ÚÎÁÞÅÎÎÑ ÐÏ ÚÁÍÏ×ÞÕ×ÁÎÎÀ", -"îÅצÒÎÅ ¦Í'Ñ ÂÁÚÉ ÄÁÎÎÉÈ '%-.100s'", -"îÅצÒÎÅ ¦Í'Ñ ÔÁÂÌÉæ '%-.100s'", -"úÁÐÉÔÕ SELECT ÐÏÔÒ¦ÂÎÏ ÏÂÒÏÂÉÔÉ ÂÁÇÁÔÏ ÚÁÐÉÓ¦×, ÝÏ, ÐÅ×ÎÅ, ÚÁÊÍÅ ÄÕÖÅ ÂÁÇÁÔÏ ÞÁÓÕ. ðÅÒÅצÒÔÅ ×ÁÛÅ WHERE ÔÁ ×ÉËÏÒÉÓÔÏ×ÕÊÔÅ SET SQL_BIG_SELECTS=1, ÑËÝÏ ÃÅÊ ÚÁÐÉÔ SELECT ¤ צÒÎÉÍ", -"îÅצÄÏÍÁ ÐÏÍÉÌËÁ", -"îÅצÄÏÍÁ ÐÒÏÃÅÄÕÒÁ '%-.64s'", -"èÉÂÎÁ Ë¦ÌØË¦ÓÔØ ÐÁÒÁÍÅÔÒ¦× ÐÒÏÃÅÄÕÒÉ '%-.64s'", -"èÉÂÎÉÊ ÐÁÒÁÍÅÔÅÒ ÐÒÏÃÅÄÕÒÉ '%-.64s'", -"îÅצÄÏÍÁ ÔÁÂÌÉÃÑ '%-.64s' Õ %-.32s", -"óÔÏ×ÂÅÃØ '%-.64s' ÚÁÚÎÁÞÅÎÏ Äצަ", -"èÉÂÎÅ ×ÉËÏÒÉÓÔÁÎÎÑ ÆÕÎËæ§ ÇÒÕÐÕ×ÁÎÎÑ", -"ôÁÂÌÉÃÑ '%-.64s' ×ÉËÏÒÉÓÔÏ×Õ¤ ÒÏÚÛÉÒÅÎÎÑ, ÝÏ ÎÅ ¦ÓÎÕ¤ Õ Ã¦Ê ×ÅÒÓ¦§ MySQL", -"ôÁÂÌÉÃÑ ÐÏ×ÉÎÎÁ ÍÁÔÉ ÈÏÞÁ ÏÄÉÎ ÓÔÏ×ÂÅÃØ", -"ôÁÂÌÉÃÑ '%-.64s' ÚÁÐÏ×ÎÅÎÁ", -"îÅצÄÏÍÁ ËÏÄÏ×Á ÔÁÂÌÉÃÑ: '%-.64s'", -"úÁÂÁÇÁÔÏ ÔÁÂÌÉÃØ. MySQL ÍÏÖÅ ×ÉËÏÒÉÓÔÏ×Õ×ÁÔÉ ÌÉÛÅ %d ÔÁÂÌÉÃØ Õ ÏÂ'¤ÄÎÁÎΦ", -"úÁÂÁÇÁÔÏ ÓÔÏ×Âæ×", -"úÁÄÏ×ÇÁ ÓÔÒÏËÁ. îÁÊÂ¦ÌØÛÏÀ ÄÏ×ÖÉÎÏÀ ÓÔÒÏËÉ, ÎÅ ÒÁÈÕÀÞÉ BLOB, ¤ %d. ÷ÁÍ ÐÏÔÒ¦ÂÎÏ ÐÒÉ×ÅÓÔÉ ÄÅÑ˦ ÓÔÏ×Âæ ÄÏ ÔÉÐÕ BLOB", -"óÔÅË Ç¦ÌÏË ÐÅÒÅÐÏ×ÎÅÎÏ: ÷ÉËÏÒÉÓÔÁÎÏ: %ld Ú %ld. ÷ÉËÏÒÉÓÔÏ×ÕÊÔÅ 'mysqld -O thread_stack=#' ÁÂÉ ÚÁÚÎÁÞÉÔÉ Â¦ÌØÛÉÊ ÓÔÅË, ÑËÝÏ ÎÅÏÂȦÄÎÏ", -"ðÅÒÅÈÒÅÓÎÁ ÚÁÌÅÖΦÓÔØ Õ OUTER JOIN. ðÅÒÅצÒÔÅ ÕÍÏ×Õ ON", -"óÔÏ×ÂÅÃØ '%-.64s' ×ÉËÏÒÉÓÔÏ×Õ¤ÔØÓÑ Ú UNIQUE ÁÂÏ INDEX, ÁÌÅ ÎÅ ×ÉÚÎÁÞÅÎÉÊ ÑË NOT NULL", -"îÅ ÍÏÖÕ ÚÁ×ÁÎÔÁÖÉÔÉ ÆÕÎËæÀ '%-.64s'", -"îÅ ÍÏÖÕ ¦Î¦Ã¦Á̦ÚÕ×ÁÔÉ ÆÕÎËæÀ '%-.64s'; %-.80s", -"îÅ ÄÏÚ×ÏÌÅÎÏ ×ÉËÏÒÉÓÔÏ×Õ×ÁÔÉ ÐÕÔ¦ ÄÌÑ ÒÏÚĦÌÀ×ÁÎÉÈ Â¦Â̦ÏÔÅË", -"æÕÎËÃ¦Ñ '%-.64s' ×ÖÅ ¦ÓÎÕ¤", -"îÅ ÍÏÖÕ ×¦ÄËÒÉÔÉ ÒÏÚĦÌÀ×ÁÎÕ Â¦Â̦ÏÔÅËÕ '%-.64s' (ÐÏÍÉÌËÁ: %d %-.64s)", -"îÅ ÍÏÖÕ ÚÎÁÊÔÉ ÆÕÎËæÀ '%-.64s' Õ Â¦Â̦ÏÔÅæ'", -"æÕÎËæÀ '%-.64s' ÎÅ ×ÉÚÎÁÞÅÎÏ", -"èÏÓÔ '%-.64s' ÚÁÂÌÏËÏ×ÁÎÏ Ú ÐÒÉÞÉÎÉ ×ÅÌÉËϧ Ë¦ÌØËÏÓÔ¦ ÐÏÍÉÌÏË Ú'¤ÄÎÁÎÎÑ. äÌÑ ÒÏÚÂÌÏËÕ×ÁÎÎÑ ×ÉËÏÒÉÓÔÏ×ÕÊÔÅ 'mysqladmin flush-hosts'", -"èÏÓÔÕ '%-.64s' ÎÅ ÄÏ×ÏÌÅÎÏ Ú×'ÑÚÕ×ÁÔÉÓØ Ú ÃÉÍ ÓÅÒ×ÅÒÏÍ MySQL", -"÷É ×ÉËÏÒÉÓÔÏ×Õ¤ÔÅ MySQL ÑË ÁÎÏΦÍÎÉÊ ËÏÒÉÓÔÕ×ÁÞ, ÔÏÍÕ ×ÁÍ ÎÅ ÄÏÚ×ÏÌÅÎÏ ÚͦÎÀ×ÁÔÉ ÐÁÒÏ̦", -"÷É ÐÏ×ÉΦ ÍÁÔÉ ÐÒÁ×Ï ÎÁ ÏÎÏ×ÌÅÎÎÑ ÔÁÂÌÉÃØ Õ ÂÁÚ¦ ÄÁÎÎÉÈ mysql, ÁÂÉ ÍÁÔÉ ÍÏÖÌÉצÓÔØ ÚͦÎÀ×ÁÔÉ ÐÁÒÏÌØ ¦ÎÛÉÍ", -"îÅ ÍÏÖÕ ÚÎÁÊÔÉ ×¦ÄÐÏצÄÎÉÈ ÚÁÐÉÓ¦× Õ ÔÁÂÌÉæ ËÏÒÉÓÔÕ×ÁÞÁ", -"úÁÐÉÓ¦× ×¦ÄÐÏצÄÁ¤: %ld úͦÎÅÎÏ: %ld úÁÓÔÅÒÅÖÅÎØ: %ld", -"îÅ ÍÏÖÕ ÓÔ×ÏÒÉÔÉ ÎÏ×Õ Ç¦ÌËÕ (ÐÏÍÉÌËÁ %d). ñËÝÏ ×É ÎÅ ×ÉËÏÒÉÓÔÁÌÉ ÕÓÀ ÐÁÍ'ÑÔØ, ÔÏ ÐÒÏÞÉÔÁÊÔÅ ÄÏËÕÍÅÎÔÁæÀ ÄÏ ×ÁÛϧ ïó - ÍÏÖÌÉ×Ï ÃÅ ÐÏÍÉÌËÁ ïó", -"ë¦ÌØË¦ÓÔØ ÓÔÏ×ÂÃ¦× ÎÅ ÓЦ×ÐÁÄÁ¤ Ú Ë¦ÌØË¦ÓÔÀ ÚÎÁÞÅÎØ Õ ÓÔÒÏæ %ld", -"îÅ ÍÏÖÕ ÐÅÒÅצÄËÒÉÔÉ ÔÁÂÌÉÃÀ: '%-.64s'", -"èÉÂÎÅ ×ÉËÏÒÉÓÔÁÎÎÑ ÚÎÁÞÅÎÎÑ NULL", -"ïÔÒÉÍÁÎÏ ÐÏÍÉÌËÕ '%-.64s' ×¦Ä ÒÅÇÕÌÑÒÎÏÇÏ ×ÉÒÁÚÕ", -"úͦÛÕ×ÁÎÎÑ GROUP ÓÔÏ×ÂÃ¦× (MIN(),MAX(),COUNT()...) Ú ÎÅ GROUP ÓÔÏ×ÂÃÑÍÉ ¤ ÚÁÂÏÒÏÎÅÎÉÍ, ÑËÝÏ ÎÅ ÍÁ¤ GROUP BY", -"ðÏ×ÎÏ×ÁÖÅÎØ ÎÅ ×ÉÚÎÁÞÅÎÏ ÄÌÑ ËÏÒÉÓÔÕ×ÁÞÁ '%-.32s' Ú ÈÏÓÔÕ '%-.64s'", -"%-.16s ËÏÍÁÎÄÁ ÚÁÂÏÒÏÎÅÎÁ ËÏÒÉÓÔÕ×ÁÞÕ: '%-.32s'@'%-.64s' Õ ÔÁÂÌÉæ '%-.64s'", -"%-.16s ËÏÍÁÎÄÁ ÚÁÂÏÒÏÎÅÎÁ ËÏÒÉÓÔÕ×ÁÞÕ: '%-.32s'@'%-.64s' ÄÌÑ ÓÔÏ×ÂÃÑ '%-.64s' Õ ÔÁÂÌÉæ '%-.64s'", -"èÉÂÎÁ GRANT/REVOKE ËÏÍÁÎÄÁ; ÐÒÏÞÉÔÁÊÔÅ ÄÏËÕÍÅÎÔÁæÀ ÓÔÏÓÏ×ÎÏ ÔÏÇÏ, Ñ˦ ÐÒÁ×Á ÍÏÖÎÁ ×ÉËÏÒÉÓÔÏ×Õ×ÁÔÉ", -"áÒÇÕÍÅÎÔ host ÁÂÏ user ÄÌÑ GRANT ÚÁÄÏ×ÇÉÊ", -"ôÁÂÌÉÃÑ '%-.64s.%-.64s' ÎÅ ¦ÓÎÕ¤", -"ðÏ×ÎÏ×ÁÖÅÎØ ÎÅ ×ÉÚÎÁÞÅÎÏ ÄÌÑ ËÏÒÉÓÔÕ×ÁÞÁ '%-.32s' Ú ÈÏÓÔÕ '%-.64s' ÄÌÑ ÔÁÂÌÉæ '%-.64s'", -"÷ÉËÏÒÉÓÔÏ×Õ×ÁÎÁ ËÏÍÁÎÄÁ ÎÅ ÄÏÚ×ÏÌÅÎÁ Õ Ã¦Ê ×ÅÒÓ¦§ MySQL", -"õ ×ÁÓ ÐÏÍÉÌËÁ Õ ÓÉÎÔÁËÓÉÓ¦ SQL", -"ç¦ÌËÁ ÄÌÑ INSERT DELAYED ÎÅ ÍÏÖÅ ÏÔÒÉÍÁÔÉ ÂÌÏËÕ×ÁÎÎÑ ÄÌÑ ÔÁÂÌÉæ %-.64s", -"úÁÂÁÇÁÔÏ ÚÁÔÒÉÍÁÎÉÈ Ç¦ÌÏË ×ÉËÏÒÉÓÔÏ×Õ¤ÔØÓÑ", -"ðÅÒÅÒ×ÁÎÏ Ú'¤ÄÎÁÎÎÑ %ld ÄÏ ÂÁÚÉ ÄÁÎÎÉÈ: '%-.64s' ËÏÒÉÓÔÕ×ÁÞÁ: '%-.32s' (%-.64s)", -"ïÔÒÉÍÁÎÏ ÐÁËÅÔ Â¦ÌØÛÉÊ Î¦Ö max_allowed_packet", -"ïÔÒÉÍÁÎÏ ÐÏÍÉÌËÕ ÞÉÔÁÎÎÑ Ú ËÏÍÕΦËÁæÊÎÏÇÏ ËÁÎÁÌÕ", -"ïÔÒÉÍÁÎÏ ÐÏÍÉÌËËÕ ×¦Ä fcntl()", -"ïÔÒÉÍÁÎÏ ÐÁËÅÔÉ Õ ÎÅÎÁÌÅÖÎÏÍÕ ÐÏÒÑÄËÕ", -"îÅ ÍÏÖÕ ÄÅËÏÍÐÒÅÓÕ×ÁÔÉ ËÏÍÕΦËÁæÊÎÉÊ ÐÁËÅÔ", -"ïÔÒÉÍÁÎÏ ÐÏÍÉÌËÕ ÞÉÔÁÎÎÑ ËÏÍÕΦËÁæÊÎÉÈ ÐÁËÅÔ¦×", -"ïÔÒÉÍÁÎÏ ÚÁÔÒÉÍËÕ ÞÉÔÁÎÎÑ ËÏÍÕΦËÁæÊÎÉÈ ÐÁËÅÔ¦×", -"ïÔÒÉÍÁÎÏ ÐÏÍÉÌËÕ ÚÁÐÉÓÕ ËÏÍÕΦËÁæÊÎÉÈ ÐÁËÅÔ¦×", -"ïÔÒÉÍÁÎÏ ÚÁÔÒÉÍËÕ ÚÁÐÉÓÕ ËÏÍÕΦËÁæÊÎÉÈ ÐÁËÅÔ¦×", -"óÔÒÏËÁ ÒÅÚÕÌØÔÁÔÕ ÄÏ×ÛÁ Î¦Ö max_allowed_packet", -"÷ÉËÏÒÉÓÔÁÎÉÊ ÔÉÐ ÔÁÂÌÉæ ΊЦÄÔÒÉÍÕ¤ BLOB/TEXT ÓÔÏ×Âæ", -"÷ÉËÏÒÉÓÔÁÎÉÊ ÔÉÐ ÔÁÂÌÉæ ΊЦÄÔÒÉÍÕ¤ AUTO_INCREMENT ÓÔÏ×Âæ", -"INSERT DELAYED ÎÅ ÍÏÖÅ ÂÕÔÉ ×ÉËÏÒÉÓÔÁÎÏ Ú ÔÁÂÌÉÃÅÀ '%-.64s', ÔÏÍÕ ÝÏ §§ ÚÁÂÌÏËÏ×ÁÎÏ Ú LOCK TABLES", -"îÅצÒÎÅ ¦Í'Ñ ÓÔÏ×ÂÃÑ '%-.100s'", -"÷ÉËÏÒÉÓÔÁÎÉÊ ×ËÁÚ¦×ÎÉË ÔÁÂÌÉæ ÎÅ ÍÏÖÅ ¦ÎÄÅËÓÕ×ÁÔÉ ÓÔÏ×ÂÅÃØ '%-.64s'", -"ôÁÂÌÉæ Õ MERGE TABLE ÍÁÀÔØ Ò¦ÚÎÕ ÓÔÒÕËÔÕÒÕ", -"îÅ ÍÏÖÕ ÚÁÐÉÓÁÔÉ ÄÏ ÔÁÂÌÉæ '%-.64s', Ú ÐÒÉÞÉÎÉ ×ÉÍÏÇ ÕΦËÁÌØÎÏÓÔ¦", -"óÔÏ×ÂÅÃØ BLOB '%-.64s' ×ÉËÏÒÉÓÔÁÎÏ Õ ×ÉÚÎÁÞÅÎΦ ËÌÀÞÁ ÂÅÚ ×ËÁÚÁÎÎÑ ÄÏ×ÖÉÎÉ ËÌÀÞÁ", -"õÓ¦ ÞÁÓÔÉÎÉ PRIMARY KEY ÐÏ×ÉÎΦ ÂÕÔÉ NOT NULL; ñËÝÏ ×É ÐÏÔÒÅÂÕ¤ÔÅ NULL Õ ËÌÀÞ¦, ÓËÏÒÉÓÔÁÊÔÅÓÑ UNIQUE", -"òÅÚÕÌØÔÁÔ ÚÎÁÈÏÄÉÔØÓÑ Õ Â¦ÌØÛÅ Î¦Ö ÏÄÎ¦Ê ÓÔÒÏæ", -"ãÅÊ ÔÉÐ ÔÁÂÌÉæ ÐÏÔÒÅÂÕ¤ ÐÅÒ×ÉÎÎÏÇÏ ËÌÀÞÁ", -"ãÑ ×ÅÒÓ¦Ñ MySQL ÎÅ ÚËÏÍÐ¦ÌØÏ×ÁÎÁ Ú Ð¦ÄÔÒÉÍËÏÀ RAID", -"÷É Õ ÒÅÖÉͦ ÂÅÚÐÅÞÎÏÇÏ ÏÎÏ×ÌÅÎÎÑ ÔÁ ÎÁÍÁÇÁ¤ÔÅÓØ ÏÎÏ×ÉÔÉ ÔÁÂÌÉÃÀ ÂÅÚ ÏÐÅÒÁÔÏÒÁ WHERE, ÝÏ ×ÉËÏÒÉÓÔÏ×Õ¤ KEY ÓÔÏ×ÂÅÃØ", -"ëÌÀÞ '%-.64s' ÎÅ ¦ÓÎÕ¤ × ÔÁÂÌÉæ '%-.64s'", -"îÅ ÍÏÖÕ ×¦ÄËÒÉÔÉ ÔÁÂÌÉÃÀ", -"÷ËÁÚ¦×ÎÉË ÔÁÂÌÉæ ΊЦÄÔÒÉÍÕÅ %s", -"÷ÁÍ ÎÅ ÄÏÚ×ÏÌÅÎÏ ×ÉËÏÎÕ×ÁÔÉ ÃÀ ËÏÍÁÎÄÕ × ÔÒÁÎÚÁËæ§", -"ïÔÒÉÍÁÎÏ ÐÏÍÉÌËÕ %d Ð¦Ä ÞÁÓ COMMIT", -"ïÔÒÉÍÁÎÏ ÐÏÍÉÌËÕ %d Ð¦Ä ÞÁÓ ROLLBACK", -"ïÔÒÉÍÁÎÏ ÐÏÍÉÌËÕ %d Ð¦Ä ÞÁÓ FLUSH_LOGS", -"ïÔÒÉÍÁÎÏ ÐÏÍÉÌËÕ %d Ð¦Ä ÞÁÓ CHECKPOINT", -"ðÅÒÅÒ×ÁÎÏ Ú'¤ÄÎÁÎÎÑ %ld ÄÏ ÂÁÚÉ ÄÁÎÎÉÈ: '%-.64s' ËÏÒÉÓÔÕ×ÁÞ: '%-.32s' ÈÏÓÔ: `%-.64s' (%-.64s)", -"ãÅÊ ÔÉÐ ÔÁÂÌÉæ ΊЦÄÔÒÉÍÕ¤ ¦ÎÁÒÎÕ ÐÅÒÅÄÁÞÕ ÔÁÂÌÉæ", -"òÅÐ̦ËÁæÊÎÉÊ ÌÏÇ ÚÁËÒÉÔÏ, ÎÅ ÍÏÖÕ ×ÉËÏÎÁÔÉ RESET MASTER", -"îÅ×ÄÁÌŠצÄÎÏ×ÌÅÎÎÑ ¦ÎÄÅËÓÁ ÐÅÒÅÄÁÎϧ ÔÁÂÌÉæ '%-.64s'", -"ðÏÍÉÌËÁ ×¦Ä ÇÏÌÏ×ÎÏÇÏ: '%-.64s'", -"íÅÒÅÖÅ×Á ÐÏÍÉÌËÁ ÞÉÔÁÎÎÑ ×¦Ä ÇÏÌÏ×ÎÏÇÏ", -"íÅÒÅÖÅ×Á ÐÏÍÉÌËÁ ÚÁÐÉÓÕ ÄÏ ÇÏÌÏ×ÎÏÇÏ", -"îÅ ÍÏÖÕ ÚÎÁÊÔÉ FULLTEXT ¦ÎÄÅËÓ, ÝÏ ×¦ÄÐÏצÄÁ¤ ÐÅÒÅ̦ËÕ ÓÔÏ×Âæ×", -"îÅ ÍÏÖÕ ×ÉËÏÎÁÔÉ ÐÏÄÁÎÕ ËÏÍÁÎÄÕ ÔÏÍÕ, ÝÏ ÔÁÂÌÉÃÑ ÚÁÂÌÏËÏ×ÁÎÁ ÁÂÏ ×ÉËÏÎÕ¤ÔØÓÑ ÔÒÁÎÚÁËæÑ", -"îÅצÄÏÍÁ ÓÉÓÔÅÍÎÁ ÚͦÎÎÁ '%-.64s'", -"ôÁÂÌÉÃÀ '%-.64s' ÍÁÒËÏ×ÁÎÏ ÑË Ú¦ÐÓÏ×ÁÎÕ ÔÁ §§ ÐÏÔÒ¦ÂÎÏ ×¦ÄÎÏ×ÉÔÉ", -"ôÁÂÌÉÃÀ '%-.64s' ÍÁÒËÏ×ÁÎÏ ÑË Ú¦ÐÓÏ×ÁÎÕ ÔÁ ÏÓÔÁÎΤ (Á×ÔÏÍÁÔÉÞÎÅ?) צÄÎÏ×ÌÅÎÎÑ ÎÅ ×ÄÁÌÏÓÑ", -"úÁÓÔÅÒÅÖÅÎÎÑ: äÅÑ˦ ÎÅÔÒÁÎÚÁËæÊΦ ÚͦÎÉ ÔÁÂÌÉÃØ ÎÅ ÍÏÖÎÁ ÂÕÄÅ ÐÏ×ÅÒÎÕÔÉ", -"ôÒÁÎÚÁËÃ¦Ñ Ú ÂÁÇÁÔØÍÁ ×ÉÒÁÚÁÍÉ ×ÉÍÁÇÁ¤ Â¦ÌØÛÅ Î¦Ö 'max_binlog_cache_size' ÂÁÊÔ¦× ÄÌÑ ÚÂÅÒ¦ÇÁÎÎÑ. úÂ¦ÌØÛÔÅ ÃÀ ÚͦÎÎÕ mysqld ÔÁ ÓÐÒÏÂÕÊÔÅ ÚÎÏ×Õ", -"ïÐÅÒÁÃ¦Ñ ÎÅ ÍÏÖÅ ÂÕÔÉ ×ÉËÏÎÁÎÁ Ú ÚÁÐÕÝÅÎÉÍ Ð¦ÄÌÅÇÌÉÍ, ÓÐÏÞÁÔËÕ ×ÉËÏÎÁÊÔÅ STOP SLAVE", -"ïÐÅÒÁÃ¦Ñ ×ÉÍÁÇÁ¤ ÚÁÐÕÝÅÎÏÇÏ Ð¦ÄÌÅÇÌÏÇÏ, ÚËÏÎÆ¦ÇÕÒÕÊÔŠЦÄÌÅÇÌÏÇÏ ÔÁ ×ÉËÏÎÁÊÔÅ START SLAVE", -"óÅÒ×ÅÒ ÎÅ ÚËÏÎÆ¦ÇÕÒÏ×ÁÎÏ ÑË Ð¦ÄÌÅÇÌÉÊ, ×ÉÐÒÁ×ÔÅ ÃÅ Õ ÆÁÊ̦ ËÏÎÆ¦ÇÕÒÁæ§ ÁÂÏ Ú CHANGE MASTER TO", -"Could not initialize master info structure, more error messages can be found in the MySQL error log", -"îÅ ÍÏÖÕ ÓÔ×ÏÒÉÔÉ Ð¦ÄÌÅÇÌÕ Ç¦ÌËÕ, ÐÅÒÅצÒÔÅ ÓÉÓÔÅÍΦ ÒÅÓÕÒÓÉ", -"ëÏÒÉÓÔÕ×ÁÞ %-.64s ×ÖÅ ÍÁ¤ Â¦ÌØÛÅ Î¦Ö 'max_user_connections' ÁËÔÉ×ÎÉÈ Ú'¤ÄÎÁÎØ", -"íÏÖÎÁ ×ÉËÏÒÉÓÔÏ×Õ×ÁÔÉ ÌÉÛÅ ×ÉÒÁÚÉ Ú¦ ÓÔÁÌÉÍÉ Õ SET", -"úÁÔÒÉÍËÕ ÏÞ¦ËÕ×ÁÎÎÑ ÂÌÏËÕ×ÁÎÎÑ ×ÉÞÅÒÐÁÎÏ", -"úÁÇÁÌØÎÁ Ë¦ÌØË¦ÓÔØ ÂÌÏËÕ×ÁÎØ ÐÅÒÅ×ÉÝÉÌÁ ÒÏÚÍ¦Ò ÂÌÏËÕ×ÁÎØ ÄÌÑ ÔÁÂÌÉæ", -"ïÎÏ×ÉÔÉ ÂÌÏËÕ×ÁÎÎÑ ÎÅ ÍÏÖÌÉ×Ï ÎÁ ÐÒÏÔÑÚ¦ ÔÒÁÎÚÁËæ§ READ UNCOMMITTED", -"DROP DATABASE ÎÅ ÄÏÚ×ÏÌÅÎÏ ÄÏËÉ Ç¦ÌËÁ ÐÅÒÅÂÕ×Á¤ Ð¦Ä ÚÁÇÁÌØÎÉÍ ÂÌÏËÕ×ÁÎÎÑÍ ÞÉÔÁÎÎÑ", -"CREATE DATABASE ÎÅ ÄÏÚ×ÏÌÅÎÏ ÄÏËÉ Ç¦ÌËÁ ÐÅÒÅÂÕ×Á¤ Ð¦Ä ÚÁÇÁÌØÎÉÍ ÂÌÏËÕ×ÁÎÎÑÍ ÞÉÔÁÎÎÑ", -"èÉÂÎÉÊ ÁÒÇÕÍÅÎÔ ÄÌÑ %s", -"ëÏÒÉÓÔÕ×ÁÞÕ '%-.32s'@'%-.64s' ÎÅ ÄÏÚ×ÏÌÅÎÏ ÓÔ×ÏÒÀ×ÁÔÉ ÎÏ×ÉÈ ËÏÒÉÓÔÕ×ÁÞ¦×", -"Incorrect table definition; all MERGE tables must be in the same database", -"Deadlock found when trying to get lock; Try restarting transaction", -"÷ÉËÏÒÉÓÔÁÎÉÊ ÔÉÐ ÔÁÂÌÉæ ΊЦÄÔÒÉÍÕ¤ FULLTEXT ¦ÎÄÅËÓ¦×", -"Cannot add foreign key constraint", -"Cannot add a child row: a foreign key constraint fails", -"Cannot delete a parent row: a foreign key constraint fails", -"Error connecting to master: %-.128s", -"Error running query on master: %-.128s", -"Error when executing command %s: %-.128s", -"Wrong usage of %s and %s", -"The used SELECT statements have a different number of columns", -"Can't execute the query because you have a conflicting read lock", -"Mixing of transactional and non-transactional tables is disabled", -"Option '%s' used twice in statement", -"User '%-.64s' has exceeded the '%s' resource (current value: %ld)", -"Access denied. You need the %-.128s privilege for this operation", -"Variable '%-.64s' is a SESSION variable and can't be used with SET GLOBAL", -"Variable '%-.64s' is a GLOBAL variable and should be set with SET GLOBAL", -"Variable '%-.64s' doesn't have a default value", -"Variable '%-.64s' can't be set to the value of '%-.64s'", -"Wrong argument type to variable '%-.64s'", -"Variable '%-.64s' can only be set, not read", -"Wrong usage/placement of '%s'", -"This version of MySQL doesn't yet support '%s'", -"Got fatal error %d: '%-.128s' from master when reading data from binary log", -"Slave SQL thread ignored the query because of replicate-*-table rules", -"Variable '%-.64s' is a %s variable", -"Wrong foreign key definition for '%-.64s': %s", -"Key reference and table reference doesn't match", -"ïÐÅÒÁÎÄ ÍÁ¤ ÓËÌÁÄÁÔÉÓÑ Ú %d ÓÔÏ×Âæ×", -"ð¦ÄÚÁÐÉÔ ÐÏ×ÅÒÔÁ¤ Â¦ÌØÛ ÎiÖ 1 ÚÁÐÉÓ", -"Unknown prepared statement handler (%ld) given to %s", -"Help database is corrupt or does not exist", -"ãÉË̦ÞÎÅ ÐÏÓÉÌÁÎÎÑ ÎÁ ЦÄÚÁÐÉÔ", -"ðÅÒÅÔ×ÏÒÅÎÎÑ ÓÔÏ×ÂÃÁ '%s' Ú %s Õ %s", -"ðÏÓÉÌÁÎÎÑ '%-.64s' ÎÅ ÐiÄÔÒÉÍÕÅÔÓÑ (%s)", -"Every derived table must have it's own alias", -"Select %u was ÓËÁÓÏ×ÁÎÏ ÐÒÉ ÏÐÔÉÍiÚÁÃii", -"Table '%-.64s' from one of SELECT's can not be used in %-.32s", -"Client does not support authentication protocol requested by server; consider upgrading MySQL client", -"All parts of a SPATIAL KEY must be NOT NULL", -"COLLATION '%s' is not valid for CHARACTER SET '%s'", -"Slave is already running", -"Slave has already been stopped", -"Too big size of uncompressed data. The maximum size is %d. (probably, length of uncompressed data was corrupted)", -"Z_MEM_ERROR: Not enough memory available for zlib", -"Z_BUF_ERROR: Not enough room in the output buffer for zlib (probably, length of uncompressed data was corrupted)", -"Z_DATA_ERROR: Input data was corrupted for zlib", -"%d line(s) was(were) cut by group_concat()", -"Row %ld doesn't contain data for all columns", -"Row %ld was truncated; It contained more data than there were input columns", -"Data truncated, NULL supplied to NOT NULL column '%s' at row %ld", -"Data truncated, out of range for column '%s' at row %ld", -"Data truncated for column '%s' at row %ld", -"Using storage engine %s for table '%s'", -"Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'", -"Cannot drop one or more of the requested users", -"Can't revoke all privileges, grant for one or more of the requested users", -"Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'", -"Illegal mix of collations for operation '%s'", -"Variable '%-.64s' is not a variable component (Can't be used as XXXX.variable_name)", -"Unknown collation: '%-.64s'", -"SSL parameters in CHANGE MASTER are ignored because this MySQL slave was compiled without SSL support; they can be used later when MySQL slave with SSL will be started", -"Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format", -"óÔÏ×ÂÅÃØ ÁÂÏ ÐÏÓÉÌÁÎÎÑ '%-.64s%s%-.64s%s%-.64s' ¦Ú SELECTÕ #%d ÂÕÌÏ ÚÎÁÊÄÅÎÅ Õ SELECT¦ #%d", -"Wrong parameter or combination of parameters for START SLAVE UNTIL", -"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", -"SQL thread is not to be started so UNTIL options are ignored", -"Incorrect index name '%-.100s'", -"Incorrect catalog name '%-.100s'", -"ëÅÛ ÚÁÐÉÔ¦× ÎÅÓÐÒÏÍÏÖÅÎ ×ÓÔÁÎÏ×ÉÔÉ ÒÏÚÍ¦Ò %lu, ÎÏ×ÉÊ ÒÏÚÍ¦Ò ËÅÛÁ ÚÁÐÉÔ¦× - %lu", -"Column '%-.64s' cannot be part of FULLTEXT index", -"Unknown key cache '%-.100s'", -"MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work", -"Unknown table engine '%s'", -"'%s' is deprecated, use '%s' instead", -"ôÁÂÌÉÃÑ %-.100s Õ %s ÎÅ ÍÏÖÅ ÏÎÏ×ÌÀ×ÁÔÉÓØ", -"The '%s' feature was disabled; you need MySQL built with '%s' to have it working", -"The MySQL server is running with the %s option so it cannot execute this statement", -"Column '%-.100s' has duplicated value '%-.64s' in %s" -"Truncated wrong %-.32s value: '%-.128s'" -"Incorrect table definition; There can only be one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" -"Invalid ON UPDATE clause for '%-.64s' field", -"This command is not supported in the prepared statement protocol yet", -"Got error %d '%-.100s' from %s", -"Got temporary error %d '%-.100s' from %s", -"Unknown or incorrect time zone: '%-.64s'", -"Invalid TIMESTAMP value in column '%s' at row %ld", -"Invalid %s character string: '%.64s'", -"Result of %s() was larger than max_allowed_packet (%ld) - truncated" -"Conflicting declarations: '%s%s' and '%s%s'" -"Can't create a %s from within another stored routine" -"%s %s already exists" -"%s %s does not exist" -"Failed to DROP %s %s" -"Failed to CREATE %s %s" -"%s with no matching label: %s" -"Redefining label %s" -"End-label %s without match" -"Referring to uninitialized variable %s" -"SELECT in a stored procedure must have INTO" -"RETURN is only allowed in a FUNCTION" -"Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" -"The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" -"Query execution was interrupted" -"Incorrect number of arguments for %s %s; expected %u, got %u" -"Undefined CONDITION: %s" -"No RETURN found in FUNCTION %s" -"FUNCTION %s ended without RETURN" -"Cursor statement must be a SELECT" -"Cursor SELECT must not have INTO" -"Undefined CURSOR: %s" -"Cursor is already open" -"Cursor is not open" -"Undeclared variable: %s" -"Incorrect number of FETCH variables" -"No data to FETCH" -"Duplicate parameter: %s" -"Duplicate variable: %s" -"Duplicate condition: %s" -"Duplicate cursor: %s" -"Failed to ALTER %s %s" -"Subselect value not supported" -"USE is not allowed in a stored procedure" -"Variable or condition declaration after cursor or handler declaration" -"Cursor declaration after handler declaration" -"Case not found for CASE statement" -"úÁÎÁÄÔÏ ×ÅÌÉËÉÊ ËÏÎÆ¦ÇÕÒÁæÊÎÉÊ ÆÁÊÌ '%-.64s'" -"îÅצÒÎÉÊ ÚÁÇÏÌÏ×ÏË ÔÉÐÕ Õ ÆÁÊ̦ '%-.64s'" -"îÅÓÐÏĦ×ÁÎÎÉÊ Ë¦ÎÅÃØ ÆÁÊÌÕ Õ ËÏÍÅÎÔÁÒ¦ '%-.64s'" -"ðÏÍÉÌËÁ × ÒÏÓЦÚÎÁ×ÁÎΦ ÐÁÒÁÍÅÔÒÕ '%-.64s' (ÒÑÄÏË: '%-.64s')" -"îÅÓÐÏĦ×ÁÎÎÉÊ Ë¦ÎÅÃØ ÆÁÊÌÕ Õ ÓÐÒϦ ÐÒÏÍÉÎÕÔÉ ÎÅצÄÏÍÉÊ ÐÁÒÁÍÅÔÒ '%-.64s'" -"EXPLAIN/SHOW ÎÅ ÍÏÖÅ ÂÕÔÉ ×¦ËÏÎÁÎÏ; ÎÅÍÁ¤ ÐÒÁ× ÎÁ ÔÉÂÌÉæ ÚÁÐÉÔÕ" -"æÁÊÌ '%-.64s' ÍÁ¤ ÎÅצÄÏÍÉÊ ÔÉÐ '%-.64s' Õ ÚÁÇÏÌÏ×ËÕ" -"'%-.64s.%-.64s' ÎÅ ¤ %s" -"óÔÏ×ÂÅÃØ '%-.64s' ÎÅ ÍÏÖÅ ÂÕÔÉ ÚÍÉÎÅÎÉÊ" -"View SELECT ÍÁ¤ ЦÄÚÁÐÉÔ Õ ËÏÎÓÔÒÕËæ§ FROM" -"View SELECT ÍÁ¤ ËÏÎÓÔÒÕËæÀ '%s'" -"View SELECT ÍÁ¤ ÚÍÉÎÎÕ ÁÂÏ ÐÁÒÁÍÅÔÅÒ" -"View SELECT ×ÉËÏÒÉÓÔÏ×Õ¤ ÔÉÍÞÁÓÏ×Õ ÔÁÂÌÉÃÀ '%-.64s'" -"View SELECT ¦ ÐÅÒÅÌ¦Ë ÓÔÏ×ÂÃ¦× view ÍÁÀÔØ Ò¦ÚÎÕ Ë¦ÌØË¦ÓÔØ ÓËÏ×Âæ×" -"áÌÇÏÒÉÔÍ ÚÌÉ×ÁÎÎÑ view ÎÅ ÍÏÖÅ ÂÕÔÉ ×ÉËÏÒÉÓÔÁÎÉÊ ÚÁÒÁÚ (ÁÌÇÏÒÉÔÍ ÂÕÄÅ ÎÅ×ÉÚÎÁÞÅÎÉÊ)" -"View, ÝÏ ÏÎÏ×ÌÀÅÔØÓÑ, ΊͦÓÔÉÔØ ÐÏ×ÎÏÇÏ ËÌÀÞÁ ÔÁÂÌÉæ(Ø), ÝÏ ×ÉËÏÒ¦ÓÔÁÎÁ × ÎØÀÏÍÕ" -"View '%-.64s.%-.64s' ÐÏÓÉÌÁ¤ÔÓÑ ÎÁ ÎŦÓÎÕÀÞ¦ ÔÁÂÌÉæ ÁÂÏ ÓÔÏ×Âæ" -"Can't drop a %s from within another stored routine" -"GOTO is not allowed in a stored procedure handler" -"Trigger already exists" -"Trigger does not exist" -"Trigger's '%-.64s' is view or temporary table" -"Updating of %s row is not allowed in %strigger" -"There is no %s row in %s trigger" -"Field '%-.64s' doesn't have a default value", -"Division by 0", -"Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld", -"Illegal %s '%-.64s' value found during parsing", -"CHECK OPTION ÄÌÑ VIEW '%-.64s.%-.64s' ÝÏ ÎÅ ÍÏÖÅ ÂÕÔÉ ÏÎÏ×ÌÅÎÎÉÍ" -"ðÅÒÅצÒËÁ CHECK OPTION ÄÌÑ VIEW '%-.64s.%-.64s' ÎÅ ÐÒÏÊÛÌÁ" -"Access denied; you are not the procedure/function definer of '%s'" -"Failed purging old relay logs: %s" -"Password hash should be a %d-digit hexadecimal number" -"Target log not found in binlog index" -"I/O error reading log index file" -"Server configuration does not permit binlog purge" -"Failed on fseek()" -"Fatal error during log purge" -"A purgeable log is in use, will not purge" -"Unknown error during log purge" -"Failed initializing relay log position: %s" -"You are not using binary logging" -"The '%-.64s' syntax is reserved for purposes internal to the MySQL server" -"WSAStartup Failed" -"Can't handle procedures with differents groups yet" -"Select must have a group with this procedure" -"Can't use ORDER clause with this procedure" -"Binary logging and replication forbid changing the global server %s" -"Can't map file: %-.64s, errno: %d" -"Wrong magic in %-.64s" -"Prepared statement contains too many placeholders" -"Key part '%-.64s' length cannot be 0" -"ðÅÒÅצÒËÁ ËÏÎÔÒÏÌØÎϧ ÓÕÍÉ ÔÅËÓÔÕ VIEW ÎÅ ÐÒÏÊÛÌÁ" -"îÅÍÏÖÌÉ×Ï ÏÎÏ×ÉÔÉ Â¦ÌØÛ ÎÉÖ ÏÄÎÕ ÂÁÚÏ×Õ ÔÁÂÌÉÃÀ ×ÙËÏÒÉÓÔÏ×ÕÀÞÉ VIEW '%-.64s.%-.64s', ÝÏ Í¦ÓÔ¦ÔØ ÄÅË¦ÌØËÁ ÔÁÂÌÉÃØ" -"îÅÍÏÖÌÉ×Ï ÕÓÔÁ×ÉÔÉ ÒÑÄËÉ Õ VIEW '%-.64s.%-.64s', ÝÏ Í¦ÓÔÉÔØ ÄÅË¦ÌØËÁ ÔÁÂÌÉÃØ, ÂÅÚ ÓÐÉÓËÕ ÓÔÏ×Âæ×" -"îÅÍÏÖÌÉ×Ï ×ÉÄÁÌÉÔÉ ÒÑÄËÉ Õ VIEW '%-.64s.%-.64s', ÝÏ Í¦ÓÔÉÔØ ÄÅË¦ÌØËÁ ÔÁÂÌÉÃØ" -"Operation %s failed for '%.256s'", diff --git a/tools/Makefile.am b/tools/Makefile.am index 5528df4dd68..55801c22c48 100644 --- a/tools/Makefile.am +++ b/tools/Makefile.am @@ -15,7 +15,8 @@ # Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA # Process this file with automake to create Makefile.in -INCLUDES=@MT_INCLUDES@ -I$(top_srcdir)/include $(openssl_includes) +INCLUDES=@MT_INCLUDES@ -I$(top_srcdir)/include $(openssl_includes) \ + -I$(top_srcdir)/extra LDADD= @CLIENT_EXTRA_LDFLAGS@ @openssl_libs@ \ $(top_builddir)/libmysql_r/libmysqlclient_r.la @ZLIB_LIBS@ bin_PROGRAMS= mysqlmanager From 51c2c581f1e54d690ea857524384d58bdb0b8cde Mon Sep 17 00:00:00 2001 From: unknown Date: Mon, 13 Dec 2004 23:28:24 +0200 Subject: [PATCH 05/24] Added missing errmsg.txt BitKeeper/etc/ignore: added extra/sql_state.h --- .bzrignore | 2 + sql/share/errmsg.txt | 5623 ++++++++++++++++++++++++++++++++++++++++++ 2 files changed, 5625 insertions(+) create mode 100644 sql/share/errmsg.txt diff --git a/.bzrignore b/.bzrignore index e47629f14ec..4f0845f03cd 100644 --- a/.bzrignore +++ b/.bzrignore @@ -983,3 +983,5 @@ vio/test-ssl vio/test-sslclient vio/test-sslserver vio/viotest-ssl +extra/mysqld_error.h +extra/sql_state.h diff --git a/sql/share/errmsg.txt b/sql/share/errmsg.txt new file mode 100644 index 00000000000..714b18b39f2 --- /dev/null +++ b/sql/share/errmsg.txt @@ -0,0 +1,5623 @@ +languages czech=cze latin2, danish=dan latin1, dutch=nla latin1, english=eng latin1, estonian=est latin7, french=fre latin1, german=ger latin1, greek=greek greek, hungarian=hun latin2, italian=ita latin1, japanese=jpn ujis, korean=kor euckr, norwegian-ny=norwegian-ny latin1, norwegian=nor latin1, polish=pol latin2, portuguese=por latin1, romanian=rum latin2, russian=rus koi8r, serbian=serbian cp1250, slovak=slo latin2, spanish=spa latin1, swedish=swe latin1, ukrainian=ukr koi8u; + +default-language eng + +start-error-number 1000 + +ER_HASHCHK + eng "hashchk" +ER_NISAMCHK + eng "isamchk" +ER_NO + cze "NE" + dan "NEJ" + nla "NEE" + eng "NO" + est "EI" + fre "NON" + ger "Nein" + greek "Ï×É" + hun "NEM" + kor "¾Æ´Ï¿À" + nor "NEI" + norwegian-ny "NEI" + pol "NIE" + por "NÃO" + rum "NU" + rus "îåô" + serbian "NE" + slo "NIE" + ukr "î¶" +ER_YES + cze "ANO" + dan "JA" + nla "JA" + eng "YES" + est "JAH" + fre "OUI" + ger "Ja" + greek "ÍÁÉ" + hun "IGEN" + ita "SI" + kor "¿¹" + nor "JA" + norwegian-ny "JA" + pol "TAK" + por "SIM" + rum "DA" + rus "äá" + serbian "DA" + slo "Áno" + spa "SI" + ukr "ôáë" +ER_CANT_CREATE_FILE + cze "Nemohu vytvo-Bøit soubor '%-.64s' (chybový kód: %d)" + dan "Kan ikke oprette filen '%-.64s' (Fejlkode: %d)" + nla "Kan file '%-.64s' niet aanmaken (Errcode: %d)" + eng "Can't create file '%-.64s' (errno: %d)" + est "Ei suuda luua faili '%-.64s' (veakood: %d)" + fre "Ne peut créer le fichier '%-.64s' (Errcode: %d)" + ger "Kann Datei '%-.64s' nicht erzeugen (Fehler: %d)" + greek "Áäýíáôç ç äçìéïõñãßá ôïõ áñ÷åßïõ '%-.64s' (êùäéêüò ëÜèïõò: %d)" + hun "A '%-.64s' file nem hozhato letre (hibakod: %d)" + ita "Impossibile creare il file '%-.64s' (errno: %d)" + jpn "'%-.64s' ¥Õ¥¡¥¤¥ë¤¬ºî¤ì¤Þ¤»¤ó (errno: %d)" + kor "È­ÀÏ '%-.64s'¸¦ ¸¸µéÁö ¸øÇß½À´Ï´Ù. (¿¡·¯¹øÈ£: %d)" + nor "Kan ikke opprette fila '%-.64s' (Feilkode: %d)" + norwegian-ny "Kan ikkje opprette fila '%-.64s' (Feilkode: %d)" + pol "Nie mo¿na stworzyæ pliku '%-.64s' (Kod b³êdu: %d)" + por "Não pode criar o arquivo '%-.64s' (erro no. %d)" + rum "Nu pot sa creez fisierul '%-.64s' (Eroare: %d)" + rus "îÅ×ÏÚÍÏÖÎÏ ÓÏÚÄÁÔØ ÆÁÊÌ '%-.64s' (ÏÛÉÂËÁ: %d)" + serbian "Ne mogu da kreiram file '%-.64s' (errno: %d)" + slo "Nemô¾em vytvori» súbor '%-.64s' (chybový kód: %d)" + spa "No puedo crear archivo '%-.64s' (Error: %d)" + swe "Kan inte skapa filen '%-.64s' (Felkod: %d)" + ukr "îÅ ÍÏÖÕ ÓÔ×ÏÒÉÔÉ ÆÁÊÌ '%-.64s' (ÐÏÍÉÌËÁ: %d)" +ER_CANT_CREATE_TABLE + cze "Nemohu vytvo-Bøit tabulku '%-.64s' (chybový kód: %d)" + dan "Kan ikke oprette tabellen '%-.64s' (Fejlkode: %d)" + nla "Kan tabel '%-.64s' niet aanmaken (Errcode: %d)" + eng "Can't create table '%-.64s' (errno: %d)" + est "Ei suuda luua tabelit '%-.64s' (veakood: %d)" + fre "Ne peut créer la table '%-.64s' (Errcode: %d)" + ger "Kann Tabelle '%-.64s' nicht erzeugen (Fehler: %d)" + greek "Áäýíáôç ç äçìéïõñãßá ôïõ ðßíáêá '%-.64s' (êùäéêüò ëÜèïõò: %d)" + hun "A '%-.64s' tabla nem hozhato letre (hibakod: %d)" + ita "Impossibile creare la tabella '%-.64s' (errno: %d)" + jpn "'%-.64s' ¥Æ¡¼¥Ö¥ë¤¬ºî¤ì¤Þ¤»¤ó.(errno: %d)" + kor "Å×À̺í '%-.64s'¸¦ ¸¸µéÁö ¸øÇß½À´Ï´Ù. (¿¡·¯¹øÈ£: %d)" + nor "Kan ikke opprette tabellen '%-.64s' (Feilkode: %d)" + norwegian-ny "Kan ikkje opprette tabellen '%-.64s' (Feilkode: %d)" + pol "Nie mo¿na stworzyæ tabeli '%-.64s' (Kod b³êdu: %d)" + por "Não pode criar a tabela '%-.64s' (erro no. %d)" + rum "Nu pot sa creez tabla '%-.64s' (Eroare: %d)" + rus "îÅ×ÏÚÍÏÖÎÏ ÓÏÚÄÁÔØ ÔÁÂÌÉÃÕ '%-.64s' (ÏÛÉÂËÁ: %d)" + serbian "Ne mogu da kreiram tabelu '%-.64s' (errno: %d)" + slo "Nemô¾em vytvori» tabuµku '%-.64s' (chybový kód: %d)" + spa "No puedo crear tabla '%-.64s' (Error: %d)" + swe "Kan inte skapa tabellen '%-.64s' (Felkod: %d)" + ukr "îÅ ÍÏÖÕ ÓÔ×ÏÒÉÔÉ ÔÁÂÌÉÃÀ '%-.64s' (ÐÏÍÉÌËÁ: %d)" +ER_CANT_CREATE_DB + cze "Nemohu vytvo-Bøit databázi '%-.64s' (chybový kód: %d)" + dan "Kan ikke oprette databasen '%-.64s' (Fejlkode: %d)" + nla "Kan database '%-.64s' niet aanmaken (Errcode: %d)" + eng "Can't create database '%-.64s' (errno: %d)" + est "Ei suuda luua andmebaasi '%-.64s' (veakood: %d)" + fre "Ne peut créer la base '%-.64s' (Erreur %d)" + ger "Kann Datenbank '%-.64s' nicht erzeugen (Fehler: %d)" + greek "Áäýíáôç ç äçìéïõñãßá ôçò âÜóçò äåäïìÝíùí '%-.64s' (êùäéêüò ëÜèïõò: %d)" + hun "Az '%-.64s' adatbazis nem hozhato letre (hibakod: %d)" + ita "Impossibile creare il database '%-.64s' (errno: %d)" + jpn "'%-.64s' ¥Ç¡¼¥¿¥Ù¡¼¥¹¤¬ºî¤ì¤Þ¤»¤ó (errno: %d)" + kor "µ¥ÀÌŸº£À̽º '%-.64s'¸¦ ¸¸µéÁö ¸øÇß½À´Ï´Ù.. (¿¡·¯¹øÈ£: %d)" + nor "Kan ikke opprette databasen '%-.64s' (Feilkode: %d)" + norwegian-ny "Kan ikkje opprette databasen '%-.64s' (Feilkode: %d)" + pol "Nie mo¿na stworzyæ bazy danych '%-.64s' (Kod b³êdu: %d)" + por "Não pode criar o banco de dados '%-.64s' (erro no. %d)" + rum "Nu pot sa creez baza de date '%-.64s' (Eroare: %d)" + rus "îÅ×ÏÚÍÏÖÎÏ ÓÏÚÄÁÔØ ÂÁÚÕ ÄÁÎÎÙÈ '%-.64s' (ÏÛÉÂËÁ: %d)" + serbian "Ne mogu da kreiram bazu '%-.64s' (errno: %d)" + slo "Nemô¾em vytvori» databázu '%-.64s' (chybový kód: %d)" + spa "No puedo crear base de datos '%-.64s' (Error: %d)" + swe "Kan inte skapa databasen '%-.64s' (Felkod: %d)" + ukr "îÅ ÍÏÖÕ ÓÔ×ÏÒÉÔÉ ÂÁÚÕ ÄÁÎÎÉÈ '%-.64s' (ÐÏÍÉÌËÁ: %d)" +ER_DB_CREATE_EXISTS + cze "Nemohu vytvo-Bøit databázi '%-.64s'; databáze ji¾ existuje" + dan "Kan ikke oprette databasen '%-.64s'; databasen eksisterer" + nla "Kan database '%-.64s' niet aanmaken; database bestaat reeds" + eng "Can't create database '%-.64s'; database exists" + est "Ei suuda luua andmebaasi '%-.64s': andmebaas juba eksisteerib" + fre "Ne peut créer la base '%-.64s'; elle existe déjà" + ger "Kann Datenbank '%-.64s' nicht erzeugen. Datenbank '%-.64s' existiert bereits" + greek "Áäýíáôç ç äçìéïõñãßá ôçò âÜóçò äåäïìÝíùí '%-.64s'; Ç âÜóç äåäïìÝíùí õðÜñ÷åé Þäç" + hun "Az '%-.64s' adatbazis nem hozhato letre Az adatbazis mar letezik" + ita "Impossibile creare il database '%-.64s'; il database esiste" + jpn "'%-.64s' ¥Ç¡¼¥¿¥Ù¡¼¥¹¤¬ºî¤ì¤Þ¤»¤ó.´û¤Ë¤½¤Î¥Ç¡¼¥¿¥Ù¡¼¥¹¤¬Â¸ºß¤·¤Þ¤¹" + kor "µ¥ÀÌŸº£À̽º '%-.64s'¸¦ ¸¸µéÁö ¸øÇß½À´Ï´Ù.. µ¥ÀÌŸº£À̽º°¡ Á¸ÀçÇÔ" + nor "Kan ikke opprette databasen '%-.64s'; databasen eksisterer" + norwegian-ny "Kan ikkje opprette databasen '%-.64s'; databasen eksisterer" + pol "Nie mo¿na stworzyæ bazy danych '%-.64s'; baza danych ju¿ istnieje" + por "Não pode criar o banco de dados '%-.64s'; este banco de dados já existe" + rum "Nu pot sa creez baza de date '%-.64s'; baza de date exista deja" + rus "îÅ×ÏÚÍÏÖÎÏ ÓÏÚÄÁÔØ ÂÁÚÕ ÄÁÎÎÙÈ '%-.64s'. âÁÚÁ ÄÁÎÎÙÈ ÕÖÅ ÓÕÝÅÓÔ×ÕÅÔ" + serbian "Ne mogu da kreiram bazu '%-.64s'; baza veæ postoji." + slo "Nemô¾em vytvori» databázu '%-.64s'; databáza existuje" + spa "No puedo crear base de datos '%-.64s'; la base de datos ya existe" + swe "Databasen '%-.64s' existerar redan" + ukr "îÅ ÍÏÖÕ ÓÔ×ÏÒÉÔÉ ÂÁÚÕ ÄÁÎÎÉÈ '%-.64s'. âÁÚÁ ÄÁÎÎÉÈ ¦ÓÎÕ¤" +ER_DB_DROP_EXISTS + cze "Nemohu zru-B¹it databázi '%-.64s', databáze neexistuje" + dan "Kan ikke slette (droppe) '%-.64s'; databasen eksisterer ikke" + nla "Kan database '%-.64s' niet verwijderen; database bestaat niet" + eng "Can't drop database '%-.64s'; database doesn't exist" + est "Ei suuda kustutada andmebaasi '%-.64s': andmebaasi ei eksisteeri" + fre "Ne peut effacer la base '%-.64s'; elle n'existe pas" + ger "Kann Datenbank '%-.64s' nicht löschen. Keine Datenbank '%-.64s' vorhanden" + greek "Áäýíáôç ç äéáãñáöÞ ôçò âÜóçò äåäïìÝíùí '%-.64s'. Ç âÜóç äåäïìÝíùí äåí õðÜñ÷åé" + hun "A(z) '%-.64s' adatbazis nem szuntetheto meg. Az adatbazis nem letezik" + ita "Impossibile cancellare '%-.64s'; il database non esiste" + jpn "'%-.64s' ¥Ç¡¼¥¿¥Ù¡¼¥¹¤òÇË´þ¤Ç¤­¤Þ¤»¤ó. ¤½¤Î¥Ç¡¼¥¿¥Ù¡¼¥¹¤¬¤Ê¤¤¤Î¤Ç¤¹." + kor "µ¥ÀÌŸº£À̽º '%-.64s'¸¦ Á¦°ÅÇÏÁö ¸øÇß½À´Ï´Ù. µ¥ÀÌŸº£À̽º°¡ Á¸ÀçÇÏÁö ¾ÊÀ½ " + nor "Kan ikke fjerne (drop) '%-.64s'; databasen eksisterer ikke" + norwegian-ny "Kan ikkje fjerne (drop) '%-.64s'; databasen eksisterer ikkje" + pol "Nie mo¿na usun?æ bazy danych '%-.64s'; baza danych nie istnieje" + por "Não pode eliminar o banco de dados '%-.64s'; este banco de dados não existe" + rum "Nu pot sa drop baza de date '%-.64s'; baza da date este inexistenta" + rus "îÅ×ÏÚÍÏÖÎÏ ÕÄÁÌÉÔØ ÂÁÚÕ ÄÁÎÎÙÈ '%-.64s'. ôÁËÏÊ ÂÁÚÙ ÄÁÎÎÙÈ ÎÅÔ" + serbian "Ne mogu da izbrišem bazu '%-.64s'; baza ne postoji." + slo "Nemô¾em zmaza» databázu '%-.64s'; databáza neexistuje" + spa "No puedo eliminar base de datos '%-.64s'; la base de datos no existe" + swe "Kan inte radera databasen '%-.64s'; databasen finns inte" + ukr "îÅ ÍÏÖÕ ×ÉÄÁÌÉÔÉ ÂÁÚÕ ÄÁÎÎÉÈ '%-.64s'. âÁÚÁ ÄÁÎÎÉÈ ÎÅ ¦ÓÎÕ¤" +ER_DB_DROP_DELETE + cze "Chyba p-Bøi ru¹ení databáze (nemohu vymazat '%-.64s', chyba %d)" + dan "Fejl ved sletning (drop) af databasen (kan ikke slette '%-.64s', Fejlkode %d)" + nla "Fout bij verwijderen database (kan '%-.64s' niet verwijderen, Errcode: %d)" + eng "Error dropping database (can't delete '%-.64s', errno: %d)" + est "Viga andmebaasi kustutamisel (ei suuda kustutada faili '%-.64s', veakood: %d)" + fre "Ne peut effacer la base '%-.64s' (erreur %d)" + ger "Fehler beim Löschen der Datenbank ('%-.64s' kann nicht gelöscht werden, Fehlernuumer: %d)" + greek "ÐáñïõóéÜóôçêå ðñüâëçìá êáôÜ ôç äéáãñáöÞ ôçò âÜóçò äåäïìÝíùí (áäýíáôç ç äéáãñáöÞ '%-.64s', êùäéêüò ëÜèïõò: %d)" + hun "Adatbazis megszuntetesi hiba ('%-.64s' nem torolheto, hibakod: %d)" + ita "Errore durante la cancellazione del database (impossibile cancellare '%-.64s', errno: %d)" + jpn "¥Ç¡¼¥¿¥Ù¡¼¥¹ÇË´þ¥¨¥é¡¼ ('%-.64s' ¤òºï½ü¤Ç¤­¤Þ¤»¤ó, errno: %d)" + kor "µ¥ÀÌŸº£À̽º Á¦°Å ¿¡·¯('%-.64s'¸¦ »èÁ¦ÇÒ ¼ö ¾øÀ¾´Ï´Ù, ¿¡·¯¹øÈ£: %d)" + nor "Feil ved fjerning (drop) av databasen (kan ikke slette '%-.64s', feil %d)" + norwegian-ny "Feil ved fjerning (drop) av databasen (kan ikkje slette '%-.64s', feil %d)" + pol "B³?d podczas usuwania bazy danych (nie mo¿na usun?æ '%-.64s', b³?d %d)" + por "Erro ao eliminar banco de dados (não pode eliminar '%-.64s' - erro no. %d)" + rum "Eroare dropuind baza de date (nu pot sa sterg '%-.64s', Eroare: %d)" + rus "ïÛÉÂËÁ ÐÒÉ ÕÄÁÌÅÎÉÉ ÂÁÚÙ ÄÁÎÎÙÈ (ÎÅ×ÏÚÍÏÖÎÏ ÕÄÁÌÉÔØ '%-.64s', ÏÛÉÂËÁ: %d)" + serbian "Ne mogu da izbrišem bazu (ne mogu da izbrišem '%-.64s', errno: %d)" + slo "Chyba pri mazaní databázy (nemô¾em zmaza» '%-.64s', chybový kód: %d)" + spa "Error eliminando la base de datos(no puedo borrar '%-.64s', error %d)" + swe "Fel vid radering av databasen (Kan inte radera '%-.64s'. Felkod: %d)" + ukr "îÅ ÍÏÖÕ ×ÉÄÁÌÉÔÉ ÂÁÚÕ ÄÁÎÎÉÈ (îÅ ÍÏÖÕ ×ÉÄÁÌÉÔÉ '%-.64s', ÐÏÍÉÌËÁ: %d)" +ER_DB_DROP_RMDIR + cze "Chyba p-Bøi ru¹ení databáze (nemohu vymazat adresáø '%-.64s', chyba %d)" + dan "Fejl ved sletting af database (kan ikke slette folderen '%-.64s', Fejlkode %d)" + nla "Fout bij verwijderen database (kan rmdir '%-.64s' niet uitvoeren, Errcode: %d)" + eng "Error dropping database (can't rmdir '%-.64s', errno: %d)" + est "Viga andmebaasi kustutamisel (ei suuda kustutada kataloogi '%-.64s', veakood: %d)" + fre "Erreur en effaçant la base (rmdir '%-.64s', erreur %d)" + ger "Fehler beim Löschen der Datenbank (Verzeichnis '%-.64s' kann nicht gelöscht werden, Fehlernummer: %d)" + greek "ÐáñïõóéÜóôçêå ðñüâëçìá êáôÜ ôç äéáãñáöÞ ôçò âÜóçò äåäïìÝíùí (áäýíáôç ç äéáãñáöÞ ôïõ öáêÝëëïõ '%-.64s', êùäéêüò ëÜèïõò: %d)" + hun "Adatbazis megszuntetesi hiba ('%-.64s' nem szuntetheto meg, hibakod: %d)" + ita "Errore durante la cancellazione del database (impossibile rmdir '%-.64s', errno: %d)" + jpn "¥Ç¡¼¥¿¥Ù¡¼¥¹ÇË´þ¥¨¥é¡¼ ('%-.64s' ¤ò rmdir ¤Ç¤­¤Þ¤»¤ó, errno: %d)" + kor "µ¥ÀÌŸº£À̽º Á¦°Å ¿¡·¯(rmdir '%-.64s'¸¦ ÇÒ ¼ö ¾øÀ¾´Ï´Ù, ¿¡·¯¹øÈ£: %d)" + nor "Feil ved sletting av database (kan ikke slette katalogen '%-.64s', feil %d)" + norwegian-ny "Feil ved sletting av database (kan ikkje slette katalogen '%-.64s', feil %d)" + pol "B³?d podczas usuwania bazy danych (nie mo¿na wykonaæ rmdir '%-.64s', b³?d %d)" + por "Erro ao eliminar banco de dados (não pode remover diretório '%-.64s' - erro no. %d)" + rum "Eroare dropuind baza de date (nu pot sa rmdir '%-.64s', Eroare: %d)" + rus "îÅ×ÏÚÍÏÖÎÏ ÕÄÁÌÉÔØ ÂÁÚÕ ÄÁÎÎÙÈ (ÎÅ×ÏÚÍÏÖÎÏ ÕÄÁÌÉÔØ ËÁÔÁÌÏÇ '%-.64s', ÏÛÉÂËÁ: %d)" + serbian "Ne mogu da izbrišem bazu (ne mogu da izbrišem direktorijum '%-.64s', errno: %d)" + slo "Chyba pri mazaní databázy (nemô¾em vymaza» adresár '%-.64s', chybový kód: %d)" + spa "Error eliminando la base de datos (No puedo borrar directorio '%-.64s', error %d)" + swe "Fel vid radering av databasen (Kan inte radera biblioteket '%-.64s'. Felkod: %d)" + ukr "îÅ ÍÏÖÕ ×ÉÄÁÌÉÔÉ ÂÁÚÕ ÄÁÎÎÉÈ (îÅ ÍÏÖÕ ×ÉÄÁÌÉÔÉ ÔÅËÕ '%-.64s', ÐÏÍÉÌËÁ: %d)" +ER_CANT_DELETE_FILE + cze "Chyba p-Bøi výmazu '%-.64s' (chybový kód: %d)" + dan "Fejl ved sletning af '%-.64s' (Fejlkode: %d)" + nla "Fout bij het verwijderen van '%-.64s' (Errcode: %d)" + eng "Error on delete of '%-.64s' (errno: %d)" + est "Viga '%-.64s' kustutamisel (veakood: %d)" + fre "Erreur en effaçant '%-.64s' (Errcode: %d)" + ger "Fehler beim Löschen von '%-.64s' (Fehler: %d)" + greek "ÐáñïõóéÜóôçêå ðñüâëçìá êáôÜ ôç äéáãñáöÞ '%-.64s' (êùäéêüò ëÜèïõò: %d)" + hun "Torlesi hiba: '%-.64s' (hibakod: %d)" + ita "Errore durante la cancellazione di '%-.64s' (errno: %d)" + jpn "'%-.64s' ¤Îºï½ü¤¬¥¨¥é¡¼ (errno: %d)" + kor "'%-.64s' »èÁ¦ Áß ¿¡·¯ (¿¡·¯¹øÈ£: %d)" + nor "Feil ved sletting av '%-.64s' (Feilkode: %d)" + norwegian-ny "Feil ved sletting av '%-.64s' (Feilkode: %d)" + pol "B³?d podczas usuwania '%-.64s' (Kod b³êdu: %d)" + por "Erro na remoção de '%-.64s' (erro no. %d)" + rum "Eroare incercind sa delete '%-.64s' (Eroare: %d)" + rus "ïÛÉÂËÁ ÐÒÉ ÕÄÁÌÅÎÉÉ '%-.64s' (ÏÛÉÂËÁ: %d)" + serbian "Greška pri brisanju '%-.64s' (errno: %d)" + slo "Chyba pri mazaní '%-.64s' (chybový kód: %d)" + spa "Error en el borrado de '%-.64s' (Error: %d)" + swe "Kan inte radera filen '%-.64s' (Felkod: %d)" + ukr "îÅ ÍÏÖÕ ×ÉÄÁÌÉÔÉ '%-.64s' (ÐÏÍÉÌËÁ: %d)" +ER_CANT_FIND_SYSTEM_REC + cze "Nemohu -Bèíst záznam v systémové tabulce" + dan "Kan ikke læse posten i systemfolderen" + nla "Kan record niet lezen in de systeem tabel" + eng "Can't read record in system table" + est "Ei suuda lugeda kirjet süsteemsest tabelist" + fre "Ne peut lire un enregistrement de la table 'system'" + ger "Datensatz in der Systemtabelle nicht lesbar" + greek "Áäýíáôç ç áíÜãíùóç åããñáöÞò áðü ðßíáêá ôïõ óõóôÞìáôïò" + hun "Nem olvashato rekord a rendszertablaban" + ita "Impossibile leggere il record dalla tabella di sistema" + jpn "system table ¤Î¥ì¥³¡¼¥É¤òÆÉ¤à»ö¤¬¤Ç¤­¤Þ¤»¤ó¤Ç¤·¤¿" + kor "system Å×ÀÌºí¿¡¼­ ·¹Äڵ带 ÀÐÀ» ¼ö ¾ø½À´Ï´Ù." + nor "Kan ikke lese posten i systemkatalogen" + norwegian-ny "Kan ikkje lese posten i systemkatalogen" + pol "Nie mo¿na odczytaæ rekordu z tabeli systemowej" + por "Não pode ler um registro numa tabela do sistema" + rum "Nu pot sa citesc cimpurile in tabla de system (system table)" + rus "îÅ×ÏÚÍÏÖÎÏ ÐÒÏÞÉÔÁÔØ ÚÁÐÉÓØ × ÓÉÓÔÅÍÎÏÊ ÔÁÂÌÉÃÅ" + serbian "Ne mogu da proèitam slog iz sistemske tabele" + slo "Nemô¾em èíta» záznam v systémovej tabuµke" + spa "No puedo leer el registro en la tabla del sistema" + swe "Hittar inte posten i systemregistret" + ukr "îÅ ÍÏÖÕ ÚÞÉÔÁÔÉ ÚÁÐÉÓ Ú ÓÉÓÔÅÍÎϧ ÔÁÂÌÉæ" +ER_CANT_GET_STAT + cze "Nemohu z-Bískat stav '%-.64s' (chybový kód: %d)" + dan "Kan ikke læse status af '%-.64s' (Fejlkode: %d)" + nla "Kan de status niet krijgen van '%-.64s' (Errcode: %d)" + eng "Can't get status of '%-.64s' (errno: %d)" + est "Ei suuda lugeda '%-.64s' olekut (veakood: %d)" + fre "Ne peut obtenir le status de '%-.64s' (Errcode: %d)" + ger "Kann Status von '%-.64s' nicht ermitteln (Fehler: %d)" + greek "Áäýíáôç ç ëÞøç ðëçñïöïñéþí ãéá ôçí êáôÜóôáóç ôïõ '%-.64s' (êùäéêüò ëÜèïõò: %d)" + hun "A(z) '%-.64s' statusza nem allapithato meg (hibakod: %d)" + ita "Impossibile leggere lo stato di '%-.64s' (errno: %d)" + jpn "'%-.64s' ¤Î¥¹¥Æ¥¤¥¿¥¹¤¬ÆÀ¤é¤ì¤Þ¤»¤ó. (errno: %d)" + kor "'%-.64s'ÀÇ »óŸ¦ ¾òÁö ¸øÇß½À´Ï´Ù. (¿¡·¯¹øÈ£: %d)" + nor "Kan ikke lese statusen til '%-.64s' (Feilkode: %d)" + norwegian-ny "Kan ikkje lese statusen til '%-.64s' (Feilkode: %d)" + pol "Nie mo¿na otrzymaæ statusu '%-.64s' (Kod b³êdu: %d)" + por "Não pode obter o status de '%-.64s' (erro no. %d)" + rum "Nu pot sa obtin statusul lui '%-.64s' (Eroare: %d)" + rus "îÅ×ÏÚÍÏÖÎÏ ÐÏÌÕÞÉÔØ ÓÔÁÔÕÓÎÕÀ ÉÎÆÏÒÍÁÃÉÀ Ï '%-.64s' (ÏÛÉÂËÁ: %d)" + serbian "Ne mogu da dobijem stanje file-a '%-.64s' (errno: %d)" + slo "Nemô¾em zisti» stav '%-.64s' (chybový kód: %d)" + spa "No puedo obtener el estado de '%-.64s' (Error: %d)" + swe "Kan inte läsa filinformationen (stat) från '%-.64s' (Felkod: %d)" + ukr "îÅ ÍÏÖÕ ÏÔÒÉÍÁÔÉ ÓÔÁÔÕÓ '%-.64s' (ÐÏÍÉÌËÁ: %d)" +ER_CANT_GET_WD + cze "Chyba p-Bøi zji¹»ování pracovní adresáø (chybový kód: %d)" + dan "Kan ikke læse aktive folder (Fejlkode: %d)" + nla "Kan de werkdirectory niet krijgen (Errcode: %d)" + eng "Can't get working directory (errno: %d)" + est "Ei suuda identifitseerida jooksvat kataloogi (veakood: %d)" + fre "Ne peut obtenir le répertoire de travail (Errcode: %d)" + ger "Kann Arbeitsverzeichnis nicht ermitteln (Fehler: %d)" + greek "Ï öÜêåëëïò åñãáóßáò äåí âñÝèçêå (êùäéêüò ëÜèïõò: %d)" + hun "A munkakonyvtar nem allapithato meg (hibakod: %d)" + ita "Impossibile leggere la directory di lavoro (errno: %d)" + jpn "working directory ¤òÆÀ¤ë»ö¤¬¤Ç¤­¤Þ¤»¤ó¤Ç¤·¤¿ (errno: %d)" + kor "¼öÇà µð·ºÅ丮¸¦ ãÁö ¸øÇß½À´Ï´Ù. (¿¡·¯¹øÈ£: %d)" + nor "Kan ikke lese aktiv katalog(Feilkode: %d)" + norwegian-ny "Kan ikkje lese aktiv katalog(Feilkode: %d)" + pol "Nie mo¿na rozpoznaæ aktualnego katalogu (Kod b³êdu: %d)" + por "Não pode obter o diretório corrente (erro no. %d)" + rum "Nu pot sa obtin directorul current (working directory) (Eroare: %d)" + rus "îÅ×ÏÚÍÏÖÎÏ ÏÐÒÅÄÅÌÉÔØ ÒÁÂÏÞÉÊ ËÁÔÁÌÏÇ (ÏÛÉÂËÁ: %d)" + serbian "Ne mogu da dobijem trenutni direktorijum (errno: %d)" + slo "Nemô¾em zisti» pracovný adresár (chybový kód: %d)" + spa "No puedo acceder al directorio (Error: %d)" + swe "Kan inte inte läsa aktivt bibliotek. (Felkod: %d)" + ukr "îÅ ÍÏÖÕ ×ÉÚÎÁÞÉÔÉ ÒÏÂÏÞÕ ÔÅËÕ (ÐÏÍÉÌËÁ: %d)" +ER_CANT_LOCK + cze "Nemohu uzamknout soubor (chybov-Bý kód: %d)" + dan "Kan ikke låse fil (Fejlkode: %d)" + nla "Kan de file niet blokeren (Errcode: %d)" + eng "Can't lock file (errno: %d)" + est "Ei suuda lukustada faili (veakood: %d)" + fre "Ne peut verrouiller le fichier (Errcode: %d)" + ger "Datei kann nicht gesperrt werden (Fehler: %d)" + greek "Ôï áñ÷åßï äåí ìðïñåß íá êëåéäùèåß (êùäéêüò ëÜèïõò: %d)" + hun "A file nem zarolhato. (hibakod: %d)" + ita "Impossibile il locking il file (errno: %d)" + jpn "¥Õ¥¡¥¤¥ë¤ò¥í¥Ã¥¯¤Ç¤­¤Þ¤»¤ó (errno: %d)" + kor "È­ÀÏÀ» Àá±×Áö(lock) ¸øÇß½À´Ï´Ù. (¿¡·¯¹øÈ£: %d)" + nor "Kan ikke låse fila (Feilkode: %d)" + norwegian-ny "Kan ikkje låse fila (Feilkode: %d)" + pol "Nie mo¿na zablokowaæ pliku (Kod b³êdu: %d)" + por "Não pode travar o arquivo (erro no. %d)" + rum "Nu pot sa lock fisierul (Eroare: %d)" + rus "îÅ×ÏÚÍÏÖÎÏ ÐÏÓÔÁ×ÉÔØ ÂÌÏËÉÒÏ×ËÕ ÎÁ ÆÁÊÌÅ (ÏÛÉÂËÁ: %d)" + serbian "Ne mogu da zakljuèam file (errno: %d)" + slo "Nemô¾em zamknú» súbor (chybový kód: %d)" + spa "No puedo bloquear archivo: (Error: %d)" + swe "Kan inte låsa filen. (Felkod: %d)" + ukr "îÅ ÍÏÖÕ ÚÁÂÌÏËÕ×ÁÔÉ ÆÁÊÌ (ÐÏÍÉÌËÁ: %d)" +ER_CANT_OPEN_FILE + cze "Nemohu otev-Bøít soubor '%-.64s' (chybový kód: %d)" + dan "Kan ikke åbne fil: '%-.64s' (Fejlkode: %d)" + nla "Kan de file '%-.64s' niet openen (Errcode: %d)" + eng "Can't open file: '%-.64s' (errno: %d)" + est "Ei suuda avada faili '%-.64s' (veakood: %d)" + fre "Ne peut ouvrir le fichier: '%-.64s' (Errcode: %d)" + ger "Datei '%-.64s' nicht öffnen (Fehler: %d)" + greek "Äåí åßíáé äõíáôü íá áíïé÷ôåß ôï áñ÷åßï: '%-.64s' (êùäéêüò ëÜèïõò: %d)" + hun "A '%-.64s' file nem nyithato meg (hibakod: %d)" + ita "Impossibile aprire il file: '%-.64s' (errno: %d)" + jpn "'%-.64s' ¥Õ¥¡¥¤¥ë¤ò³«¤¯»ö¤¬¤Ç¤­¤Þ¤»¤ó (errno: %d)" + kor "È­ÀÏÀ» ¿­Áö ¸øÇß½À´Ï´Ù.: '%-.64s' (¿¡·¯¹øÈ£: %d)" + nor "Kan ikke åpne fila: '%-.64s' (Feilkode: %d)" + norwegian-ny "Kan ikkje åpne fila: '%-.64s' (Feilkode: %d)" + pol "Nie mo¿na otworzyæ pliku: '%-.64s' (Kod b³êdu: %d)" + por "Não pode abrir o arquivo '%-.64s' (erro no. %d)" + rum "Nu pot sa deschid fisierul: '%-.64s' (Eroare: %d)" + rus "îÅ×ÏÚÍÏÖÎÏ ÏÔËÒÙÔØ ÆÁÊÌ: '%-.64s' (ÏÛÉÂËÁ: %d)" + serbian "Ne mogu da otvorim file: '%-.64s' (errno: %d)" + slo "Nemô¾em otvori» súbor: '%-.64s' (chybový kód: %d)" + spa "No puedo abrir archivo: '%-.64s' (Error: %d)" + swe "Kan inte använda '%-.64s' (Felkod: %d)" + ukr "îÅ ÍÏÖÕ ×¦ÄËÒÉÔÉ ÆÁÊÌ: '%-.64s' (ÐÏÍÉÌËÁ: %d)" +ER_FILE_NOT_FOUND + cze "Nemohu naj-Bít soubor '%-.64s' (chybový kód: %d)" + dan "Kan ikke finde fila: '%-.64s' (Fejlkode: %d)" + nla "Kan de file: '%-.64s' niet vinden (Errcode: %d)" + eng "Can't find file: '%-.64s' (errno: %d)" + est "Ei suuda leida faili '%-.64s' (veakood: %d)" + fre "Ne peut trouver le fichier: '%-.64s' (Errcode: %d)" + ger "Kann Datei '%-.64s' nicht finden (Fehler: %d)" + greek "Äåí âñÝèçêå ôï áñ÷åßï: '%-.64s' (êùäéêüò ëÜèïõò: %d)" + hun "A(z) '%-.64s' file nem talalhato (hibakod: %d)" + ita "Impossibile trovare il file: '%-.64s' (errno: %d)" + jpn "'%-.64s' ¥Õ¥¡¥¤¥ë¤ò¸«ÉÕ¤±¤ë»ö¤¬¤Ç¤­¤Þ¤»¤ó.(errno: %d)" + kor "È­ÀÏÀ» ãÁö ¸øÇß½À´Ï´Ù.: '%-.64s' (¿¡·¯¹øÈ£: %d)" + nor "Kan ikke finne fila: '%-.64s' (Feilkode: %d)" + norwegian-ny "Kan ikkje finne fila: '%-.64s' (Feilkode: %d)" + pol "Nie mo¿na znale¥æ pliku: '%-.64s' (Kod b³êdu: %d)" + por "Não pode encontrar o arquivo '%-.64s' (erro no. %d)" + rum "Nu pot sa gasesc fisierul: '%-.64s' (Eroare: %d)" + rus "îÅ×ÏÚÍÏÖÎÏ ÎÁÊÔÉ ÆÁÊÌ: '%-.64s' (ÏÛÉÂËÁ: %d)" + serbian "Ne mogu da pronaðem file: '%-.64s' (errno: %d)" + slo "Nemô¾em nájs» súbor: '%-.64s' (chybový kód: %d)" + spa "No puedo encontrar archivo: '%-.64s' (Error: %d)" + swe "Hittar inte filen '%-.64s' (Felkod: %d)" + ukr "îÅ ÍÏÖÕ ÚÎÁÊÔÉ ÆÁÊÌ: '%-.64s' (ÐÏÍÉÌËÁ: %d)" +ER_CANT_READ_DIR + cze "Nemohu -Bèíst adresáø '%-.64s' (chybový kód: %d)" + dan "Kan ikke læse folder '%-.64s' (Fejlkode: %d)" + nla "Kan de directory niet lezen van '%-.64s' (Errcode: %d)" + eng "Can't read dir of '%-.64s' (errno: %d)" + est "Ei suuda lugeda kataloogi '%-.64s' (veakood: %d)" + fre "Ne peut lire le répertoire de '%-.64s' (Errcode: %d)" + ger "Verzeichnis von '%-.64s' nicht lesbar (Fehler: %d)" + greek "Äåí åßíáé äõíáôü íá äéáâáóôåß ï öÜêåëëïò ôïõ '%-.64s' (êùäéêüò ëÜèïõò: %d)" + hun "A(z) '%-.64s' konyvtar nem olvashato. (hibakod: %d)" + ita "Impossibile leggere la directory di '%-.64s' (errno: %d)" + jpn "'%-.64s' ¥Ç¥£¥ì¥¯¥È¥ê¤¬ÆÉ¤á¤Þ¤»¤ó.(errno: %d)" + kor "'%-.64s'µð·ºÅ丮¸¦ ÀÐÁö ¸øÇß½À´Ï´Ù. (¿¡·¯¹øÈ£: %d)" + nor "Kan ikke lese katalogen '%-.64s' (Feilkode: %d)" + norwegian-ny "Kan ikkje lese katalogen '%-.64s' (Feilkode: %d)" + pol "Nie mo¿na odczytaæ katalogu '%-.64s' (Kod b³êdu: %d)" + por "Não pode ler o diretório de '%-.64s' (erro no. %d)" + rum "Nu pot sa citesc directorul '%-.64s' (Eroare: %d)" + rus "îÅ×ÏÚÍÏÖÎÏ ÐÒÏÞÉÔÁÔØ ËÁÔÁÌÏÇ '%-.64s' (ÏÛÉÂËÁ: %d)" + serbian "Ne mogu da proèitam direktorijum '%-.64s' (errno: %d)" + slo "Nemô¾em èíta» adresár '%-.64s' (chybový kód: %d)" + spa "No puedo leer el directorio de '%-.64s' (Error: %d)" + swe "Kan inte läsa från bibliotek '%-.64s' (Felkod: %d)" + ukr "îÅ ÍÏÖÕ ÐÒÏÞÉÔÁÔÉ ÔÅËÕ '%-.64s' (ÐÏÍÉÌËÁ: %d)" +ER_CANT_SET_WD + cze "Nemohu zm-Bìnit adresáø na '%-.64s' (chybový kód: %d)" + dan "Kan ikke skifte folder til '%-.64s' (Fejlkode: %d)" + nla "Kan de directory niet veranderen naar '%-.64s' (Errcode: %d)" + eng "Can't change dir to '%-.64s' (errno: %d)" + est "Ei suuda siseneda kataloogi '%-.64s' (veakood: %d)" + fre "Ne peut changer le répertoire pour '%-.64s' (Errcode: %d)" + ger "Kann nicht in das Verzeichnis '%-.64s' wechseln (Fehler: %d)" + greek "Áäýíáôç ç áëëáãÞ ôïõ ôñÝ÷ïíôïò êáôáëüãïõ óå '%-.64s' (êùäéêüò ëÜèïõò: %d)" + hun "Konyvtarvaltas nem lehetseges a(z) '%-.64s'-ba. (hibakod: %d)" + ita "Impossibile cambiare la directory in '%-.64s' (errno: %d)" + jpn "'%-.64s' ¥Ç¥£¥ì¥¯¥È¥ê¤Ë chdir ¤Ç¤­¤Þ¤»¤ó.(errno: %d)" + kor "'%-.64s'µð·ºÅ丮·Î À̵¿ÇÒ ¼ö ¾ø¾ú½À´Ï´Ù. (¿¡·¯¹øÈ£: %d)" + nor "Kan ikke skifte katalog til '%-.64s' (Feilkode: %d)" + norwegian-ny "Kan ikkje skifte katalog til '%-.64s' (Feilkode: %d)" + pol "Nie mo¿na zmieniæ katalogu na '%-.64s' (Kod b³êdu: %d)" + por "Não pode mudar para o diretório '%-.64s' (erro no. %d)" + rum "Nu pot sa schimb directorul '%-.64s' (Eroare: %d)" + rus "îÅ×ÏÚÍÏÖÎÏ ÐÅÒÅÊÔÉ × ËÁÔÁÌÏÇ '%-.64s' (ÏÛÉÂËÁ: %d)" + serbian "Ne mogu da promenim direktorijum na '%-.64s' (errno: %d)" + slo "Nemô¾em vojs» do adresára '%-.64s' (chybový kód: %d)" + spa "No puedo cambiar al directorio de '%-.64s' (Error: %d)" + swe "Kan inte byta till '%-.64s' (Felkod: %d)" + ukr "îÅ ÍÏÖÕ ÐÅÒÅÊÔÉ Õ ÔÅËÕ '%-.64s' (ÐÏÍÉÌËÁ: %d)" +ER_CHECKREAD + cze "Z-Báznam byl zmìnìn od posledního ètení v tabulce '%-.64s'" + dan "Posten er ændret siden sidste læsning '%-.64s'" + nla "Record is veranderd sinds de laatste lees activiteit in de tabel '%-.64s'" + eng "Record has changed since last read in table '%-.64s'" + est "Kirje tabelis '%-.64s' on muutunud viimasest lugemisest saadik" + fre "Enregistrement modifié depuis sa dernière lecture dans la table '%-.64s'" + ger "Datensatz hat sich seit dem letzten Zugriff auf Tabelle '%-.64s' geändert" + greek "Ç åããñáöÞ Ý÷åé áëëÜîåé áðü ôçí ôåëåõôáßá öïñÜ ðïõ áíáóýñèçêå áðü ôïí ðßíáêá '%-.64s'" + hun "A(z) '%-.64s' tablaban talalhato rekord megvaltozott az utolso olvasas ota" + ita "Il record e` cambiato dall'ultima lettura della tabella '%-.64s'" + kor "Å×À̺í '%-.64s'¿¡¼­ ¸¶Áö¸·À¸·Î ÀÐÀº ÈÄ Record°¡ º¯°æµÇ¾ú½À´Ï´Ù." + nor "Posten har blitt endret siden den ble lest '%-.64s'" + norwegian-ny "Posten har vorte endra sidan den sist vart lesen '%-.64s'" + pol "Rekord zosta³ zmieniony od ostaniego odczytania z tabeli '%-.64s'" + por "Registro alterado desde a última leitura da tabela '%-.64s'" + rum "Cimpul a fost schimbat de la ultima citire a tabelei '%-.64s'" + rus "úÁÐÉÓØ ÉÚÍÅÎÉÌÁÓØ Ó ÍÏÍÅÎÔÁ ÐÏÓÌÅÄÎÅÊ ×ÙÂÏÒËÉ × ÔÁÂÌÉÃÅ '%-.64s'" + serbian "Slog je promenjen od zadnjeg èitanja tabele '%-.64s'" + slo "Záznam bol zmenený od posledného èítania v tabuµke '%-.64s'" + spa "El registro ha cambiado desde la ultima lectura de la tabla '%-.64s'" + swe "Posten har förändrats sedan den lästes i register '%-.64s'" + ukr "úÁÐÉÓ ÂÕÌÏ ÚͦÎÅÎÏ Ú ÞÁÓÕ ÏÓÔÁÎÎØÏÇÏ ÞÉÔÁÎÎÑ Ú ÔÁÂÌÉæ '%-.64s'" +ER_DISK_FULL + cze "Disk je pln-Bý (%s), èekám na uvolnìní nìjakého místa ..." + dan "Ikke mere diskplads (%s). Venter på at få frigjort plads..." + nla "Schijf vol (%s). Aan het wachten totdat er ruimte vrij wordt gemaakt..." + eng "Disk full (%s); waiting for someone to free some space..." + est "Ketas täis (%s). Ootame kuni tekib vaba ruumi..." + fre "Disque plein (%s). J'attend que quelqu'un libère de l'espace..." + ger "Festplatte voll (%-.64s). Warte, bis jemand Platz schafft ..." + greek "Äåí õðÜñ÷åé ÷þñïò óôï äßóêï (%s). Ðáñáêáëþ, ðåñéìÝíåôå íá åëåõèåñùèåß ÷þñïò..." + hun "A lemez megtelt (%s)." + ita "Disco pieno (%s). In attesa che qualcuno liberi un po' di spazio..." + jpn "Disk full (%s). 狼¤¬²¿¤«¤ò¸º¤é¤¹¤Þ¤Ç¤Þ¤Ã¤Æ¤¯¤À¤µ¤¤..." + kor "Disk full (%s). ´Ù¸¥ »ç¶÷ÀÌ Áö¿ï¶§±îÁö ±â´Ù¸³´Ï´Ù..." + nor "Ikke mer diskplass (%s). Venter på å få frigjort plass..." + norwegian-ny "Ikkje meir diskplass (%s). Ventar på å få frigjort plass..." + pol "Dysk pe³ny (%s). Oczekiwanie na zwolnienie miejsca..." + por "Disco cheio (%s). Aguardando alguém liberar algum espaço..." + rum "Hard-disk-ul este plin (%s). Astept sa se elibereze ceva spatiu..." + rus "äÉÓË ÚÁÐÏÌÎÅÎ. (%s). ïÖÉÄÁÅÍ, ÐÏËÁ ËÔÏ-ÔÏ ÎÅ ÕÂÅÒÅÔ ÐÏÓÌÅ ÓÅÂÑ ÍÕÓÏÒ..." + serbian "Disk je pun (%s). Èekam nekoga da doðe i oslobodi nešto mesta..." + slo "Disk je plný (%s), èakám na uvoµnenie miesta..." + spa "Disco lleno (%s). Esperando para que se libere algo de espacio..." + swe "Disken är full (%s). Väntar tills det finns ledigt utrymme..." + ukr "äÉÓË ÚÁÐÏ×ÎÅÎÉÊ (%s). ÷ÉÞÉËÕÀ, ÄÏËÉ Ú×¦ÌØÎÉÔØÓÑ ÔÒÏÈÉ Í¦ÓÃÑ..." +ER_DUP_KEY 23000 + cze "Nemohu zapsat, zdvojen-Bý klíè v tabulce '%-.64s'" + dan "Kan ikke skrive, flere ens nøgler i tabellen '%-.64s'" + nla "Kan niet schrijven, dubbele zoeksleutel in tabel '%-.64s'" + eng "Can't write; duplicate key in table '%-.64s'" + est "Ei saa kirjutada, korduv võti tabelis '%-.64s'" + fre "Ecriture impossible, doublon dans une clé de la table '%-.64s'" + ger "Kann nicht speichern, Grund: doppelter Schlüssel in Tabelle '%-.64s'" + greek "Äåí åßíáé äõíáôÞ ç êáôá÷þñçóç, ç ôéìÞ õðÜñ÷åé Þäç óôïí ðßíáêá '%-.64s'" + hun "Irasi hiba, duplikalt kulcs a '%-.64s' tablaban." + ita "Scrittura impossibile: chiave duplicata nella tabella '%-.64s'" + jpn "table '%-.64s' ¤Ë key ¤¬½ÅÊ£¤·¤Æ¤¤¤Æ½ñ¤­¤³¤á¤Þ¤»¤ó" + kor "±â·ÏÇÒ ¼ö ¾øÀ¾´Ï´Ù., Å×À̺í '%-.64s'¿¡¼­ Áߺ¹ Ű" + nor "Kan ikke skrive, flere like nøkler i tabellen '%-.64s'" + norwegian-ny "Kan ikkje skrive, flere like nyklar i tabellen '%-.64s'" + pol "Nie mo¿na zapisaæ, powtórzone klucze w tabeli '%-.64s'" + por "Não pode gravar. Chave duplicada na tabela '%-.64s'" + rum "Nu pot sa scriu (can't write), cheie duplicata in tabela '%-.64s'" + rus "îÅ×ÏÚÍÏÖÎÏ ÐÒÏÉÚ×ÅÓÔÉ ÚÁÐÉÓØ, ÄÕÂÌÉÒÕÀÝÉÊÓÑ ËÌÀÞ × ÔÁÂÌÉÃÅ '%-.64s'" + serbian "Ne mogu da pišem pošto postoji duplirani kljuè u tabeli '%-.64s'" + slo "Nemô¾em zapísa», duplikát kµúèa v tabuµke '%-.64s'" + spa "No puedo escribir, clave duplicada en la tabla '%-.64s'" + swe "Kan inte skriva, dubbel söknyckel i register '%-.64s'" + ukr "îÅ ÍÏÖÕ ÚÁÐÉÓÁÔÉ, ÄÕÂÌÀÀÞÉÊÓÑ ËÌÀÞ × ÔÁÂÌÉæ '%-.64s'" +ER_ERROR_ON_CLOSE + cze "Chyba p-Bøi zavírání '%-.64s' (chybový kód: %d)" + dan "Fejl ved lukning af '%-.64s' (Fejlkode: %d)" + nla "Fout bij het sluiten van '%-.64s' (Errcode: %d)" + eng "Error on close of '%-.64s' (errno: %d)" + est "Viga faili '%-.64s' sulgemisel (veakood: %d)" + fre "Erreur a la fermeture de '%-.64s' (Errcode: %d)" + ger "Fehler beim Schließen von '%-.64s' (Fehler: %d)" + greek "ÐáñïõóéÜóôçêå ðñüâëçìá êëåßíïíôáò ôï '%-.64s' (êùäéêüò ëÜèïõò: %d)" + hun "Hiba a(z) '%-.64s' zarasakor. (hibakod: %d)" + ita "Errore durante la chiusura di '%-.64s' (errno: %d)" + kor "'%-.64s'´Ý´Â Áß ¿¡·¯ (¿¡·¯¹øÈ£: %d)" + nor "Feil ved lukking av '%-.64s' (Feilkode: %d)" + norwegian-ny "Feil ved lukking av '%-.64s' (Feilkode: %d)" + pol "B³?d podczas zamykania '%-.64s' (Kod b³êdu: %d)" + por "Erro ao fechar '%-.64s' (erro no. %d)" + rum "Eroare inchizind '%-.64s' (errno: %d)" + rus "ïÛÉÂËÁ ÐÒÉ ÚÁËÒÙÔÉÉ '%-.64s' (ÏÛÉÂËÁ: %d)" + serbian "Greška pri zatvaranju '%-.64s' (errno: %d)" + slo "Chyba pri zatváraní '%-.64s' (chybový kód: %d)" + spa "Error en el cierre de '%-.64s' (Error: %d)" + swe "Fick fel vid stängning av '%-.64s' (Felkod: %d)" + ukr "îÅ ÍÏÖÕ ÚÁËÒÉÔÉ '%-.64s' (ÐÏÍÉÌËÁ: %d)" +ER_ERROR_ON_READ + cze "Chyba p-Bøi ètení souboru '%-.64s' (chybový kód: %d)" + dan "Fejl ved læsning af '%-.64s' (Fejlkode: %d)" + nla "Fout bij het lezen van file '%-.64s' (Errcode: %d)" + eng "Error reading file '%-.64s' (errno: %d)" + est "Viga faili '%-.64s' lugemisel (veakood: %d)" + fre "Erreur en lecture du fichier '%-.64s' (Errcode: %d)" + ger "Fehler beim Lesen der Datei '%-.64s' (Fehler: %d)" + greek "Ðñüâëçìá êáôÜ ôçí áíÜãíùóç ôïõ áñ÷åßïõ '%-.64s' (êùäéêüò ëÜèïõò: %d)" + hun "Hiba a '%-.64s'file olvasasakor. (hibakod: %d)" + ita "Errore durante la lettura del file '%-.64s' (errno: %d)" + jpn "'%-.64s' ¥Õ¥¡¥¤¥ë¤ÎÆÉ¤ß¹þ¤ß¥¨¥é¡¼ (errno: %d)" + kor "'%-.64s'È­ÀÏ Àб⠿¡·¯ (¿¡·¯¹øÈ£: %d)" + nor "Feil ved lesing av '%-.64s' (Feilkode: %d)" + norwegian-ny "Feil ved lesing av '%-.64s' (Feilkode: %d)" + pol "B³?d podczas odczytu pliku '%-.64s' (Kod b³êdu: %d)" + por "Erro ao ler arquivo '%-.64s' (erro no. %d)" + rum "Eroare citind fisierul '%-.64s' (errno: %d)" + rus "ïÛÉÂËÁ ÞÔÅÎÉÑ ÆÁÊÌÁ '%-.64s' (ÏÛÉÂËÁ: %d)" + serbian "Greška pri èitanju file-a '%-.64s' (errno: %d)" + slo "Chyba pri èítaní súboru '%-.64s' (chybový kód: %d)" + spa "Error leyendo el fichero '%-.64s' (Error: %d)" + swe "Fick fel vid läsning av '%-.64s' (Felkod %d)" + ukr "îÅ ÍÏÖÕ ÐÒÏÞÉÔÁÔÉ ÆÁÊÌ '%-.64s' (ÐÏÍÉÌËÁ: %d)" +ER_ERROR_ON_RENAME + cze "Chyba p-Bøi pøejmenování '%-.64s' na '%-.64s' (chybový kód: %d)" + dan "Fejl ved omdøbning af '%-.64s' til '%-.64s' (Fejlkode: %d)" + nla "Fout bij het hernoemen van '%-.64s' naar '%-.64s' (Errcode: %d)" + eng "Error on rename of '%-.64s' to '%-.64s' (errno: %d)" + est "Viga faili '%-.64s' ümbernimetamisel '%-.64s'-ks (veakood: %d)" + fre "Erreur en renommant '%-.64s' en '%-.64s' (Errcode: %d)" + ger "Fehler beim Umbenennen von '%-.64s' in '%-.64s' (Fehler: %d)" + greek "Ðñüâëçìá êáôÜ ôçí ìåôïíïìáóßá ôïõ áñ÷åßïõ '%-.64s' to '%-.64s' (êùäéêüò ëÜèïõò: %d)" + hun "Hiba a '%-.64s' file atnevezesekor. (hibakod: %d)" + ita "Errore durante la rinominazione da '%-.64s' a '%-.64s' (errno: %d)" + jpn "'%-.64s' ¤ò '%-.64s' ¤Ë rename ¤Ç¤­¤Þ¤»¤ó (errno: %d)" + kor "'%-.64s'¸¦ '%-.64s'·Î À̸§ º¯°æÁß ¿¡·¯ (¿¡·¯¹øÈ£: %d)" + nor "Feil ved omdøping av '%-.64s' til '%-.64s' (Feilkode: %d)" + norwegian-ny "Feil ved omdøyping av '%-.64s' til '%-.64s' (Feilkode: %d)" + pol "B³?d podczas zmieniania nazwy '%-.64s' na '%-.64s' (Kod b³êdu: %d)" + por "Erro ao renomear '%-.64s' para '%-.64s' (erro no. %d)" + rum "Eroare incercind sa renumesc '%-.64s' in '%-.64s' (errno: %d)" + rus "ïÛÉÂËÁ ÐÒÉ ÐÅÒÅÉÍÅÎÏ×ÁÎÉÉ '%-.64s' × '%-.64s' (ÏÛÉÂËÁ: %d)" + serbian "Greška pri promeni imena '%-.64s' na '%-.64s' (errno: %d)" + slo "Chyba pri premenovávaní '%-.64s' na '%-.64s' (chybový kód: %d)" + spa "Error en el renombrado de '%-.64s' a '%-.64s' (Error: %d)" + swe "Kan inte byta namn från '%-.64s' till '%-.64s' (Felkod: %d)" + ukr "îÅ ÍÏÖÕ ÐÅÒÅÊÍÅÎÕ×ÁÔÉ '%-.64s' Õ '%-.64s' (ÐÏÍÉÌËÁ: %d)" +ER_ERROR_ON_WRITE + cze "Chyba p-Bøi zápisu do souboru '%-.64s' (chybový kód: %d)" + dan "Fejl ved skriving av filen '%-.64s' (Fejlkode: %d)" + nla "Fout bij het wegschrijven van file '%-.64s' (Errcode: %d)" + eng "Error writing file '%-.64s' (errno: %d)" + est "Viga faili '%-.64s' kirjutamisel (veakood: %d)" + fre "Erreur d'écriture du fichier '%-.64s' (Errcode: %d)" + ger "Fehler beim Speichern der Datei '%-.64s' (Fehler: %d)" + greek "Ðñüâëçìá êáôÜ ôçí áðïèÞêåõóç ôïõ áñ÷åßïõ '%-.64s' (êùäéêüò ëÜèïõò: %d)" + hun "Hiba a '%-.64s' file irasakor. (hibakod: %d)" + ita "Errore durante la scrittura del file '%-.64s' (errno: %d)" + jpn "'%-.64s' ¥Õ¥¡¥¤¥ë¤ò½ñ¤¯»ö¤¬¤Ç¤­¤Þ¤»¤ó (errno: %d)" + kor "'%-.64s'È­ÀÏ ±â·Ï Áß ¿¡·¯ (¿¡·¯¹øÈ£: %d)" + nor "Feil ved skriving av fila '%-.64s' (Feilkode: %d)" + norwegian-ny "Feil ved skriving av fila '%-.64s' (Feilkode: %d)" + pol "B³?d podczas zapisywania pliku '%-.64s' (Kod b³êdu: %d)" + por "Erro ao gravar arquivo '%-.64s' (erro no. %d)" + rum "Eroare scriind fisierul '%-.64s' (errno: %d)" + rus "ïÛÉÂËÁ ÚÁÐÉÓÉ × ÆÁÊÌ '%-.64s' (ÏÛÉÂËÁ: %d)" + serbian "Greška pri upisu '%-.64s' (errno: %d)" + slo "Chyba pri zápise do súboru '%-.64s' (chybový kód: %d)" + spa "Error escribiendo el archivo '%-.64s' (Error: %d)" + swe "Fick fel vid skrivning till '%-.64s' (Felkod %d)" + ukr "îÅ ÍÏÖÕ ÚÁÐÉÓÁÔÉ ÆÁÊÌ '%-.64s' (ÐÏÍÉÌËÁ: %d)" +ER_FILE_USED + cze "'%-.64s' je zam-Bèen proti zmìnám" + dan "'%-.64s' er låst mod opdateringer" + nla "'%-.64s' is geblokeerd tegen veranderingen" + eng "'%-.64s' is locked against change" + est "'%-.64s' on lukustatud muudatuste vastu" + fre "'%-.64s' est verrouillé contre les modifications" + ger "'%-.64s' ist für Änderungen gesperrt" + greek "'%-.64s' äåí åðéôñÝðïíôáé áëëáãÝò" + hun "'%-.64s' a valtoztatas ellen zarolva" + ita "'%-.64s' e` soggetto a lock contro i cambiamenti" + jpn "'%-.64s' ¤Ï¥í¥Ã¥¯¤µ¤ì¤Æ¤¤¤Þ¤¹" + kor "'%-.64s'°¡ º¯°æÇÒ ¼ö ¾øµµ·Ï Àá°ÜÀÖÀ¾´Ï´Ù." + nor "'%-.64s' er låst mot oppdateringer" + norwegian-ny "'%-.64s' er låst mot oppdateringar" + pol "'%-.64s' jest zablokowany na wypadek zmian" + por "'%-.64s' está com travamento contra alterações" + rum "'%-.64s' este blocat pentry schimbari (loccked against change)" + rus "'%-.64s' ÚÁÂÌÏËÉÒÏ×ÁÎ ÄÌÑ ÉÚÍÅÎÅÎÉÊ" + serbian "'%-.64s' je zakljuèan za upis" + slo "'%-.64s' je zamknutý proti zmenám" + spa "'%-.64s' esta bloqueado contra cambios" + swe "'%-.64s' är låst mot användning" + ukr "'%-.64s' ÚÁÂÌÏËÏ×ÁÎÉÊ ÎÁ ×ÎÅÓÅÎÎÑ ÚͦÎ" +ER_FILSORT_ABORT + cze "T-Bøídìní pøeru¹eno" + dan "Sortering afbrudt" + nla "Sorteren afgebroken" + eng "Sort aborted" + est "Sorteerimine katkestatud" + fre "Tri alphabétique abandonné" + ger "Sortiervorgang abgebrochen" + greek "Ç äéáäéêáóßá ôáîéíüìéóçò áêõñþèçêå" + hun "Sikertelen rendezes" + ita "Operazione di ordinamento abbandonata" + jpn "Sort ÃæÃÇ" + kor "¼ÒÆ®°¡ ÁߴܵǾú½À´Ï´Ù." + nor "Sortering avbrutt" + norwegian-ny "Sortering avbrote" + pol "Sortowanie przerwane" + por "Ordenação abortada" + rum "Sortare intrerupta" + rus "óÏÒÔÉÒÏ×ËÁ ÐÒÅÒ×ÁÎÁ" + serbian "Sortiranje je prekinuto" + slo "Triedenie preru¹ené" + spa "Ordeancion cancelada" + swe "Sorteringen avbruten" + ukr "óÏÒÔÕ×ÁÎÎÑ ÐÅÒÅÒ×ÁÎÏ" +ER_FORM_NOT_FOUND + cze "Pohled '%-.64s' pro '%-.64s' neexistuje" + dan "View '%-.64s' eksisterer ikke for '%-.64s'" + nla "View '%-.64s' bestaat niet voor '%-.64s'" + eng "View '%-.64s' doesn't exist for '%-.64s'" + est "Vaade '%-.64s' ei eksisteeri '%-.64s' jaoks" + fre "La vue (View) '%-.64s' n'existe pas pour '%-.64s'" + ger "View '%-.64s' existiert für '%-.64s' nicht" + greek "Ôï View '%-.64s' äåí õðÜñ÷åé ãéá '%-.64s'" + hun "A(z) '%-.64s' nezet nem letezik a(z) '%-.64s'-hoz" + ita "La view '%-.64s' non esiste per '%-.64s'" + jpn "View '%-.64s' ¤¬ '%-.64s' ¤ËÄêµÁ¤µ¤ì¤Æ¤¤¤Þ¤»¤ó" + kor "ºä '%-.64s'°¡ '%-.64s'¿¡¼­´Â Á¸ÀçÇÏÁö ¾ÊÀ¾´Ï´Ù." + nor "View '%-.64s' eksisterer ikke for '%-.64s'" + norwegian-ny "View '%-.64s' eksisterar ikkje for '%-.64s'" + pol "Widok '%-.64s' nie istnieje dla '%-.64s'" + por "Visão '%-.64s' não existe para '%-.64s'" + rum "View '%-.64s' nu exista pentru '%-.64s'" + rus "ðÒÅÄÓÔÁ×ÌÅÎÉÅ '%-.64s' ÎÅ ÓÕÝÅÓÔ×ÕÅÔ ÄÌÑ '%-.64s'" + serbian "View '%-.64s' ne postoji za '%-.64s'" + slo "Pohµad '%-.64s' neexistuje pre '%-.64s'" + spa "La vista '%-.64s' no existe para '%-.64s'" + swe "Formulär '%-.64s' finns inte i '%-.64s'" + ukr "÷ÉÇÌÑÄ '%-.64s' ÎÅ ¦ÓÎÕ¤ ÄÌÑ '%-.64s'" +ER_GET_ERRNO + cze "Obsluha tabulky vr-Bátila chybu %d" + dan "Modtog fejl %d fra tabel håndteringen" + nla "Fout %d van tabel handler" + eng "Got error %d from storage engine" + est "Tabeli handler tagastas vea %d" + fre "Reçu l'erreur %d du handler de la table" + ger "Fehler %d (Tabellenhandler)" + greek "ÅëÞöèç ìÞíõìá ëÜèïõò %d áðü ôïí ÷åéñéóôÞ ðßíáêá (table handler)" + hun "%d hibajelzes a tablakezelotol" + ita "Rilevato l'errore %d dal gestore delle tabelle" + jpn "Got error %d from table handler" + kor "Å×À̺í handler¿¡¼­ %d ¿¡·¯°¡ ¹ß»ý ÇÏ¿´½À´Ï´Ù." + nor "Mottok feil %d fra tabell håndterer" + norwegian-ny "Mottok feil %d fra tabell handterar" + pol "Otrzymano b³?d %d z obs³ugi tabeli" + por "Obteve erro %d no manipulador de tabelas" + rum "Eroarea %d obtinuta din handlerul tabelei" + rus "ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ %d ÏÔ ÏÂÒÁÂÏÔÞÉËÁ ÔÁÂÌÉÃ" + serbian "Handler tabela je vratio grešku %d" + slo "Obsluha tabuµky vrátila chybu %d" + spa "Error %d desde el manejador de la tabla" + swe "Fick felkod %d från databashanteraren" + ukr "ïÔÒÉÍÁÎÏ ÐÏÍÉÌËÕ %d ×¦Ä ÄÅÓËÒÉÐÔÏÒÁ ÔÁÂÌÉæ" +ER_ILLEGAL_HA + cze "Obsluha tabulky '%-.64s' nem-Bá tento parametr" + dan "Denne mulighed eksisterer ikke for tabeltypen '%-.64s'" + nla "Tabel handler voor '%-.64s' heeft deze optie niet" + eng "Table storage engine for '%-.64s' doesn't have this option" + est "Tabeli '%-.64s' handler ei toeta antud operatsiooni" + fre "Le handler de la table '%-.64s' n'a pas cette option" + ger "Diese Option gibt es nicht (Tabellenhandler)" + greek "Ï ÷åéñéóôÞò ðßíáêá (table handler) ãéá '%-.64s' äåí äéáèÝôåé áõôÞ ôçí åðéëïãÞ" + hun "A(z) '%-.64s' tablakezelonek nincs ilyen opcioja" + ita "Il gestore delle tabelle per '%-.64s' non ha questa opzione" + jpn "Table handler for '%-.64s' doesn't have this option" + kor "'%-.64s'ÀÇ Å×À̺í handler´Â ÀÌ·¯ÇÑ ¿É¼ÇÀ» Á¦°øÇÏÁö ¾ÊÀ¾´Ï´Ù." + nor "Tabell håndtereren for '%-.64s' har ikke denne muligheten" + norwegian-ny "Tabell håndteraren for '%-.64s' har ikkje denne moglegheita" + pol "Obs³uga tabeli '%-.64s' nie posiada tej opcji" + por "Manipulador de tabela para '%-.64s' não tem esta opção" + rum "Handlerul tabelei pentru '%-.64s' nu are aceasta optiune" + rus "ïÂÒÁÂÏÔÞÉË ÔÁÂÌÉÃÙ '%-.64s' ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔ ÜÔÕ ×ÏÚÍÏÖÎÏÓÔØ" + serbian "Handler tabela za '%-.64s' nema ovu opciju" + slo "Obsluha tabuµky '%-.64s' nemá tento parameter" + spa "El manejador de la tabla de '%-.64s' no tiene esta opcion" + swe "Registrets databas har inte denna facilitet" + ukr "äÅÓËÒÉÐÔÏÒ ÔÁÂÌÉæ '%-.64s' ÎÅ ÍÁ¤ 椧 ×ÌÁÓÔÉ×ÏÓÔ¦" +ER_KEY_NOT_FOUND + cze "Nemohu naj-Bít záznam v '%-.64s'" + dan "Kan ikke finde posten i '%-.64s'" + nla "Kan record niet vinden in '%-.64s'" + eng "Can't find record in '%-.64s'" + est "Ei suuda leida kirjet '%-.64s'-s" + fre "Ne peut trouver l'enregistrement dans '%-.64s'" + ger "Kann Datensatz nicht finden" + greek "Áäýíáôç ç áíåýñåóç åããñáöÞò óôï '%-.64s'" + hun "Nem talalhato a rekord '%-.64s'-ben" + ita "Impossibile trovare il record in '%-.64s'" + jpn "'%-.64s'¤Î¤Ê¤«¤Ë¥ì¥³¡¼¥É¤¬¸«ÉÕ¤«¤ê¤Þ¤»¤ó" + kor "'%-.64s'¿¡¼­ ·¹Äڵ带 ãÀ» ¼ö ¾øÀ¾´Ï´Ù." + nor "Kan ikke finne posten i '%-.64s'" + norwegian-ny "Kan ikkje finne posten i '%-.64s'" + pol "Nie mo¿na znale¥æ rekordu w '%-.64s'" + por "Não pode encontrar registro em '%-.64s'" + rum "Nu pot sa gasesc recordul in '%-.64s'" + rus "îÅ×ÏÚÍÏÖÎÏ ÎÁÊÔÉ ÚÁÐÉÓØ × '%-.64s'" + serbian "Ne mogu da pronaðem slog u '%-.64s'" + slo "Nemô¾em nájs» záznam v '%-.64s'" + spa "No puedo encontrar el registro en '%-.64s'" + swe "Hittar inte posten" + ukr "îÅ ÍÏÖÕ ÚÁÐÉÓÁÔÉ Õ '%-.64s'" +ER_NOT_FORM_FILE + cze "Nespr-Bávná informace v souboru '%-.64s'" + dan "Forkert indhold i: '%-.64s'" + nla "Verkeerde info in file: '%-.64s'" + eng "Incorrect information in file: '%-.64s'" + est "Vigane informatsioon failis '%-.64s'" + fre "Information erronnée dans le fichier: '%-.64s'" + ger "Falsche Information in Datei '%-.64s'" + greek "ËÜèïò ðëçñïöïñßåò óôï áñ÷åßï: '%-.64s'" + hun "Ervenytelen info a file-ban: '%-.64s'" + ita "Informazione errata nel file: '%-.64s'" + jpn "¥Õ¥¡¥¤¥ë '%-.64s' ¤Î info ¤¬´Ö°ã¤Ã¤Æ¤¤¤ë¤è¤¦¤Ç¤¹" + kor "È­ÀÏÀÇ ºÎÁ¤È®ÇÑ Á¤º¸: '%-.64s'" + nor "Feil informasjon i filen: '%-.64s'" + norwegian-ny "Feil informasjon i fila: '%-.64s'" + pol "Niew³a?ciwa informacja w pliku: '%-.64s'" + por "Informação incorreta no arquivo '%-.64s'" + rum "Informatie incorecta in fisierul: '%-.64s'" + rus "îÅËÏÒÒÅËÔÎÁÑ ÉÎÆÏÒÍÁÃÉÑ × ÆÁÊÌÅ '%-.64s'" + serbian "Pogrešna informacija u file-u: '%-.64s'" + slo "Nesprávna informácia v súbore: '%-.64s'" + spa "Informacion erronea en el archivo: '%-.64s'" + swe "Felaktig fil: '%-.64s'" + ukr "èÉÂÎÁ ¦ÎÆÏÒÍÁÃ¦Ñ Õ ÆÁÊ̦: '%-.64s'" +ER_NOT_KEYFILE + cze "Nespr-Bávný klíè pro tabulku '%-.64s'; pokuste se ho opravit" + dan "Fejl i indeksfilen til tabellen '%-.64s'; prøv at reparere den" + nla "Verkeerde zoeksleutel file voor tabel: '%-.64s'; probeer het te repareren" + eng "Incorrect key file for table '%-.64s'; try to repair it" + est "Tabeli '%-.64s' võtmefail on vigane; proovi seda parandada" + fre "Index corrompu dans la table: '%-.64s'; essayez de le réparer" + ger "Falsche Schlüssel-Datei für Tabelle '%-.64s'. versuche zu reparieren" + greek "ËÜèïò áñ÷åßï ôáîéíüìéóçò (key file) ãéá ôïí ðßíáêá: '%-.64s'; Ðáñáêáëþ, äéïñèþóôå ôï!" + hun "Ervenytelen kulcsfile a tablahoz: '%-.64s'; probalja kijavitani!" + ita "File chiave errato per la tabella : '%-.64s'; prova a riparalo" + jpn "'%-.64s' ¥Æ¡¼¥Ö¥ë¤Î key file ¤¬´Ö°ã¤Ã¤Æ¤¤¤ë¤è¤¦¤Ç¤¹. ½¤Éü¤ò¤·¤Æ¤¯¤À¤µ¤¤" + kor "'%-.64s' Å×À̺íÀÇ ºÎÁ¤È®ÇÑ Å° Á¸Àç. ¼öÁ¤ÇϽÿÀ!" + nor "Tabellen '%-.64s' har feil i nøkkelfilen; forsøk å reparer den" + norwegian-ny "Tabellen '%-.64s' har feil i nykkelfila; prøv å reparere den" + pol "Niew³a?ciwy plik kluczy dla tabeli: '%-.64s'; spróbuj go naprawiæ" + por "Arquivo de índice incorreto para tabela '%-.64s'; tente repará-lo" + rum "Cheia fisierului incorecta pentru tabela: '%-.64s'; incearca s-o repari" + rus "îÅËÏÒÒÅËÔÎÙÊ ÉÎÄÅËÓÎÙÊ ÆÁÊÌ ÄÌÑ ÔÁÂÌÉÃÙ: '%-.64s'. ðÏÐÒÏÂÕÊÔÅ ×ÏÓÓÔÁÎÏ×ÉÔØ ÅÇÏ" + serbian "Pogrešan key file za tabelu: '%-.64s'; probajte da ga ispravite" + slo "Nesprávny kµúè pre tabuµku '%-.64s'; pokúste sa ho opravi»" + spa "Clave de archivo erronea para la tabla: '%-.64s'; intente repararlo" + swe "Fatalt fel vid hantering av register '%-.64s'; kör en reparation" + ukr "èÉÂÎÉÊ ÆÁÊÌ ËÌÀÞÅÊ ÄÌÑ ÔÁÂÌÉæ: '%-.64s'; óÐÒÏÂÕÊÔÅ ÊÏÇÏ ×¦ÄÎÏ×ÉÔÉ" +ER_OLD_KEYFILE + cze "Star-Bý klíèový soubor pro '%-.64s'; opravte ho." + dan "Gammel indeksfil for tabellen '%-.64s'; reparer den" + nla "Oude zoeksleutel file voor tabel '%-.64s'; repareer het!" + eng "Old key file for table '%-.64s'; repair it!" + est "Tabeli '%-.64s' võtmefail on aegunud; paranda see!" + fre "Vieux fichier d'index pour la table '%-.64s'; réparez le!" + ger "Alte Schlüssel-Datei für Tabelle '%-.64s'. Bitte reparieren" + greek "Ðáëáéü áñ÷åßï ôáîéíüìéóçò (key file) ãéá ôïí ðßíáêá '%-.64s'; Ðáñáêáëþ, äéïñèþóôå ôï!" + hun "Regi kulcsfile a '%-.64s'tablahoz; probalja kijavitani!" + ita "File chiave vecchio per la tabella '%-.64s'; riparalo!" + jpn "'%-.64s' ¥Æ¡¼¥Ö¥ë¤Ï¸Å¤¤·Á¼°¤Î key file ¤Î¤è¤¦¤Ç¤¹; ½¤Éü¤ò¤·¤Æ¤¯¤À¤µ¤¤" + kor "'%-.64s' Å×À̺íÀÇ ÀÌÀü¹öÁ¯ÀÇ Å° Á¸Àç. ¼öÁ¤ÇϽÿÀ!" + nor "Gammel nøkkelfil for tabellen '%-.64s'; reparer den!" + norwegian-ny "Gammel nykkelfil for tabellen '%-.64s'; reparer den!" + pol "Plik kluczy dla tabeli '%-.64s' jest starego typu; napraw go!" + por "Arquivo de índice desatualizado para tabela '%-.64s'; repare-o!" + rum "Cheia fisierului e veche pentru tabela '%-.64s'; repar-o!" + rus "óÔÁÒÙÊ ÉÎÄÅËÓÎÙÊ ÆÁÊÌ ÄÌÑ ÔÁÂÌÉÃÙ '%-.64s'; ÏÔÒÅÍÏÎÔÉÒÕÊÔÅ ÅÇÏ!" + serbian "Zastareo key file za tabelu '%-.64s'; ispravite ga" + slo "Starý kµúèový súbor pre '%-.64s'; opravte ho!" + spa "Clave de archivo antigua para la tabla '%-.64s'; reparelo!" + swe "Gammal nyckelfil '%-.64s'; reparera registret" + ukr "óÔÁÒÉÊ ÆÁÊÌ ËÌÀÞÅÊ ÄÌÑ ÔÁÂÌÉæ '%-.64s'; ÷¦ÄÎÏ×¦ÔØ ÊÏÇÏ!" +ER_OPEN_AS_READONLY + cze "'%-.64s' je jen pro -Bètení" + dan "'%-.64s' er skrivebeskyttet" + nla "'%-.64s' is alleen leesbaar" + eng "Table '%-.64s' is read only" + est "Tabel '%-.64s' on ainult lugemiseks" + fre "'%-.64s' est en lecture seulement" + ger "'%-.64s' ist nur lesbar" + greek "'%-.64s' åðéôñÝðåôáé ìüíï ç áíÜãíùóç" + hun "'%-.64s' irasvedett" + ita "'%-.64s' e` di sola lettura" + jpn "'%-.64s' ¤ÏÆÉ¤ß¹þ¤ßÀìÍѤǤ¹" + kor "Å×À̺í '%-.64s'´Â ÀбâÀü¿ë ÀÔ´Ï´Ù." + nor "'%-.64s' er skrivebeskyttet" + norwegian-ny "'%-.64s' er skrivetryggja" + pol "'%-.64s' jest tylko do odczytu" + por "Tabela '%-.64s' é somente para leitura" + rum "Tabela '%-.64s' e read-only" + rus "ôÁÂÌÉÃÁ '%-.64s' ÐÒÅÄÎÁÚÎÁÞÅÎÁ ÔÏÌØËÏ ÄÌÑ ÞÔÅÎÉÑ" + serbian "Tabelu '%-.64s' je dozvoljeno samo èitati" + slo "'%-.64s' is èíta» only" + spa "'%-.64s' es de solo lectura" + swe "'%-.64s' är skyddad mot förändring" + ukr "ôÁÂÌÉÃÑ '%-.64s' Ô¦ÌØËÉ ÄÌÑ ÞÉÔÁÎÎÑ" +ER_OUTOFMEMORY HY001 S1001 + cze "M-Bálo pamìti. Pøestartujte daemona a zkuste znovu (je potøeba %d bytù)" + dan "Ikke mere hukommelse. Genstart serveren og prøv igen (mangler %d bytes)" + nla "Geen geheugen meer. Herstart server en probeer opnieuw (%d bytes nodig)" + eng "Out of memory; restart server and try again (needed %d bytes)" + est "Mälu sai otsa. Proovi MySQL uuesti käivitada (puudu jäi %d baiti)" + fre "Manque de mémoire. Redémarrez le démon et ré-essayez (%d octets nécessaires)" + ger "Kein Speicher vorhanden (%d Bytes benötigt). Bitte Server neu starten" + greek "Äåí õðÜñ÷åé äéáèÝóéìç ìíÞìç. ÐñïóðáèÞóôå ðÜëé, åðáíåêéíþíôáò ôç äéáäéêáóßá (demon) (÷ñåéÜæïíôáé %d bytes)" + hun "Nincs eleg memoria. Inditsa ujra a demont, es probalja ismet. (%d byte szukseges.)" + ita "Memoria esaurita. Fai ripartire il demone e riprova (richiesti %d bytes)" + jpn "Out of memory. ¥Ç¡¼¥â¥ó¤ò¥ê¥¹¥¿¡¼¥È¤·¤Æ¤ß¤Æ¤¯¤À¤µ¤¤ (%d bytes ɬÍ×)" + kor "Out of memory. µ¥¸óÀ» Àç ½ÇÇà ÈÄ ´Ù½Ã ½ÃÀÛÇϽÿÀ (needed %d bytes)" + nor "Ikke mer minne. Star på nytt tjenesten og prøv igjen (trengte %d byter)" + norwegian-ny "Ikkje meir minne. Start på nytt tenesten og prøv igjen (trengte %d bytar)" + pol "Zbyt ma³o pamiêci. Uruchom ponownie demona i spróbuj ponownie (potrzeba %d bajtów)" + por "Sem memória. Reinicie o programa e tente novamente (necessita de %d bytes)" + rum "Out of memory. Porneste daemon-ul din nou si incearca inca o data (e nevoie de %d bytes)" + rus "îÅÄÏÓÔÁÔÏÞÎÏ ÐÁÍÑÔÉ. ðÅÒÅÚÁÐÕÓÔÉÔÅ ÓÅÒ×ÅÒ É ÐÏÐÒÏÂÕÊÔÅ ÅÝÅ ÒÁÚ (ÎÕÖÎÏ %d ÂÁÊÔ)" + serbian "Nema memorije. Restartujte MySQL server i probajte ponovo (potrebno je %d byte-ova)" + slo "Málo pamäti. Re¹tartujte daemona a skúste znova (je potrebných %d bytov)" + spa "Memoria insuficiente. Reinicie el demonio e intentelo otra vez (necesita %d bytes)" + swe "Oväntat slut på minnet, starta om programmet och försök på nytt (Behövde %d bytes)" + ukr "âÒÁË ÐÁÍ'ÑÔ¦. òÅÓÔÁÒÔÕÊÔÅ ÓÅÒ×ÅÒ ÔÁ ÓÐÒÏÂÕÊÔÅ ÚÎÏ×Õ (ÐÏÔÒ¦ÂÎÏ %d ÂÁÊÔ¦×)" +ER_OUT_OF_SORTMEMORY HY001 S1001 + cze "M-Bálo pamìti pro tøídìní. Zvy¹te velikost tøídícího bufferu" + dan "Ikke mere sorteringshukommelse. Øg sorteringshukommelse (sort buffer size) for serveren" + nla "Geen geheugen om te sorteren. Verhoog de server sort buffer size" + eng "Out of sort memory; increase server sort buffer size" + est "Mälu sai sorteerimisel otsa. Suurenda MySQL-i sorteerimispuhvrit" + fre "Manque de mémoire pour le tri. Augmentez-la." + ger "Kein Speicher zum Sortieren vorhanden. sort_buffer_size sollte erhöht werden" + greek "Äåí õðÜñ÷åé äéáèÝóéìç ìíÞìç ãéá ôáîéíüìéóç. ÁõîÞóôå ôï sort buffer size ãéá ôç äéáäéêáóßá (demon)" + hun "Nincs eleg memoria a rendezeshez. Novelje a rendezo demon puffermeretet" + ita "Memoria per gli ordinamenti esaurita. Incrementare il 'sort_buffer' al demone" + jpn "Out of sort memory. sort buffer size ¤¬Â­¤ê¤Ê¤¤¤è¤¦¤Ç¤¹." + kor "Out of sort memory. daemon sort bufferÀÇ Å©±â¸¦ Áõ°¡½ÃŰ¼¼¿ä" + nor "Ikke mer sorteringsminne. Øk sorteringsminnet (sort buffer size) for tjenesten" + norwegian-ny "Ikkje meir sorteringsminne. Auk sorteringsminnet (sorteringsbffer storleik) for tenesten" + pol "Zbyt ma³o pamiêci dla sortowania. Zwiêksz wielko?æ bufora demona dla sortowania" + por "Sem memória para ordenação. Aumente tamanho do 'buffer' de ordenação" + rum "Out of memory pentru sortare. Largeste marimea buffer-ului pentru sortare in daemon (sort buffer size)" + rus "îÅÄÏÓÔÁÔÏÞÎÏ ÐÁÍÑÔÉ ÄÌÑ ÓÏÒÔÉÒÏ×ËÉ. õ×ÅÌÉÞØÔÅ ÒÁÚÍÅÒ ÂÕÆÅÒÁ ÓÏÒÔÉÒÏ×ËÉ ÎÁ ÓÅÒ×ÅÒÅ" + serbian "Nema memorije za sortiranje. Poveæajte velièinu sort buffer-a MySQL server-u" + slo "Málo pamäti pre triedenie, zvý¹te veµkos» triediaceho bufferu" + spa "Memoria de ordenacion insuficiente. Incremente el tamano del buffer de ordenacion" + swe "Sorteringsbufferten räcker inte till. Kontrollera startparametrarna" + ukr "âÒÁË ÐÁÍ'ÑÔ¦ ÄÌÑ ÓÏÒÔÕ×ÁÎÎÑ. ôÒÅÂÁ ÚÂ¦ÌØÛÉÔÉ ÒÏÚÍ¦Ò ÂÕÆÅÒÁ ÓÏÒÔÕ×ÁÎÎÑ Õ ÓÅÒ×ÅÒÁ" +ER_UNEXPECTED_EOF + cze "Neo-Bèekávaný konec souboru pøi ètení '%-.64s' (chybový kód: %d)" + dan "Uventet afslutning på fil (eof) ved læsning af filen '%-.64s' (Fejlkode: %d)" + nla "Onverwachte eof gevonden tijdens het lezen van file '%-.64s' (Errcode: %d)" + eng "Unexpected EOF found when reading file '%-.64s' (errno: %d)" + est "Ootamatu faililõpumärgend faili '%-.64s' lugemisel (veakood: %d)" + fre "Fin de fichier inattendue en lisant '%-.64s' (Errcode: %d)" + ger "Unerwartetes Ende beim Lesen der Datei '%-.64s' (Fehler: %d)" + greek "ÊáôÜ ôç äéÜñêåéá ôçò áíÜãíùóçò, âñÝèçêå áðñïóäüêçôá ôï ôÝëïò ôïõ áñ÷åßïõ '%-.64s' (êùäéêüò ëÜèïõò: %d)" + hun "Varatlan filevege-jel a '%-.64s'olvasasakor. (hibakod: %d)" + ita "Fine del file inaspettata durante la lettura del file '%-.64s' (errno: %d)" + jpn "'%-.64s' ¥Õ¥¡¥¤¥ë¤òÆÉ¤ß¹þ¤ßÃæ¤Ë EOF ¤¬Í½´ü¤»¤Ì½ê¤Ç¸½¤ì¤Þ¤·¤¿. (errno: %d)" + kor "'%-.64s' È­ÀÏÀ» Àд µµÁß À߸øµÈ eofÀ» ¹ß°ß (¿¡·¯¹øÈ£: %d)" + nor "Uventet slutt på fil (eof) ved lesing av filen '%-.64s' (Feilkode: %d)" + norwegian-ny "Uventa slutt på fil (eof) ved lesing av fila '%-.64s' (Feilkode: %d)" + pol "Nieoczekiwany 'eof' napotkany podczas czytania z pliku '%-.64s' (Kod b³êdu: %d)" + por "Encontrado fim de arquivo inesperado ao ler arquivo '%-.64s' (erro no. %d)" + rum "Sfirsit de fisier neasteptat in citirea fisierului '%-.64s' (errno: %d)" + rus "îÅÏÖÉÄÁÎÎÙÊ ËÏÎÅà ÆÁÊÌÁ '%-.64s' (ÏÛÉÂËÁ: %d)" + serbian "Neoèekivani kraj pri èitanju file-a '%-.64s' (errno: %d)" + slo "Neoèakávaný koniec súboru pri èítaní '%-.64s' (chybový kód: %d)" + spa "Inesperado fin de ficheroU mientras leiamos el archivo '%-.64s' (Error: %d)" + swe "Oväntat filslut vid läsning från '%-.64s' (Felkod: %d)" + ukr "èÉÂÎÉÊ Ë¦ÎÅÃØ ÆÁÊÌÕ '%-.64s' (ÐÏÍÉÌËÁ: %d)" +ER_CON_COUNT_ERROR 08004 + cze "P-Bøíli¹ mnoho spojení" + dan "For mange forbindelser (connections)" + nla "Te veel verbindingen" + eng "Too many connections" + est "Liiga palju samaaegseid ühendusi" + fre "Trop de connections" + ger "Zu viele Verbindungen" + greek "ÕðÜñ÷ïõí ðïëëÝò óõíäÝóåéò..." + hun "Tul sok kapcsolat" + ita "Troppe connessioni" + jpn "Àܳ¤¬Â¿¤¹¤®¤Þ¤¹" + kor "³Ê¹« ¸¹Àº ¿¬°á... max_connectionÀ» Áõ°¡ ½ÃŰ½Ã¿À..." + nor "For mange tilkoblinger (connections)" + norwegian-ny "For mange tilkoplingar (connections)" + pol "Zbyt wiele po³?czeñ" + por "Excesso de conexões" + rum "Prea multe conectiuni" + rus "óÌÉÛËÏÍ ÍÎÏÇÏ ÓÏÅÄÉÎÅÎÉÊ" + serbian "Previše konekcija" + slo "Príli¹ mnoho spojení" + spa "Demasiadas conexiones" + swe "För många anslutningar" + ukr "úÁÂÁÇÁÔÏ Ú'¤ÄÎÁÎØ" +ER_OUT_OF_RESOURCES + cze "M-Bálo prostoru/pamìti pro thread" + dan "Udgået for tråde/hukommelse" + nla "Geen thread geheugen meer; controleer of mysqld of andere processen al het beschikbare geheugen gebruikt. Zo niet, dan moet u wellicht 'ulimit' gebruiken om mysqld toe te laten meer geheugen te benutten, of u kunt extra swap ruimte toevoegen" + eng "Out of memory; check if mysqld or some other process uses all available memory; if not, you may have to use 'ulimit' to allow mysqld to use more memory or you can add more swap space" + est "Mälu sai otsa. Võimalik, et aitab swap-i lisamine või käsu 'ulimit' abil MySQL-le rohkema mälu kasutamise lubamine" + fre "Manque de 'threads'/mémoire" + ger "Kein Speicher mehr vorhanden. Prüfen Sie, ob mysqld oder ein anderer Prozess allen Speicher verbraucht. Wenn nicht, sollten Sie mit 'ulimit' dafür sorgen, dass mysqld mehr Speicher benutzen darf, oder mehr Swap-Speicher einrichten" + greek "Ðñüâëçìá ìå ôç äéáèÝóéìç ìíÞìç (Out of thread space/memory)" + hun "Elfogyott a thread-memoria" + ita "Fine dello spazio/memoria per i thread" + jpn "Out of memory; mysqld ¤«¤½¤Î¾¤Î¥×¥í¥»¥¹¤¬¥á¥â¥ê¡¼¤òÁ´¤Æ»È¤Ã¤Æ¤¤¤ë¤«³Îǧ¤·¤Æ¤¯¤À¤µ¤¤. ¥á¥â¥ê¡¼¤ò»È¤¤ÀڤäƤ¤¤Ê¤¤¾ì¹ç¡¢'ulimit' ¤òÀßÄꤷ¤Æ mysqld ¤Î¥á¥â¥ê¡¼»ÈÍѸ³¦Î̤ò¿¤¯¤¹¤ë¤«¡¢swap space ¤òÁý¤ä¤·¤Æ¤ß¤Æ¤¯¤À¤µ¤¤" + kor "Out of memory; mysqld³ª ¶Ç´Ù¸¥ ÇÁ·Î¼¼¼­¿¡¼­ »ç¿ë°¡´ÉÇÑ ¸Þ¸ð¸®¸¦ »ç¿ëÇÑÁö äũÇϽÿÀ. ¸¸¾à ±×·¸Áö ¾Ê´Ù¸é ulimit ¸í·ÉÀ» ÀÌ¿¿ëÇÏ¿© ´õ¸¹Àº ¸Þ¸ð¸®¸¦ »ç¿ëÇÒ ¼ö ÀÖµµ·Ï Çϰųª ½º¿Ò ½ºÆÐÀ̽º¸¦ Áõ°¡½ÃŰ½Ã¿À" + nor "Tomt for tråd plass/minne" + norwegian-ny "Tomt for tråd plass/minne" + pol "Zbyt ma³o miejsca/pamiêci dla w?tku" + por "Sem memória. Verifique se o mysqld ou algum outro processo está usando toda memória disponível. Se não, você pode ter que usar 'ulimit' para permitir ao mysqld usar mais memória ou você pode adicionar mais área de 'swap'" + rum "Out of memory; Verifica daca mysqld sau vreun alt proces foloseste toate memoria disponbila. Altfel, trebuie sa folosesi 'ulimit' ca sa permiti lui memoria disponbila. Altfel, trebuie sa folosesi 'ulimit' ca sa permiti lui mysqld sa foloseasca mai multa memorie ori adauga mai mult spatiu pentru swap (swap space)" + rus "îÅÄÏÓÔÁÔÏÞÎÏ ÐÁÍÑÔÉ; ÕÄÏÓÔÏ×ÅÒØÔÅÓØ, ÞÔÏ mysqld ÉÌÉ ËÁËÏÊ-ÌÉÂÏ ÄÒÕÇÏÊ ÐÒÏÃÅÓÓ ÎÅ ÚÁÎÉÍÁÅÔ ×ÓÀ ÄÏÓÔÕÐÎÕÀ ÐÁÍÑÔØ. åÓÌÉ ÎÅÔ, ÔÏ ×Ù ÍÏÖÅÔÅ ÉÓÐÏÌØÚÏ×ÁÔØ ulimit, ÞÔÏÂÙ ×ÙÄÅÌÉÔØ ÄÌÑ mysqld ÂÏÌØÛÅ ÐÁÍÑÔÉ, ÉÌÉ Õ×ÅÌÉÞÉÔØ ÏÂßÅÍ ÆÁÊÌÁ ÐÏÄËÁÞËÉ" + serbian "Nema memorije; Proverite da li MySQL server ili neki drugi proces koristi svu slobodnu memoriju. (UNIX: Ako ne, probajte da upotrebite 'ulimit' komandu da biste dozvolili daemon-u da koristi više memorije ili probajte da dodate više swap memorije)" + slo "Málo miesta-pamäti pre vlákno" + spa "Memoria/espacio de tranpaso insuficiente" + swe "Fick slut på minnet. Kontrollera om mysqld eller någon annan process använder allt tillgängligt minne. Om inte, försök använda 'ulimit' eller allokera mera swap" + ukr "âÒÁË ÐÁÍ'ÑÔ¦; ðÅÒÅצÒÔÅ ÞÉ mysqld ÁÂÏ ÑË¦ÓØ ¦ÎÛ¦ ÐÒÏÃÅÓÉ ×ÉËÏÒÉÓÔÏ×ÕÀÔØ ÕÓÀ ÄÏÓÔÕÐÎÕ ÐÁÍ'ÑÔØ. ñË Î¦, ÔÏ ×É ÍÏÖÅÔÅ ÓËÏÒÉÓÔÁÔÉÓÑ 'ulimit', ÁÂÉ ÄÏÚ×ÏÌÉÔÉ mysqld ×ÉËÏÒÉÓÔÏ×Õ×ÁÔÉ Â¦ÌØÛÅ ÐÁÍ'ÑÔ¦ ÁÂÏ ×É ÍÏÖÅÔÅ ÄÏÄÁÔÉ Â¦ÌØÛŠͦÓÃÑ Ð¦Ä Ó×ÁÐ" +ER_BAD_HOST_ERROR 08S01 + cze "Nemohu zjistit jm-Béno stroje pro Va¹i adresu" + dan "Kan ikke få værtsnavn for din adresse" + nla "Kan de hostname niet krijgen van uw adres" + eng "Can't get hostname for your address" + est "Ei suuda lahendada IP aadressi masina nimeks" + fre "Ne peut obtenir de hostname pour votre adresse" + ger "Kann Hostnamen für diese Adresse nicht erhalten" + greek "Äåí Ýãéíå ãíùóôü ôï hostname ãéá ôçí address óáò" + hun "A gepnev nem allapithato meg a cimbol" + ita "Impossibile risalire al nome dell'host dall'indirizzo (risoluzione inversa)" + jpn "¤½¤Î address ¤Î hostname ¤¬°ú¤±¤Þ¤»¤ó." + kor "´ç½ÅÀÇ ÄÄÇ»ÅÍÀÇ È£½ºÆ®À̸§À» ¾òÀ» ¼ö ¾øÀ¾´Ï´Ù." + nor "Kan ikke få tak i vertsnavn for din adresse" + norwegian-ny "Kan ikkje få tak i vertsnavn for di adresse" + pol "Nie mo¿na otrzymaæ nazwy hosta dla twojego adresu" + por "Não pode obter nome do 'host' para seu endereço" + rum "Nu pot sa obtin hostname-ul adresei tale" + rus "îÅ×ÏÚÍÏÖÎÏ ÐÏÌÕÞÉÔØ ÉÍÑ ÈÏÓÔÁ ÄÌÑ ×ÁÛÅÇÏ ÁÄÒÅÓÁ" + serbian "Ne mogu da dobijem ime host-a za vašu IP adresu" + slo "Nemô¾em zisti» meno hostiteµa pre va¹u adresu" + spa "No puedo obtener el nombre de maquina de tu direccion" + swe "Kan inte hitta 'hostname' för din adress" + ukr "îÅ ÍÏÖÕ ×ÉÚÎÁÞÉÔÉ ¦Í'Ñ ÈÏÓÔÕ ÄÌÑ ×ÁÛϧ ÁÄÒÅÓÉ" +ER_HANDSHAKE_ERROR 08S01 + cze "Chyba p-Bøi ustavování spojení" + dan "Forkert håndtryk (handshake)" + nla "Verkeerde handshake" + eng "Bad handshake" + est "Väär handshake" + fre "Mauvais 'handshake'" + ger "Schlechter Handshake" + greek "Ç áíáãíþñéóç (handshake) äåí Ýãéíå óùóôÜ" + hun "A kapcsolatfelvetel nem sikerult (Bad handshake)" + ita "Negoziazione impossibile" + nor "Feil håndtrykk (handshake)" + norwegian-ny "Feil handtrykk (handshake)" + pol "Z³y uchwyt(handshake)" + por "Negociação de acesso falhou" + rum "Prost inceput de conectie (bad handshake)" + rus "îÅËÏÒÒÅËÔÎÏÅ ÐÒÉ×ÅÔÓÔ×ÉÅ" + serbian "Loš poèetak komunikacije (handshake)" + slo "Chyba pri nadväzovaní spojenia" + spa "Protocolo erroneo" + swe "Fel vid initiering av kommunikationen med klienten" + ukr "îÅצÒÎÁ ÕÓÔÁÎÏ×ËÁ Ú×'ÑÚËÕ" +ER_DBACCESS_DENIED_ERROR 42000 + cze "P-Bøístup pro u¾ivatele '%-.32s'@'%-.64s' k databázi '%-.64s' není povolen" + dan "Adgang nægtet bruger: '%-.32s'@'%-.64s' til databasen '%-.64s'" + nla "Toegang geweigerd voor gebruiker: '%-.32s'@'%-.64s' naar database '%-.64s'" + eng "Access denied for user '%-.32s'@'%-.64s' to database '%-.64s'" + est "Ligipääs keelatud kasutajale '%-.32s'@'%-.64s' andmebaasile '%-.64s'" + fre "Accès refusé pour l'utilisateur: '%-.32s'@'@%-.64s'. Base '%-.64s'" + ger "Benutzer '%-.32s'@'%-.64s' hat keine Zugriffsberechtigung für Datenbank '%-.64s'" + greek "Äåí åðéôÝñåôáé ç ðñüóâáóç óôï ÷ñÞóôç: '%-.32s'@'%-.64s' óôç âÜóç äåäïìÝíùí '%-.64s'" + hun "A(z) '%-.32s'@'%-.64s' felhasznalo szamara tiltott eleres az '%-.64s' adabazishoz." + ita "Accesso non consentito per l'utente: '%-.32s'@'%-.64s' al database '%-.64s'" + jpn "¥æ¡¼¥¶¡¼ '%-.32s'@'%-.64s' ¤Î '%-.64s' ¥Ç¡¼¥¿¥Ù¡¼¥¹¤Ø¤Î¥¢¥¯¥»¥¹¤òµñÈݤ·¤Þ¤¹" + kor "'%-.32s'@'%-.64s' »ç¿ëÀÚ´Â '%-.64s' µ¥ÀÌŸº£À̽º¿¡ Á¢±ÙÀÌ °ÅºÎ µÇ¾ú½À´Ï´Ù." + nor "Tilgang nektet for bruker: '%-.32s'@'%-.64s' til databasen '%-.64s' nektet" + norwegian-ny "Tilgang ikkje tillate for brukar: '%-.32s'@'%-.64s' til databasen '%-.64s' nekta" + por "Acesso negado para o usuário '%-.32s'@'%-.64s' ao banco de dados '%-.64s'" + rum "Acces interzis pentru utilizatorul: '%-.32s'@'%-.64s' la baza de date '%-.64s'" + rus "äÌÑ ÐÏÌØÚÏ×ÁÔÅÌÑ '%-.32s'@'%-.64s' ÄÏÓÔÕÐ Ë ÂÁÚÅ ÄÁÎÎÙÈ '%-.64s' ÚÁËÒÙÔ" + serbian "Pristup je zabranjen korisniku '%-.32s'@'%-.64s' za bazu '%-.64s'" + slo "Zakázaný prístup pre u¾ívateµa: '%-.32s'@'%-.64s' k databázi '%-.64s'" + spa "Acceso negado para usuario: '%-.32s'@'%-.64s' para la base de datos '%-.64s'" + swe "Användare '%-.32s'@'%-.64s' är ej berättigad att använda databasen %-.64s" + ukr "äÏÓÔÕÐ ÚÁÂÏÒÏÎÅÎÏ ÄÌÑ ËÏÒÉÓÔÕ×ÁÞÁ: '%-.32s'@'%-.64s' ÄÏ ÂÁÚÉ ÄÁÎÎÉÈ '%-.64s'" +ER_ACCESS_DENIED_ERROR 28000 + cze "P-Bøístup pro u¾ivatele '%-.32s'@'%-.64s' (s heslem %s)" + dan "Adgang nægtet bruger: '%-.32s'@'%-.64s' (Bruger adgangskode: %s)" + nla "Toegang geweigerd voor gebruiker: '%-.32s'@'%-.64s' (Wachtwoord gebruikt: %s)" + eng "Access denied for user '%-.32s'@'%-.64s' (using password: %s)" + est "Ligipääs keelatud kasutajale '%-.32s'@'%-.64s' (kasutab parooli: %s)" + fre "Accès refusé pour l'utilisateur: '%-.32s'@'@%-.64s' (mot de passe: %s)" + ger "Benutzer '%-.32s'@'%-.64s' hat keine Zugriffsberechtigung (verwendetes Passwort: %-.64s)" + greek "Äåí åðéôÝñåôáé ç ðñüóâáóç óôï ÷ñÞóôç: '%-.32s'@'%-.64s' (÷ñÞóç password: %s)" + hun "A(z) '%-.32s'@'%-.64s' felhasznalo szamara tiltott eleres. (Hasznalja a jelszot: %s)" + ita "Accesso non consentito per l'utente: '%-.32s'@'%-.64s' (Password: %s)" + jpn "¥æ¡¼¥¶¡¼ '%-.32s'@'%-.64s' ¤òµñÈݤ·¤Þ¤¹.uUsing password: %s)" + kor "'%-.32s'@'%-.64s' »ç¿ëÀÚ´Â Á¢±ÙÀÌ °ÅºÎ µÇ¾ú½À´Ï´Ù. (using password: %s)" + nor "Tilgang nektet for bruker: '%-.32s'@'%-.64s' (Bruker passord: %s)" + norwegian-ny "Tilgang ikke tillate for brukar: '%-.32s'@'%-.64s' (Brukar passord: %s)" + por "Acesso negado para o usuário '%-.32s'@'%-.64s' (senha usada: %s)" + rum "Acces interzis pentru utilizatorul: '%-.32s'@'%-.64s' (Folosind parola: %s)" + rus "äÏÓÔÕÐ ÚÁËÒÙÔ ÄÌÑ ÐÏÌØÚÏ×ÁÔÅÌÑ '%-.32s'@'%-.64s' (ÂÙÌ ÉÓÐÏÌØÚÏ×ÁÎ ÐÁÒÏÌØ: %s)" + serbian "Pristup je zabranjen korisniku '%-.32s'@'%-.64s' (koristi lozinku: '%s')" + slo "Zakázaný prístup pre u¾ívateµa: '%-.32s'@'%-.64s' (pou¾itie hesla: %s)" + spa "Acceso negado para usuario: '%-.32s'@'%-.64s' (Usando clave: %s)" + swe "Användare '%-.32s'@'%-.64s' är ej berättigad att logga in (Använder lösen: %s)" + ukr "äÏÓÔÕÐ ÚÁÂÏÒÏÎÅÎÏ ÄÌÑ ËÏÒÉÓÔÕ×ÁÞÁ: '%-.32s'@'%-.64s' (÷ÉËÏÒÉÓÔÁÎÏ ÐÁÒÏÌØ: %s)" +ER_NO_DB_ERROR 3D000 + cze "Nebyla vybr-Bána ¾ádná databáze" + dan "Ingen database valgt" + nla "Geen database geselecteerd" + eng "No database selected" + est "Andmebaasi ei ole valitud" + fre "Aucune base n'a été sélectionnée" + ger "Keine Datenbank ausgewählt" + greek "Äåí åðéëÝ÷èçêå âÜóç äåäïìÝíùí" + hun "Nincs kivalasztott adatbazis" + ita "Nessun database selezionato" + jpn "¥Ç¡¼¥¿¥Ù¡¼¥¹¤¬ÁªÂò¤µ¤ì¤Æ¤¤¤Þ¤»¤ó." + kor "¼±ÅÃµÈ µ¥ÀÌŸº£À̽º°¡ ¾ø½À´Ï´Ù." + nor "Ingen database valgt" + norwegian-ny "Ingen database vald" + pol "Nie wybrano ¿adnej bazy danych" + por "Nenhum banco de dados foi selecionado" + rum "Nici o baza de data nu a fost selectata inca" + rus "âÁÚÁ ÄÁÎÎÙÈ ÎÅ ×ÙÂÒÁÎÁ" + serbian "Ni jedna baza nije selektovana" + slo "Nebola vybraná databáza" + spa "Base de datos no seleccionada" + swe "Ingen databas i användning" + ukr "âÁÚÕ ÄÁÎÎÉÈ ÎÅ ×ÉÂÒÁÎÏ" +ER_UNKNOWN_COM_ERROR 08S01 + cze "Nezn-Bámý pøíkaz" + dan "Ukendt kommando" + nla "Onbekend commando" + eng "Unknown command" + est "Tundmatu käsk" + fre "Commande inconnue" + ger "Unbekannter Befehl" + greek "Áãíùóôç åíôïëÞ" + hun "Ervenytelen parancs" + ita "Comando sconosciuto" + jpn "¤½¤Î¥³¥Þ¥ó¥É¤Ï²¿¡©" + kor "¸í·É¾î°¡ ¹ºÁö ¸ð¸£°Ú¾î¿ä..." + nor "Ukjent kommando" + norwegian-ny "Ukjent kommando" + pol "Nieznana komenda" + por "Comando desconhecido" + rum "Comanda invalida" + rus "îÅÉÚ×ÅÓÔÎÁÑ ËÏÍÁÎÄÁ ËÏÍÍÕÎÉËÁÃÉÏÎÎÏÇÏ ÐÒÏÔÏËÏÌÁ" + serbian "Nepoznata komanda" + slo "Neznámy príkaz" + spa "Comando desconocido" + swe "Okänt commando" + ukr "îÅצÄÏÍÁ ËÏÍÁÎÄÁ" +ER_BAD_NULL_ERROR 23000 + cze "Sloupec '%-.64s' nem-Bù¾e být null" + dan "Kolonne '%-.64s' kan ikke være NULL" + nla "Kolom '%-.64s' kan niet null zijn" + eng "Column '%-.64s' cannot be null" + est "Tulp '%-.64s' ei saa omada nullväärtust" + fre "Le champ '%-.64s' ne peut être vide (null)" + ger "Feld '%-.64s' darf nicht NULL sein" + greek "Ôï ðåäßï '%-.64s' äåí ìðïñåß íá åßíáé êåíü (null)" + hun "A(z) '%-.64s' oszlop erteke nem lehet nulla" + ita "La colonna '%-.64s' non puo` essere nulla" + jpn "Column '%-.64s' ¤Ï null ¤Ë¤Ï¤Ç¤­¤Ê¤¤¤Î¤Ç¤¹" + kor "Ä®·³ '%-.64s'´Â ³Î(Null)ÀÌ µÇ¸é ¾ÈµË´Ï´Ù. " + nor "Kolonne '%-.64s' kan ikke vere null" + norwegian-ny "Kolonne '%-.64s' kan ikkje vere null" + pol "Kolumna '%-.64s' nie mo¿e byæ null" + por "Coluna '%-.64s' não pode ser vazia" + rum "Coloana '%-.64s' nu poate sa fie null" + rus "óÔÏÌÂÅà '%-.64s' ÎÅ ÍÏÖÅÔ ÐÒÉÎÉÍÁÔØ ×ÅÌÉÞÉÎÕ NULL" + serbian "Kolona '%-.64s' ne može biti NULL" + slo "Pole '%-.64s' nemô¾e by» null" + spa "La columna '%-.64s' no puede ser nula" + swe "Kolumn '%-.64s' får inte vara NULL" + ukr "óÔÏ×ÂÅÃØ '%-.64s' ÎÅ ÍÏÖÅ ÂÕÔÉ ÎÕÌØÏ×ÉÍ" +ER_BAD_DB_ERROR 42000 + cze "Nezn-Bámá databáze '%-.64s'" + dan "Ukendt database '%-.64s'" + nla "Onbekende database '%-.64s'" + eng "Unknown database '%-.64s'" + est "Tundmatu andmebaas '%-.64s'" + fre "Base '%-.64s' inconnue" + ger "Unbekannte Datenbank '%-.64s'" + greek "Áãíùóôç âÜóç äåäïìÝíùí '%-.64s'" + hun "Ervenytelen adatbazis: '%-.64s'" + ita "Database '%-.64s' sconosciuto" + jpn "'%-.64s' ¤Ê¤ó¤Æ¥Ç¡¼¥¿¥Ù¡¼¥¹¤ÏÃΤê¤Þ¤»¤ó." + kor "µ¥ÀÌŸº£À̽º '%-.64s'´Â ¾Ë¼ö ¾øÀ½" + nor "Ukjent database '%-.64s'" + norwegian-ny "Ukjent database '%-.64s'" + pol "Nieznana baza danych '%-.64s'" + por "Banco de dados '%-.64s' desconhecido" + rum "Baza de data invalida '%-.64s'" + rus "îÅÉÚ×ÅÓÔÎÁÑ ÂÁÚÁ ÄÁÎÎÙÈ '%-.64s'" + serbian "Nepoznata baza '%-.64s'" + slo "Neznáma databáza '%-.64s'" + spa "Base de datos desconocida '%-.64s'" + swe "Okänd databas: '%-.64s'" + ukr "îÅצÄÏÍÁ ÂÁÚÁ ÄÁÎÎÉÈ '%-.64s'" +ER_TABLE_EXISTS_ERROR 42S01 + cze "Tabulka '%-.64s' ji-B¾ existuje" + dan "Tabellen '%-.64s' findes allerede" + nla "Tabel '%-.64s' bestaat al" + eng "Table '%-.64s' already exists" + est "Tabel '%-.64s' juba eksisteerib" + fre "La table '%-.64s' existe déjà" + ger "Tabelle '%-.64s' bereits vorhanden" + greek "Ï ðßíáêáò '%-.64s' õðÜñ÷åé Þäç" + hun "A(z) '%-.64s' tabla mar letezik" + ita "La tabella '%-.64s' esiste gia`" + jpn "Table '%-.64s' ¤Ï´û¤Ë¤¢¤ê¤Þ¤¹" + kor "Å×À̺í '%-.64s'´Â ÀÌ¹Ì Á¸ÀçÇÔ" + nor "Tabellen '%-.64s' eksisterer allerede" + norwegian-ny "Tabellen '%-.64s' eksisterar allereide" + pol "Tabela '%-.64s' ju¿ istnieje" + por "Tabela '%-.64s' já existe" + rum "Tabela '%-.64s' exista deja" + rus "ôÁÂÌÉÃÁ '%-.64s' ÕÖÅ ÓÕÝÅÓÔ×ÕÅÔ" + serbian "Tabela '%-.64s' veæ postoji" + slo "Tabuµka '%-.64s' u¾ existuje" + spa "La tabla '%-.64s' ya existe" + swe "Tabellen '%-.64s' finns redan" + ukr "ôÁÂÌÉÃÑ '%-.64s' ×ÖÅ ¦ÓÎÕ¤" +ER_BAD_TABLE_ERROR 42S02 + cze "Nezn-Bámá tabulka '%-.64s'" + dan "Ukendt tabel '%-.64s'" + nla "Onbekende tabel '%-.64s'" + eng "Unknown table '%-.64s'" + est "Tundmatu tabel '%-.64s'" + fre "Table '%-.64s' inconnue" + ger "Unbekannte Tabelle '%-.64s'" + greek "Áãíùóôïò ðßíáêáò '%-.64s'" + hun "Ervenytelen tabla: '%-.64s'" + ita "Tabella '%-.64s' sconosciuta" + jpn "table '%-.64s' ¤Ï¤¢¤ê¤Þ¤»¤ó." + kor "Å×À̺í '%-.64s'´Â ¾Ë¼ö ¾øÀ½" + nor "Ukjent tabell '%-.64s'" + norwegian-ny "Ukjent tabell '%-.64s'" + pol "Nieznana tabela '%-.64s'" + por "Tabela '%-.64s' desconhecida" + rum "Tabela '%-.64s' este invalida" + rus "îÅÉÚ×ÅÓÔÎÁÑ ÔÁÂÌÉÃÁ '%-.64s'" + serbian "Nepoznata tabela '%-.64s'" + slo "Neznáma tabuµka '%-.64s'" + spa "Tabla '%-.64s' desconocida" + swe "Okänd tabell '%-.64s'" + ukr "îÅצÄÏÍÁ ÔÁÂÌÉÃÑ '%-.64s'" +ER_NON_UNIQ_ERROR 23000 + cze "Sloupec '%-.64s' v %s nen-Bí zcela jasný" + dan "Felt: '%-.64s' i tabel %s er ikke entydigt" + nla "Kolom: '%-.64s' in %s is niet eenduidig" + eng "Column '%-.64s' in %-.64s is ambiguous" + est "Väli '%-.64s' %-.64s-s ei ole ühene" + fre "Champ: '%-.64s' dans %s est ambigu" + ger "Spalte '%-.64s' in %-.64s ist nicht eindeutig" + greek "Ôï ðåäßï: '%-.64s' óå %-.64s äåí Ý÷åé êáèïñéóôåß" + hun "A(z) '%-.64s' oszlop %-.64s-ben ketertelmu" + ita "Colonna: '%-.64s' di %-.64s e` ambigua" + jpn "Column: '%-.64s' in %-.64s is ambiguous" + kor "Ä®·³: '%-.64s' in '%-.64s' ÀÌ ¸ðÈ£ÇÔ" + nor "Felt: '%-.64s' i tabell %s er ikke entydig" + norwegian-ny "Kolonne: '%-.64s' i tabell %s er ikkje eintydig" + pol "Kolumna: '%-.64s' w %s jest dwuznaczna" + por "Coluna '%-.64s' em '%-.64s' é ambígua" + rum "Coloana: '%-.64s' in %-.64s este ambigua" + rus "óÔÏÌÂÅà '%-.64s' × %-.64s ÚÁÄÁÎ ÎÅÏÄÎÏÚÎÁÞÎÏ" + serbian "Kolona '%-.64s' u %-.64s nije jedinstvena u kontekstu" + slo "Pole: '%-.64s' v %-.64s je nejasné" + spa "La columna: '%-.64s' en %s es ambigua" + swe "Kolumn '%-.64s' i %s är inte unik" + ukr "óÔÏ×ÂÅÃØ '%-.64s' Õ %-.64s ×ÉÚÎÁÞÅÎÉÊ ÎÅÏÄÎÏÚÎÁÞÎÏ" +ER_SERVER_SHUTDOWN 08S01 + cze "Prob-Bíhá ukonèování práce serveru" + dan "Database nedlukning er i gang" + nla "Bezig met het stoppen van de server" + eng "Server shutdown in progress" + est "Serveri seiskamine käib" + fre "Arrêt du serveur en cours" + ger "Der Server wird heruntergefahren" + greek "Åíáñîç äéáäéêáóßáò áðïóýíäåóçò ôïõ åîõðçñåôçôÞ (server shutdown)" + hun "A szerver leallitasa folyamatban" + ita "Shutdown del server in corso" + jpn "Server ¤ò shutdown Ãæ..." + kor "Server°¡ ¼Ë´Ù¿î ÁßÀÔ´Ï´Ù." + nor "Database nedkobling er i gang" + norwegian-ny "Tenar nedkopling er i gang" + pol "Trwa koñczenie dzia³ania serwera" + por "'Shutdown' do servidor em andamento" + rum "Terminarea serverului este in desfasurare" + rus "óÅÒ×ÅÒ ÎÁÈÏÄÉÔÓÑ × ÐÒÏÃÅÓÓÅ ÏÓÔÁÎÏ×ËÉ" + serbian "Gašenje servera je u toku" + slo "Prebieha ukonèovanie práce servera" + spa "Desconexion de servidor en proceso" + swe "Servern går nu ned" + ukr "úÁ×ÅÒÛÕ¤ÔØÓÑ ÒÁÂÏÔÁ ÓÅÒ×ÅÒÁ" +ER_BAD_FIELD_ERROR 42S22 S0022 + cze "Nezn-Bámý sloupec '%-.64s' v %s" + dan "Ukendt kolonne '%-.64s' i tabel %s" + nla "Onbekende kolom '%-.64s' in %s" + eng "Unknown column '%-.64s' in '%-.64s'" + est "Tundmatu tulp '%-.64s' '%-.64s'-s" + fre "Champ '%-.64s' inconnu dans %s" + ger "Unbekanntes Tabellenfeld '%-.64s' in %-.64s" + greek "Áãíùóôï ðåäßï '%-.64s' óå '%-.64s'" + hun "A(z) '%-.64s' oszlop ervenytelen '%-.64s'-ben" + ita "Colonna sconosciuta '%-.64s' in '%-.64s'" + jpn "'%-.64s' column ¤Ï '%-.64s' ¤Ë¤Ï¤¢¤ê¤Þ¤»¤ó." + kor "Unknown Ä®·³ '%-.64s' in '%-.64s'" + nor "Ukjent kolonne '%-.64s' i tabell %s" + norwegian-ny "Ukjent felt '%-.64s' i tabell %s" + pol "Nieznana kolumna '%-.64s' w %s" + por "Coluna '%-.64s' desconhecida em '%-.64s'" + rum "Coloana invalida '%-.64s' in '%-.64s'" + rus "îÅÉÚ×ÅÓÔÎÙÊ ÓÔÏÌÂÅà '%-.64s' × '%-.64s'" + serbian "Nepoznata kolona '%-.64s' u '%-.64s'" + slo "Neznáme pole '%-.64s' v '%-.64s'" + spa "La columna '%-.64s' en %s es desconocida" + swe "Okänd kolumn '%-.64s' i %s" + ukr "îÅצÄÏÍÉÊ ÓÔÏ×ÂÅÃØ '%-.64s' Õ '%-.64s'" +ER_WRONG_FIELD_WITH_GROUP 42000 S1009 + cze "Pou-B¾ité '%-.64s' nebylo v group by" + dan "Brugte '%-.64s' som ikke var i group by" + nla "Opdracht gebruikt '%-.64s' dat niet in de GROUP BY voorkomt" + eng "'%-.64s' isn't in GROUP BY" + est "'%-.64s' puudub GROUP BY klauslis" + fre "'%-.64s' n'est pas dans 'group by'" + ger "'%-.64s' ist nicht in GROUP BY vorhanden" + greek "×ñçóéìïðïéÞèçêå '%-.64s' ðïõ äåí õðÞñ÷å óôï group by" + hun "Used '%-.64s' with wasn't in group by" + ita "Usato '%-.64s' che non e` nel GROUP BY" + kor "'%-.64s'Àº GROUP BY¼Ó¿¡ ¾øÀ½" + nor "Brukte '%-.64s' som ikke var i group by" + norwegian-ny "Brukte '%-.64s' som ikkje var i group by" + pol "U¿yto '%-.64s' bez umieszczenia w group by" + por "'%-.64s' não está em 'GROUP BY'" + rum "'%-.64s' nu exista in clauza GROUP BY" + rus "'%-.64s' ÎÅ ÐÒÉÓÕÔÓÔ×ÕÅÔ × GROUP BY" + serbian "Entitet '%-.64s' nije naveden u komandi 'GROUP BY'" + slo "Pou¾ité '%-.64s' nebolo v 'group by'" + spa "Usado '%-.64s' el cual no esta group by" + swe "'%-.64s' finns inte i GROUP BY" + ukr "'%-.64s' ÎÅ ¤ Õ GROUP BY" +ER_WRONG_GROUP_FIELD 42000 S1009 + cze "Nemohu pou-B¾ít group na '%-.64s'" + dan "Kan ikke gruppere på '%-.64s'" + nla "Kan '%-.64s' niet groeperen" + eng "Can't group on '%-.64s'" + est "Ei saa grupeerida '%-.64s' järgi" + fre "Ne peut regrouper '%-.64s'" + ger "Gruppierung über '%-.64s' nicht möglich" + greek "Áäýíáôç ç ïìáäïðïßçóç (group on) '%-.64s'" + hun "A group nem hasznalhato: '%-.64s'" + ita "Impossibile raggruppare per '%-.64s'" + kor "'%-.64s'¸¦ ±×·ìÇÒ ¼ö ¾øÀ½" + nor "Kan ikke gruppere på '%-.64s'" + norwegian-ny "Kan ikkje gruppere på '%-.64s'" + pol "Nie mo¿na grupowaæ po '%-.64s'" + por "Não pode agrupar em '%-.64s'" + rum "Nu pot sa grupez pe (group on) '%-.64s'" + rus "îÅ×ÏÚÍÏÖÎÏ ÐÒÏÉÚ×ÅÓÔÉ ÇÒÕÐÐÉÒÏ×ËÕ ÐÏ '%-.64s'" + serbian "Ne mogu da grupišem po '%-.64s'" + slo "Nemô¾em pou¾i» 'group' na '%-.64s'" + spa "No puedo agrupar por '%-.64s'" + swe "Kan inte använda GROUP BY med '%-.64s'" + ukr "îÅ ÍÏÖÕ ÇÒÕÐÕ×ÁÔÉ ÐÏ '%-.64s'" +ER_WRONG_SUM_SELECT 42000 S1009 + cze "P-Bøíkaz obsahuje zároveò funkci sum a sloupce" + dan "Udtrykket har summer (sum) funktioner og kolonner i samme udtryk" + nla "Opdracht heeft totaliseer functies en kolommen in dezelfde opdracht" + eng "Statement has sum functions and columns in same statement" + est "Lauses on korraga nii tulbad kui summeerimisfunktsioonid" + fre "Vous demandez la fonction sum() et des champs dans la même commande" + ger "Die Verwendung von Summierungsfunktionen und Spalten im selben Befehl ist nicht erlaubt" + greek "Ç äéáôýðùóç ðåñéÝ÷åé sum functions êáé columns óôçí ßäéá äéáôýðùóç" + ita "Il comando ha una funzione SUM e una colonna non specificata nella GROUP BY" + kor "Statement °¡ sum±â´ÉÀ» µ¿ÀÛÁßÀ̰í Ä®·³µµ µ¿ÀÏÇÑ statementÀÔ´Ï´Ù." + nor "Uttrykket har summer (sum) funksjoner og kolonner i samme uttrykk" + norwegian-ny "Uttrykket har summer (sum) funksjoner og kolonner i same uttrykk" + pol "Zapytanie ma funkcje sumuj?ce i kolumny w tym samym zapytaniu" + por "Cláusula contém funções de soma e colunas juntas" + rum "Comanda are functii suma si coloane in aceeasi comanda" + rus "÷ÙÒÁÖÅÎÉÅ ÓÏÄÅÒÖÉÔ ÇÒÕÐÐÏ×ÙÅ ÆÕÎËÃÉÉ É ÓÔÏÌÂÃÙ, ÎÏ ÎÅ ×ËÌÀÞÁÅÔ GROUP BY. á ËÁË ×Ù ÕÍÕÄÒÉÌÉÓØ ÐÏÌÕÞÉÔØ ÜÔÏ ÓÏÏÂÝÅÎÉÅ Ï ÏÛÉÂËÅ?" + serbian "Izraz ima 'SUM' agregatnu funkciju i kolone u isto vreme" + slo "Príkaz obsahuje zároveò funkciu 'sum' a poµa" + spa "El estamento tiene funciones de suma y columnas en el mismo estamento" + swe "Kommandot har både sum functions och enkla funktioner" + ukr "õ ×ÉÒÁÚ¦ ×ÉËÏÒÉÓÔÁÎÏ Ð¦ÄÓÕÍÏ×ÕÀÞ¦ ÆÕÎËæ§ ÐÏÒÑÄ Ú ¦ÍÅÎÁÍÉ ÓÔÏ×Âæ×" +ER_WRONG_VALUE_COUNT 21S01 + cze "Po-Bèet sloupcù neodpovídá zadané hodnotì" + dan "Kolonne tæller stemmer ikke med antallet af værdier" + nla "Het aantal kolommen komt niet overeen met het aantal opgegeven waardes" + eng "Column count doesn't match value count" + est "Tulpade arv erineb väärtuste arvust" + ger "Die Anzahl der Spalten entspricht nicht der Anzahl der Werte" + greek "Ôï Column count äåí ôáéñéÜæåé ìå ôï value count" + hun "Az oszlopban levo ertek nem egyezik meg a szamitott ertekkel" + ita "Il numero delle colonne non e` uguale al numero dei valori" + kor "Ä®·³ÀÇ Ä«¿îÆ®°¡ °ªÀÇ Ä«¿îÆ®¿Í ÀÏÄ¡ÇÏÁö ¾Ê½À´Ï´Ù." + nor "Felt telling stemmer verdi telling" + norwegian-ny "Kolonne telling stemmer verdi telling" + pol "Liczba kolumn nie odpowiada liczbie warto?ci" + por "Contagem de colunas não confere com a contagem de valores" + rum "Numarul de coloane nu este acelasi cu numarul valoarei" + rus "ëÏÌÉÞÅÓÔ×Ï ÓÔÏÌÂÃÏ× ÎÅ ÓÏ×ÐÁÄÁÅÔ Ó ËÏÌÉÞÅÓÔ×ÏÍ ÚÎÁÞÅÎÉÊ" + serbian "Broj kolona ne odgovara broju vrednosti" + slo "Poèet polí nezodpovedá zadanej hodnote" + spa "La columna con count no tiene valores para contar" + swe "Antalet kolumner motsvarar inte antalet värden" + ukr "ë¦ÌØË¦ÓÔØ ÓÔÏ×ÂÃ¦× ÎÅ ÓЦ×ÐÁÄÁ¤ Ú Ë¦ÌØË¦ÓÔÀ ÚÎÁÞÅÎØ" +ER_TOO_LONG_IDENT 42000 S1009 + cze "Jm-Béno identifikátoru '%-.64s' je pøíli¹ dlouhé" + dan "Navnet '%-.64s' er for langt" + nla "Naam voor herkenning '%-.64s' is te lang" + eng "Identifier name '%-.100s' is too long" + est "Identifikaatori '%-.100s' nimi on liiga pikk" + fre "Le nom de l'identificateur '%-.64s' est trop long" + ger "Name des Bezeichners '%-.64s' ist zu lang" + greek "Ôï identifier name '%-.100s' åßíáé ðïëý ìåãÜëï" + hun "A(z) '%-.100s' azonositonev tul hosszu." + ita "Il nome dell'identificatore '%-.100s' e` troppo lungo" + jpn "Identifier name '%-.100s' ¤ÏŤ¹¤®¤Þ¤¹" + kor "Identifier '%-.100s'´Â ³Ê¹« ±æ±º¿ä." + nor "Identifikator '%-.64s' er for lang" + norwegian-ny "Identifikator '%-.64s' er for lang" + pol "Nazwa identyfikatora '%-.64s' jest zbyt d³uga" + por "Nome identificador '%-.100s' é longo demais" + rum "Numele indentificatorului '%-.100s' este prea lung" + rus "óÌÉÛËÏÍ ÄÌÉÎÎÙÊ ÉÄÅÎÔÉÆÉËÁÔÏÒ '%-.100s'" + serbian "Ime '%-.100s' je predugaèko" + slo "Meno identifikátora '%-.100s' je príli¹ dlhé" + spa "El nombre del identificador '%-.64s' es demasiado grande" + swe "Kolumnnamn '%-.64s' är för långt" + ukr "¶Í'Ñ ¦ÄÅÎÔÉÆ¦ËÁÔÏÒÁ '%-.100s' ÚÁÄÏ×ÇÅ" +ER_DUP_FIELDNAME 42S21 S1009 + cze "Zdvojen-Bé jméno sloupce '%-.64s'" + dan "Feltnavnet '%-.64s' findes allerede" + nla "Dubbele kolom naam '%-.64s'" + eng "Duplicate column name '%-.64s'" + est "Kattuv tulba nimi '%-.64s'" + fre "Nom du champ '%-.64s' déjà utilisé" + ger "Doppelter Spaltenname vorhanden: '%-.64s'" + greek "ÅðáíÜëçøç column name '%-.64s'" + hun "Duplikalt oszlopazonosito: '%-.64s'" + ita "Nome colonna duplicato '%-.64s'" + jpn "'%-.64s' ¤È¤¤¤¦ column ̾¤Ï½ÅÊ£¤·¤Æ¤Þ¤¹" + kor "Áߺ¹µÈ Ä®·³ À̸§: '%-.64s'" + nor "Feltnavnet '%-.64s' eksisterte fra før" + norwegian-ny "Feltnamnet '%-.64s' eksisterte frå før" + pol "Powtórzona nazwa kolumny '%-.64s'" + por "Nome da coluna '%-.64s' duplicado" + rum "Numele coloanei '%-.64s' e duplicat" + rus "äÕÂÌÉÒÕÀÝÅÅÓÑ ÉÍÑ ÓÔÏÌÂÃÁ '%-.64s'" + serbian "Duplirano ime kolone '%-.64s'" + slo "Opakované meno poµa '%-.64s'" + spa "Nombre de columna duplicado '%-.64s'" + swe "Kolumnnamn '%-.64s finns flera gånger" + ukr "äÕÂÌÀÀÞÅ ¦Í'Ñ ÓÔÏ×ÂÃÑ '%-.64s'" +ER_DUP_KEYNAME 42000 S1009 + cze "Zdvojen-Bé jméno klíèe '%-.64s'" + dan "Indeksnavnet '%-.64s' findes allerede" + nla "Dubbele zoeksleutel naam '%-.64s'" + eng "Duplicate key name '%-.64s'" + est "Kattuv võtme nimi '%-.64s'" + fre "Nom de clef '%-.64s' déjà utilisé" + ger "Doppelter Name für Schlüssel (Key) vorhanden: '%-.64s'" + greek "ÅðáíÜëçøç key name '%-.64s'" + hun "Duplikalt kulcsazonosito: '%-.64s'" + ita "Nome chiave duplicato '%-.64s'" + jpn "'%-.64s' ¤È¤¤¤¦ key ¤Î̾Á°¤Ï½ÅÊ£¤·¤Æ¤¤¤Þ¤¹" + kor "Áߺ¹µÈ Ű À̸§ : '%-.64s'" + nor "Nøkkelnavnet '%-.64s' eksisterte fra før" + norwegian-ny "Nøkkelnamnet '%-.64s' eksisterte frå før" + pol "Powtórzony nazwa klucza '%-.64s'" + por "Nome da chave '%-.64s' duplicado" + rum "Numele cheiei '%-.64s' e duplicat" + rus "äÕÂÌÉÒÕÀÝÅÅÓÑ ÉÍÑ ËÌÀÞÁ '%-.64s'" + serbian "Duplirano ime kljuèa '%-.64s'" + slo "Opakované meno kµúèa '%-.64s'" + spa "Nombre de clave duplicado '%-.64s'" + swe "Nyckelnamn '%-.64s' finns flera gånger" + ukr "äÕÂÌÀÀÞÅ ¦Í'Ñ ËÌÀÞÁ '%-.64s'" +ER_DUP_ENTRY 23000 S1009 + cze "Zvojen-Bý klíè '%-.64s' (èíslo klíèe %d)" + dan "Ens værdier '%-.64s' for indeks %d" + nla "Dubbele ingang '%-.64s' voor zoeksleutel %d" + eng "Duplicate entry '%-.64s' for key %d" + est "Kattuv väärtus '%-.64s' võtmele %d" + fre "Duplicata du champ '%-.64s' pour la clef %d" + ger "Doppelter Eintrag '%-.64s' für Schlüssel %d" + greek "ÄéðëÞ åããñáöÞ '%-.64s' ãéá ôï êëåéäß %d" + hun "Duplikalt bejegyzes '%-.64s' a %d kulcs szerint." + ita "Valore duplicato '%-.64s' per la chiave %d" + jpn "'%-.64s' ¤Ï key %d ¤Ë¤ª¤¤¤Æ½ÅÊ£¤·¤Æ¤¤¤Þ¤¹" + kor "Áߺ¹µÈ ÀÔ·Â °ª '%-.64s': key %d" + nor "Like verdier '%-.64s' for nøkkel %d" + norwegian-ny "Like verdiar '%-.64s' for nykkel %d" + pol "Powtórzone wyst?pienie '%-.64s' dla klucza %d" + por "Entrada '%-.64s' duplicada para a chave %d" + rum "Cimpul '%-.64s' e duplicat pentru cheia %d" + rus "äÕÂÌÉÒÕÀÝÁÑÓÑ ÚÁÐÉÓØ '%-.64s' ÐÏ ËÌÀÞÕ %d" + serbian "Dupliran unos '%-.64s' za kljuè '%d'" + slo "Opakovaný kµúè '%-.64s' (èíslo kµúèa %d)" + spa "Entrada duplicada '%-.64s' para la clave %d" + swe "Dubbel nyckel '%-.64s' för nyckel %d" + ukr "äÕÂÌÀÀÞÉÊ ÚÁÐÉÓ '%-.64s' ÄÌÑ ËÌÀÞÁ %d" +ER_WRONG_FIELD_SPEC 42000 S1009 + cze "Chybn-Bá specifikace sloupce '%-.64s'" + dan "Forkert kolonnespecifikaton for felt '%-.64s'" + nla "Verkeerde kolom specificatie voor kolom '%-.64s'" + eng "Incorrect column specifier for column '%-.64s'" + est "Vigane tulba kirjeldus tulbale '%-.64s'" + fre "Mauvais paramètre de champ pour le champ '%-.64s'" + ger "Falsche Spaltenangaben für Spalte '%-.64s'" + greek "ÅóöáëìÝíï column specifier ãéá ôï ðåäßï '%-.64s'" + hun "Rossz oszlopazonosito: '%-.64s'" + ita "Specifica errata per la colonna '%-.64s'" + kor "Ä®·³ '%-.64s'ÀÇ ºÎÁ¤È®ÇÑ Ä®·³ Á¤ÀÇÀÚ" + nor "Feil kolonne spesifikator for felt '%-.64s'" + norwegian-ny "Feil kolonne spesifikator for kolonne '%-.64s'" + pol "B³êdna specyfikacja kolumny dla kolumny '%-.64s'" + por "Especificador de coluna incorreto para a coluna '%-.64s'" + rum "Specificandul coloanei '%-.64s' este incorect" + rus "îÅËÏÒÒÅËÔÎÙÊ ÏÐÒÅÄÅÌÉÔÅÌØ ÓÔÏÌÂÃÁ ÄÌÑ ÓÔÏÌÂÃÁ '%-.64s'" + serbian "Pogrešan naziv kolone za kolonu '%-.64s'" + slo "Chyba v ¹pecifikácii poµa '%-.64s'" + spa "Especificador de columna erroneo para la columna '%-.64s'" + swe "Felaktigt kolumntyp för kolumn '%-.64s'" + ukr "îÅצÒÎÉÊ ÓÐÅÃÉÆ¦ËÁÔÏÒ ÓÔÏ×ÂÃÑ '%-.64s'" +ER_PARSE_ERROR 42000 + cze "%s bl-Bízko '%-.64s' na øádku %d" + dan "%s nær '%-.64s' på linje %d" + nla "%s bij '%-.64s' in regel %d" + eng "%s near '%-.80s' at line %d" + est "%s '%-.80s' ligidal real %d" + fre "%s près de '%-.64s' à la ligne %d" + ger "%s bei '%-.80s' in Zeile %d" + greek "%s ðëçóßïí '%-.80s' óôç ãñáììÞ %d" + hun "A %s a '%-.80s'-hez kozeli a %d sorban" + ita "%s vicino a '%-.80s' linea %d" + jpn "%s : '%-.80s' ÉÕ¶á : %d ¹ÔÌÜ" + kor "'%-.64s' ¿¡·¯ °°À¾´Ï´Ù. ('%-.80s' ¸í·É¾î ¶óÀÎ %d)" + nor "%s nær '%-.64s' på linje %d" + norwegian-ny "%s attmed '%-.64s' på line %d" + pol "%s obok '%-.64s' w linii %d" + por "%s próximo a '%-.80s' na linha %d" + rum "%s linga '%-.80s' pe linia %d" + rus "%s ÏËÏÌÏ '%-.80s' ÎÁ ÓÔÒÏËÅ %d" + serbian "'%s' u iskazu '%-.80s' na liniji %d" + slo "%s blízko '%-.80s' na riadku %d" + spa "%s cerca '%-.64s' en la linea %d" + swe "%s nära '%-.64s' på rad %d" + ukr "%s ¦ÌÑ '%-.80s' × ÓÔÒÏæ %d" +ER_EMPTY_QUERY 42000 + cze "V-Býsledek dotazu je prázdný" + dan "Forespørgsel var tom" + nla "Query was leeg" + eng "Query was empty" + est "Tühi päring" + fre "Query est vide" + ger "Leere Abfrage" + greek "Ôï åñþôçìá (query) ðïõ èÝóáôå Þôáí êåíü" + hun "Ures lekerdezes." + ita "La query e` vuota" + jpn "Query ¤¬¶õ¤Ç¤¹." + kor "Äõ¸®°á°ú°¡ ¾ø½À´Ï´Ù." + nor "Forespørsel var tom" + norwegian-ny "Førespurnad var tom" + pol "Zapytanie by³o puste" + por "Consulta (query) estava vazia" + rum "Query-ul a fost gol" + rus "úÁÐÒÏÓ ÏËÁÚÁÌÓÑ ÐÕÓÔÙÍ" + serbian "Upit je bio prazan" + slo "Výsledok po¾iadavky bol prázdny" + spa "La query estaba vacia" + swe "Frågan var tom" + ukr "ðÕÓÔÉÊ ÚÁÐÉÔ" +ER_NONUNIQ_TABLE 42000 S1009 + cze "Nejednozna-Bèná tabulka/alias: '%-.64s'" + dan "Tabellen/aliaset: '%-.64s' er ikke unikt" + nla "Niet unieke waarde tabel/alias: '%-.64s'" + eng "Not unique table/alias: '%-.64s'" + est "Ei ole unikaalne tabel/alias '%-.64s'" + fre "Table/alias: '%-.64s' non unique" + ger "Tabellenname/Alias '%-.64s' nicht eindeutig" + greek "Áäýíáôç ç áíåýñåóç unique table/alias: '%-.64s'" + hun "Nem egyedi tabla/alias: '%-.64s'" + ita "Tabella/alias non unico: '%-.64s'" + jpn "'%-.64s' ¤Ï°ì°Õ¤Î table/alias ̾¤Ç¤Ï¤¢¤ê¤Þ¤»¤ó" + kor "Unique ÇÏÁö ¾ÊÀº Å×À̺í/alias: '%-.64s'" + nor "Ikke unikt tabell/alias: '%-.64s'" + norwegian-ny "Ikkje unikt tabell/alias: '%-.64s'" + pol "Tabela/alias nie s? unikalne: '%-.64s'" + por "Tabela/alias '%-.64s' não única" + rum "Tabela/alias: '%-.64s' nu este unic" + rus "ðÏ×ÔÏÒÑÀÝÁÑÓÑ ÔÁÂÌÉÃÁ/ÐÓÅ×ÄÏÎÉÍ '%-.64s'" + serbian "Tabela ili alias nisu bili jedinstveni: '%-.64s'" + slo "Nie jednoznaèná tabuµka/alias: '%-.64s'" + spa "Tabla/alias: '%-.64s' es no unica" + swe "Icke unikt tabell/alias: '%-.64s'" + ukr "îÅÕΦËÁÌØÎÁ ÔÁÂÌÉÃÑ/ÐÓÅ×ÄÏΦÍ: '%-.64s'" +ER_INVALID_DEFAULT 42000 S1009 + cze "Chybn-Bá defaultní hodnota pro '%-.64s'" + dan "Ugyldig standardværdi for '%-.64s'" + nla "Foutieve standaard waarde voor '%-.64s'" + eng "Invalid default value for '%-.64s'" + est "Vigane vaikeväärtus '%-.64s' jaoks" + fre "Valeur par défaut invalide pour '%-.64s'" + ger "Fehlerhafter Vorgabewert (DEFAULT): '%-.64s'" + greek "ÅóöáëìÝíç ðñïêáèïñéóìÝíç ôéìÞ (default value) ãéá '%-.64s'" + hun "Ervenytelen ertek: '%-.64s'" + ita "Valore di default non valido per '%-.64s'" + kor "'%-.64s'ÀÇ À¯È¿ÇÏÁö ¸øÇÑ µðÆúÆ® °ªÀ» »ç¿ëÇϼ̽À´Ï´Ù." + nor "Ugyldig standardverdi for '%-.64s'" + norwegian-ny "Ugyldig standardverdi for '%-.64s'" + pol "Niew³a?ciwa warto?æ domy?lna dla '%-.64s'" + por "Valor padrão (default) inválido para '%-.64s'" + rum "Valoarea de default este invalida pentru '%-.64s'" + rus "îÅËÏÒÒÅËÔÎÏÅ ÚÎÁÞÅÎÉÅ ÐÏ ÕÍÏÌÞÁÎÉÀ ÄÌÑ '%-.64s'" + serbian "Loša default vrednost za '%-.64s'" + slo "Chybná implicitná hodnota pre '%-.64s'" + spa "Valor por defecto invalido para '%-.64s'" + swe "Ogiltigt DEFAULT värde för '%-.64s'" + ukr "îÅצÒÎÅ ÚÎÁÞÅÎÎÑ ÐÏ ÚÁÍÏ×ÞÕ×ÁÎÎÀ ÄÌÑ '%-.64s'" +ER_MULTIPLE_PRI_KEY 42000 S1009 + cze "Definov-Báno více primárních klíèù" + dan "Flere primærnøgler specificeret" + nla "Meerdere primaire zoeksleutels gedefinieerd" + eng "Multiple primary key defined" + est "Mitut primaarset võtit ei saa olla" + fre "Plusieurs clefs primaires définies" + ger "Mehrfacher Primärschlüssel (PRIMARY KEY) definiert" + greek "Ðåñéóóüôåñá áðü Ýíá primary key ïñßóôçêáí" + hun "Tobbszoros elsodleges kulcs definialas." + ita "Definite piu` chiave primarie" + jpn "Ê£¿ô¤Î primary key ¤¬ÄêµÁ¤µ¤ì¤Þ¤·¤¿" + kor "Multiple primary key°¡ Á¤ÀǵǾî ÀÖ½¿" + nor "Fleire primærnøkle spesifisert" + norwegian-ny "Fleire primærnyklar spesifisert" + pol "Zdefiniowano wiele kluczy podstawowych" + por "Definida mais de uma chave primária" + rum "Chei primare definite de mai multe ori" + rus "õËÁÚÁÎÏ ÎÅÓËÏÌØËÏ ÐÅÒ×ÉÞÎÙÈ ËÌÀÞÅÊ" + serbian "Definisani višestruki primarni kljuèevi" + slo "Zadefinovaných viac primárnych kµúèov" + spa "Multiples claves primarias definidas" + swe "Flera PRIMARY KEY använda" + ukr "ðÅÒ×ÉÎÎÏÇÏ ËÌÀÞÁ ×ÉÚÎÁÞÅÎÏ ÎÅÏÄÎÏÒÁÚÏ×Ï" +ER_TOO_MANY_KEYS 42000 S1009 + cze "Zad-Báno pøíli¹ mnoho klíèù, je povoleno nejvíce %d klíèù" + dan "For mange nøgler specificeret. Kun %d nøgler må bruges" + nla "Teveel zoeksleutels gedefinieerd. Maximaal zijn %d zoeksleutels toegestaan" + eng "Too many keys specified; max %d keys allowed" + est "Liiga palju võtmeid. Maksimaalselt võib olla %d võtit" + fre "Trop de clefs sont définies. Maximum de %d clefs alloué" + ger "Zu viele Schlüssel definiert. Maximal %d Schlüssel erlaubt" + greek "ÐÜñá ðïëëÜ key ïñßóèçêáí. Ôï ðïëý %d åðéôñÝðïíôáé" + hun "Tul sok kulcs. Maximum %d kulcs engedelyezett." + ita "Troppe chiavi. Sono ammesse max %d chiavi" + jpn "key ¤Î»ØÄ꤬¿¤¹¤®¤Þ¤¹. key ¤ÏºÇÂç %d ¤Þ¤Ç¤Ç¤¹" + kor "³Ê¹« ¸¹Àº ۰¡ Á¤ÀǵǾî ÀÖÀ¾´Ï´Ù.. ÃÖ´ë %dÀÇ Å°°¡ °¡´ÉÇÔ" + nor "For mange nøkler spesifisert. Maks %d nøkler tillatt" + norwegian-ny "For mange nykler spesifisert. Maks %d nyklar tillatt" + pol "Okre?lono zbyt wiele kluczy. Dostêpnych jest maksymalnie %d kluczy" + por "Especificadas chaves demais. O máximo permitido são %d chaves" + rum "Prea multe chei. Numarul de chei maxim este %d" + rus "õËÁÚÁÎÏ ÓÌÉÛËÏÍ ÍÎÏÇÏ ËÌÀÞÅÊ. òÁÚÒÅÛÁÅÔÓÑ ÕËÁÚÙ×ÁÔØ ÎÅ ÂÏÌÅÅ %d ËÌÀÞÅÊ" + serbian "Navedeno je previše kljuèeva. Maksimum %d kljuèeva je dozvoljeno" + slo "Zadaných ríli¹ veµa kµúèov. Najviac %d kµúèov je povolených" + spa "Demasiadas claves primarias declaradas. Un maximo de %d claves son permitidas" + swe "För många nycklar använda. Man får ha högst %d nycklar" + ukr "úÁÂÁÇÁÔÏ ËÌÀÞ¦× ÚÁÚÎÁÞÅÎÏ. äÏÚ×ÏÌÅÎÏ ÎÅ Â¦ÌØÛÅ %d ËÌÀÞ¦×" +ER_TOO_MANY_KEY_PARTS 42000 S1009 + cze "Zad-Báno pøíli¹ mnoho èást klíèù, je povoleno nejvíce %d èástí" + dan "For mange nøgledele specificeret. Kun %d dele må bruges" + nla "Teveel zoeksleutel onderdelen gespecificeerd. Maximaal %d onderdelen toegestaan" + eng "Too many key parts specified; max %d parts allowed" + est "Võti koosneb liiga paljudest osadest. Maksimaalselt võib olla %d osa" + fre "Trop de parties specifiées dans la clef. Maximum de %d parties" + ger "Zu viele Teilschlüssel definiert. Maximal sind %d Teilschlüssel erlaubt" + greek "ÐÜñá ðïëëÜ key parts ïñßóèçêáí. Ôï ðïëý %d åðéôñÝðïíôáé" + hun "Tul sok kulcsdarabot definialt. Maximum %d resz engedelyezett" + ita "Troppe parti di chiave specificate. Sono ammesse max %d parti" + kor "³Ê¹« ¸¹Àº Ű ºÎºÐ(parts)µéÀÌ Á¤ÀǵǾî ÀÖÀ¾´Ï´Ù.. ÃÖ´ë %d ºÎºÐÀÌ °¡´ÉÇÔ" + nor "For mange nøkkeldeler spesifisert. Maks %d deler tillatt" + norwegian-ny "For mange nykkeldelar spesifisert. Maks %d delar tillatt" + pol "Okre?lono zbyt wiele czê?ci klucza. Dostêpnych jest maksymalnie %d czê?ci" + por "Especificadas partes de chave demais. O máximo permitido são %d partes" + rum "Prea multe chei. Numarul de chei maxim este %d" + rus "õËÁÚÁÎÏ ÓÌÉÛËÏÍ ÍÎÏÇÏ ÞÁÓÔÅÊ ÓÏÓÔÁ×ÎÏÇÏ ËÌÀÞÁ. òÁÚÒÅÛÁÅÔÓÑ ÕËÁÚÙ×ÁÔØ ÎÅ ÂÏÌÅÅ %d ÞÁÓÔÅÊ" + serbian "Navedeno je previše delova kljuèa. Maksimum %d delova je dozvoljeno" + slo "Zadaných ríli¹ veµa èastí kµúèov. Je povolených najviac %d èastí" + spa "Demasiadas partes de clave declaradas. Un maximo de %d partes son permitidas" + swe "För många nyckeldelar använda. Man får ha högst %d nyckeldelar" + ukr "úÁÂÁÇÁÔÏ ÞÁÓÔÉÎ ËÌÀÞÁ ÚÁÚÎÁÞÅÎÏ. äÏÚ×ÏÌÅÎÏ ÎÅ Â¦ÌØÛÅ %d ÞÁÓÔÉÎ" +ER_TOO_LONG_KEY 42000 S1009 + cze "Zadan-Bý klíè byl pøíli¹ dlouhý, nejvìt¹í délka klíèe je %d" + dan "Specificeret nøgle var for lang. Maksimal nøglelængde er %d" + nla "Gespecificeerde zoeksleutel was te lang. De maximale lengte is %d" + eng "Specified key was too long; max key length is %d bytes" + est "Võti on liiga pikk. Maksimaalne võtmepikkus on %d" + fre "La clé est trop longue. Longueur maximale: %d" + ger "Schlüssel ist zu lang. Die maximale Schlüssellänge beträgt %d" + greek "Ôï êëåéäß ðïõ ïñßóèçêå åßíáé ðïëý ìåãÜëï. Ôï ìÝãéóôï ìÞêïò åßíáé %d" + hun "A megadott kulcs tul hosszu. Maximalis kulcshosszusag: %d" + ita "La chiave specificata e` troppo lunga. La max lunghezza della chiave e` %d" + jpn "key ¤¬Ä¹¤¹¤®¤Þ¤¹. key ¤ÎŤµ¤ÏºÇÂç %d ¤Ç¤¹" + kor "Á¤ÀÇµÈ Å°°¡ ³Ê¹« ±é´Ï´Ù. ÃÖ´ë ŰÀÇ ±æÀÌ´Â %dÀÔ´Ï´Ù." + nor "Spesifisert nøkkel var for lang. Maks nøkkellengde er is %d" + norwegian-ny "Spesifisert nykkel var for lang. Maks nykkellengde er %d" + pol "Zdefinowany klucz jest zbyt d³ugi. Maksymaln? d³ugo?ci? klucza jest %d" + por "Chave especificada longa demais. O comprimento de chave máximo permitido é %d" + rum "Cheia specificata este prea lunga. Marimea maxima a unei chei este de %d" + rus "õËÁÚÁÎ ÓÌÉÛËÏÍ ÄÌÉÎÎÙÊ ËÌÀÞ. íÁËÓÉÍÁÌØÎÁÑ ÄÌÉÎÁ ËÌÀÞÁ ÓÏÓÔÁ×ÌÑÅÔ %d ÂÁÊÔ" + serbian "Navedeni kljuè je predug. Maksimalna dužina kljuèa je %d" + slo "Zadaný kµúè je príli¹ dlhý, najväè¹ia då¾ka kµúèa je %d" + spa "Declaracion de clave demasiado larga. La maxima longitud de clave es %d" + swe "För lång nyckel. Högsta tillåtna nyckellängd är %d" + ukr "úÁÚÎÁÞÅÎÉÊ ËÌÀÞ ÚÁÄÏ×ÇÉÊ. îÁÊÂ¦ÌØÛÁ ÄÏ×ÖÉÎÁ ËÌÀÞÁ %d ÂÁÊÔ¦×" +ER_KEY_COLUMN_DOES_NOT_EXITS 42000 S1009 + cze "Kl-Bíèový sloupec '%-.64s' v tabulce neexistuje" + dan "Nøglefeltet '%-.64s' eksisterer ikke i tabellen" + nla "Zoeksleutel kolom '%-.64s' bestaat niet in tabel" + eng "Key column '%-.64s' doesn't exist in table" + est "Võtme tulp '%-.64s' puudub tabelis" + fre "La clé '%-.64s' n'existe pas dans la table" + ger "In der Tabelle gibt es keine Schlüsselspalte '%-.64s'" + greek "Ôï ðåäßï êëåéäß '%-.64s' äåí õðÜñ÷åé óôïí ðßíáêá" + hun "A(z) '%-.64s'kulcsoszlop nem letezik a tablaban" + ita "La colonna chiave '%-.64s' non esiste nella tabella" + jpn "Key column '%-.64s' ¤¬¥Æ¡¼¥Ö¥ë¤Ë¤¢¤ê¤Þ¤»¤ó." + kor "Key Ä®·³ '%-.64s'´Â Å×ÀÌºí¿¡ Á¸ÀçÇÏÁö ¾Ê½À´Ï´Ù." + nor "Nøkkel felt '%-.64s' eksiterer ikke i tabellen" + norwegian-ny "Nykkel kolonne '%-.64s' eksiterar ikkje i tabellen" + pol "Kolumna '%-.64s' zdefiniowana w kluczu nie istnieje w tabeli" + por "Coluna chave '%-.64s' não existe na tabela" + rum "Coloana cheie '%-.64s' nu exista in tabela" + rus "ëÌÀÞÅ×ÏÊ ÓÔÏÌÂÅà '%-.64s' × ÔÁÂÌÉÃÅ ÎÅ ÓÕÝÅÓÔ×ÕÅÔ" + serbian "Kljuèna kolona '%-.64s' ne postoji u tabeli" + slo "Kµúèový ståpec '%-.64s' v tabuµke neexistuje" + spa "La columna clave '%-.64s' no existe en la tabla" + swe "Nyckelkolumn '%-.64s' finns inte" + ukr "ëÌÀÞÏ×ÉÊ ÓÔÏ×ÂÅÃØ '%-.64s' ÎÅ ¦ÓÎÕ¤ Õ ÔÁÂÌÉæ" +ER_BLOB_USED_AS_KEY 42000 S1009 + cze "Blob sloupec '%-.64s' nem-Bù¾e být pou¾it jako klíè" + dan "BLOB feltet '%-.64s' kan ikke bruges ved specifikation af indeks" + nla "BLOB kolom '%-.64s' kan niet gebruikt worden bij zoeksleutel specificatie" + eng "BLOB column '%-.64s' can't be used in key specification with the used table type" + est "BLOB-tüüpi tulpa '%-.64s' ei saa kasutada võtmena" + fre "Champ BLOB '%-.64s' ne peut être utilisé dans une clé" + ger "BLOB-Feld '%-.64s' kann beim verwendeten Tabellentyp nicht als Schlüssel verwendet werden" + greek "Ðåäßï ôýðïõ Blob '%-.64s' äåí ìðïñåß íá ÷ñçóéìïðïéçèåß óôïí ïñéóìü åíüò êëåéäéïý (key specification)" + hun "Blob objektum '%-.64s' nem hasznalhato kulcskent" + ita "La colonna BLOB '%-.64s' non puo` essere usata nella specifica della chiave" + kor "BLOB Ä®·³ '%-.64s'´Â Ű Á¤ÀÇ¿¡¼­ »ç¿ëµÉ ¼ö ¾ø½À´Ï´Ù." + nor "Blob felt '%-.64s' kan ikke brukes ved spesifikasjon av nøkler" + norwegian-ny "Blob kolonne '%-.64s' kan ikkje brukast ved spesifikasjon av nyklar" + pol "Kolumna typu Blob '%-.64s' nie mo¿e byæ u¿yta w specyfikacji klucza" + por "Coluna BLOB '%-.64s' não pode ser utilizada na especificação de chave para o tipo de tabela usado" + rum "Coloana de tip BLOB '%-.64s' nu poate fi folosita in specificarea cheii cu tipul de tabla folosit" + rus "óÔÏÌÂÅà ÔÉÐÁ BLOB '%-.64s' ÎÅ ÍÏÖÅÔ ÂÙÔØ ÉÓÐÏÌØÚÏ×ÁÎ ËÁË ÚÎÁÞÅÎÉÅ ËÌÀÞÁ × ÔÁÂÌÉÃÅ ÔÁËÏÇÏ ÔÉÐÁ" + serbian "BLOB kolona '%-.64s' ne može biti upotrebljena za navoðenje kljuèa sa tipom tabele koji se trenutno koristi" + slo "Blob pole '%-.64s' nemô¾e by» pou¾ité ako kµúè" + spa "La columna Blob '%-.64s' no puede ser usada en una declaracion de clave" + swe "En BLOB '%-.64s' kan inte vara nyckel med den använda tabelltypen" + ukr "BLOB ÓÔÏ×ÂÅÃØ '%-.64s' ÎÅ ÍÏÖÅ ÂÕÔÉ ×ÉËÏÒÉÓÔÁÎÉÊ Õ ×ÉÚÎÁÞÅÎΦ ËÌÀÞÁ × ÃØÏÍÕ ÔÉЦ ÔÁÂÌÉæ" +ER_TOO_BIG_FIELDLENGTH 42000 S1009 + cze "P-Bøíli¹ velká délka sloupce '%-.64s' (nejvíce %d). Pou¾ijte BLOB" + dan "For stor feltlængde for kolonne '%-.64s' (maks = %d). Brug BLOB i stedet" + nla "Te grote kolomlengte voor '%-.64s' (max = %d). Maak hiervoor gebruik van het type BLOB" + eng "Column length too big for column '%-.64s' (max = %d); use BLOB instead" + est "Tulba '%-.64s' pikkus on liiga pikk (maksimaalne pikkus: %d). Kasuta BLOB väljatüüpi" + fre "Champ '%-.64s' trop long (max = %d). Utilisez un BLOB" + ger "Feldlänge für Feld '%-.64s' zu groß (maximal %d). BLOB-Feld verwenden!" + greek "Ðïëý ìåãÜëï ìÞêïò ãéá ôï ðåäßï '%-.64s' (max = %d). Ðáñáêáëþ ÷ñçóéìïðïéåßóôå ôïí ôýðï BLOB" + hun "A(z) '%-.64s' oszlop tul hosszu. (maximum = %d). Hasznaljon BLOB tipust inkabb." + ita "La colonna '%-.64s' e` troppo grande (max=%d). Utilizza un BLOB." + jpn "column '%-.64s' ¤Ï,³ÎÊݤ¹¤ë column ¤ÎÂ礭¤µ¤¬Â¿¤¹¤®¤Þ¤¹. (ºÇÂç %d ¤Þ¤Ç). BLOB ¤ò¤«¤ï¤ê¤Ë»ÈÍѤ·¤Æ¤¯¤À¤µ¤¤." + kor "Ä®·³ '%-.64s'ÀÇ Ä®·³ ±æÀ̰¡ ³Ê¹« ±é´Ï´Ù (ÃÖ´ë = %d). ´ë½Å¿¡ BLOB¸¦ »ç¿ëÇϼ¼¿ä." + nor "For stor nøkkellengde for kolonne '%-.64s' (maks = %d). Bruk BLOB istedenfor" + norwegian-ny "For stor nykkellengde for felt '%-.64s' (maks = %d). Bruk BLOB istadenfor" + pol "Zbyt du¿a d³ugo?æ kolumny '%-.64s' (maks. = %d). W zamian u¿yj typu BLOB" + por "Comprimento da coluna '%-.64s' grande demais (max = %d); use BLOB em seu lugar" + rum "Lungimea coloanei '%-.64s' este prea lunga (maximum = %d). Foloseste BLOB mai bine" + rus "óÌÉÛËÏÍ ÂÏÌØÛÁÑ ÄÌÉÎÁ ÓÔÏÌÂÃÁ '%-.64s' (ÍÁËÓÉÍÕÍ = %d). éÓÐÏÌØÚÕÊÔÅ ÔÉÐ BLOB ×ÍÅÓÔÏ ÔÅËÕÝÅÇÏ" + serbian "Previše podataka za kolonu '%-.64s' (maksimum je %d). Upotrebite BLOB polje" + slo "Príli¹ veµká då¾ka pre pole '%-.64s' (maximum = %d). Pou¾ite BLOB" + spa "Longitud de columna demasiado grande para la columna '%-.64s' (maximo = %d).Usar BLOB en su lugar" + swe "För stor kolumnlängd angiven för '%-.64s' (max= %d). Använd en BLOB instället" + ukr "úÁÄÏ×ÇÁ ÄÏ×ÖÉÎÁ ÓÔÏ×ÂÃÑ '%-.64s' (max = %d). ÷ÉËÏÒÉÓÔÁÊÔÅ ÔÉÐ BLOB" +ER_WRONG_AUTO_KEY 42000 S1009 + cze "M-Bù¾ete mít pouze jedno AUTO pole a to musí být definováno jako klíè" + dan "Der kan kun specificeres eet AUTO_INCREMENT-felt, og det skal være indekseret" + nla "Er kan slechts 1 autofield zijn en deze moet als zoeksleutel worden gedefinieerd." + eng "Incorrect table definition; there can be only one auto column and it must be defined as a key" + est "Vigane tabelikirjeldus; Tabelis tohib olla üks auto_increment tüüpi tulp ning see peab olema defineeritud võtmena" + fre "Un seul champ automatique est permis et il doit être indexé" + ger "Falsche Tabellendefinition. Es darf nur ein Auto-Feld geben und dieses muss als Schlüssel definiert werden" + greek "Ìðïñåß íá õðÜñ÷åé ìüíï Ýíá auto field êáé ðñÝðåé íá Ý÷åé ïñéóèåß óáí key" + hun "Csak egy auto mezo lehetseges, es azt kulcskent kell definialni." + ita "Puo` esserci solo un campo AUTO e deve essere definito come chiave" + jpn "¥Æ¡¼¥Ö¥ë¤ÎÄêµÁ¤¬°ã¤¤¤Þ¤¹; there can be only one auto column and it must be defined as a key" + kor "ºÎÁ¤È®ÇÑ Å×À̺í Á¤ÀÇ; Å×À̺íÀº ÇϳªÀÇ auto Ä®·³ÀÌ Á¸ÀçÇϰí Ű·Î Á¤ÀǵǾîÁ®¾ß ÇÕ´Ï´Ù." + nor "Bare ett auto felt kan være definert som nøkkel." + norwegian-ny "Bare eitt auto felt kan være definert som nøkkel." + pol "W tabeli mo¿e byæ tylko jedno pole auto i musi ono byæ zdefiniowane jako klucz" + por "Definição incorreta de tabela. Somente é permitido um único campo auto-incrementado e ele tem que ser definido como chave" + rum "Definitia tabelei este incorecta; Nu pot fi mai mult de o singura coloana de tip auto si aceasta trebuie definita ca cheie" + rus "îÅËÏÒÒÅËÔÎÏÅ ÏÐÒÅÄÅÌÅÎÉÅ ÔÁÂÌÉÃÙ: ÍÏÖÅÔ ÓÕÝÅÓÔ×Ï×ÁÔØ ÔÏÌØËÏ ÏÄÉÎ Á×ÔÏÉÎËÒÅÍÅÎÔÎÙÊ ÓÔÏÌÂÅÃ, É ÏÎ ÄÏÌÖÅÎ ÂÙÔØ ÏÐÒÅÄÅÌÅÎ ËÁË ËÌÀÞ" + serbian "Pogrešna definicija tabele; U tabeli može postojati samo jedna 'AUTO' kolona i ona mora biti istovremeno definisana kao kolona kljuèa" + slo "Mô¾ete ma» iba jedno AUTO pole a to musí by» definované ako kµúè" + spa "Puede ser solamente un campo automatico y este debe ser definido como una clave" + swe "Det får finnas endast ett AUTO_INCREMENT-fält och detta måste vara en nyckel" + ukr "îÅצÒÎÅ ×ÉÚÎÁÞÅÎÎÑ ÔÁÂÌÉæ; íÏÖÅ ÂÕÔÉ ÌÉÛÅ ÏÄÉÎ Á×ÔÏÍÁÔÉÞÎÉÊ ÓÔÏ×ÂÅÃØ, ÝÏ ÐÏ×ÉÎÅÎ ÂÕÔÉ ×ÉÚÎÁÞÅÎÉÊ ÑË ËÌÀÞ" +ER_READY + cze "%s: p-Bøipraven na spojení" + dan "%s: klar til tilslutninger" + nla "%s: klaar voor verbindingen" + eng "%s: ready for connections.\nVersion: '%s' socket: '%s' port: %d" + est "%s: ootab ühendusi" + fre "%s: Prêt pour des connections" + ger "%-.64s: Bereit für Verbindungen" + greek "%s: óå áíáìïíÞ óõíäÝóåùí" + hun "%s: kapcsolatra kesz" + ita "%s: Pronto per le connessioni\n" + jpn "%s: ½àÈ÷´°Î»" + kor "%s: ¿¬°á ÁغñÁßÀÔ´Ï´Ù" + nor "%s: klar for tilkoblinger" + norwegian-ny "%s: klar for tilkoblingar" + pol "%s: gotowe do po³?czenia" + por "%s: Pronto para conexões" + rum "%s: sint gata pentru conectii" + rus "%s: çÏÔÏ× ÐÒÉÎÉÍÁÔØ ÓÏÅÄÉÎÅÎÉÑ.\n÷ÅÒÓÉÑ: '%s' ÓÏËÅÔ: '%s' ÐÏÒÔ: %d" + serbian "%s: Spreman za konekcije\n" + slo "%s: pripravený na spojenie" + spa "%s: preparado para conexiones" + swe "%s: klar att ta emot klienter" + ukr "%s: çÏÔÏ×ÉÊ ÄÌÑ Ú'¤ÄÎÁÎØ!" +ER_NORMAL_SHUTDOWN + cze "%s: norm-Bální ukonèení\n" + dan "%s: Normal nedlukning\n" + nla "%s: Normaal afgesloten \n" + eng "%s: Normal shutdown\n" + est "%s: MySQL lõpetas\n" + fre "%s: Arrêt normal du serveur\n" + ger "%-.64s: Normal heruntergefahren\n" + greek "%s: ÖõóéïëïãéêÞ äéáäéêáóßá shutdown\n" + hun "%s: Normal leallitas\n" + ita "%s: Shutdown normale\n" + kor "%s: Á¤»óÀûÀÎ shutdown\n" + nor "%s: Normal avslutning\n" + norwegian-ny "%s: Normal nedkopling\n" + pol "%s: Standardowe zakoñczenie dzia³ania\n" + por "%s: 'Shutdown' normal\n" + rum "%s: Terminare normala\n" + rus "%s: ëÏÒÒÅËÔÎÁÑ ÏÓÔÁÎÏ×ËÁ\n" + serbian "%s: Normalno gašenje\n" + slo "%s: normálne ukonèenie\n" + spa "%s: Apagado normal\n" + swe "%s: Normal avslutning\n" + ukr "%s: îÏÒÍÁÌØÎÅ ÚÁ×ÅÒÛÅÎÎÑ\n" +ER_GOT_SIGNAL + cze "%s: p-Bøijat signal %d, konèím\n" + dan "%s: Fangede signal %d. Afslutter!!\n" + nla "%s: Signaal %d. Systeem breekt af!\n" + eng "%s: Got signal %d. Aborting!\n" + est "%s: sain signaali %d. Lõpetan!\n" + fre "%s: Reçu le signal %d. Abandonne!\n" + ger "%-.64s: Signal %d erhalten. Abbruch!\n" + greek "%s: ÅëÞöèç ôï ìÞíõìá %d. Ç äéáäéêáóßá åãêáôáëåßðåôáé!\n" + hun "%s: %d jelzes. Megszakitva!\n" + ita "%s: Ricevuto segnale %d. Interruzione!\n" + jpn "%s: Got signal %d. ÃæÃÇ!\n" + kor "%s: %d ½ÅÈ£°¡ µé¾î¿ÔÀ½. ÁßÁö!\n" + nor "%s: Oppdaget signal %d. Avslutter!\n" + norwegian-ny "%s: Oppdaga signal %d. Avsluttar!\n" + pol "%s: Otrzymano sygna³ %d. Koñczenie dzia³ania!\n" + por "%s: Obteve sinal %d. Abortando!\n" + rum "%s: Semnal %d obtinut. Aborting!\n" + rus "%s: ðÏÌÕÞÅÎ ÓÉÇÎÁÌ %d. ðÒÅËÒÁÝÁÅÍ!\n" + serbian "%s: Dobio signal %d. Prekidam!\n" + slo "%s: prijatý signál %d, ukonèenie (Abort)!\n" + spa "%s: Recibiendo signal %d. Abortando!\n" + swe "%s: Fick signal %d. Avslutar!\n" + ukr "%s: ïÔÒÉÍÁÎÏ ÓÉÇÎÁÌ %d. ðÅÒÅÒÉ×ÁÀÓØ!\n" +ER_SHUTDOWN_COMPLETE + cze "%s: ukon-Bèení práce hotovo\n" + dan "%s: Server lukket\n" + nla "%s: Afsluiten afgerond\n" + eng "%s: Shutdown complete\n" + est "%s: Lõpp\n" + fre "%s: Arrêt du serveur terminé\n" + ger "%-.64s: Heruntergefahren (shutdown)\n" + greek "%s: Ç äéáäéêáóßá Shutdown ïëïêëçñþèçêå\n" + hun "%s: A leallitas kesz\n" + ita "%s: Shutdown completato\n" + jpn "%s: Shutdown ´°Î»\n" + kor "%s: Shutdown ÀÌ ¿Ï·áµÊ!\n" + nor "%s: Avslutning komplett\n" + norwegian-ny "%s: Nedkopling komplett\n" + pol "%s: Zakoñczenie dzia³ania wykonane\n" + por "%s: 'Shutdown' completo\n" + rum "%s: Terminare completa\n" + rus "%s: ïÓÔÁÎÏ×ËÁ ÚÁ×ÅÒÛÅÎÁ\n" + serbian "%s: Gašenje završeno\n" + slo "%s: práca ukonèená\n" + spa "%s: Apagado completado\n" + swe "%s: Avslutning klar\n" + ukr "%s: òÏÂÏÔÕ ÚÁ×ÅÒÛÅÎÏ\n" +ER_FORCING_CLOSE 08S01 + cze "%s: n-Básilné uzavøení threadu %ld u¾ivatele '%-.64s'\n" + dan "%s: Forceret nedlukning af tråd: %ld bruger: '%-.64s'\n" + nla "%s: Afsluiten afgedwongen van thread %ld gebruiker: '%-.64s'\n" + eng "%s: Forcing close of thread %ld user: '%-.32s'\n" + est "%s: Sulgen jõuga lõime %ld kasutaja: '%-.32s'\n" + fre "%s: Arrêt forcé de la tâche (thread) %ld utilisateur: '%-.64s'\n" + ger "%s: Thread %ld zwangsweise beendet. Benutzer: '%-.32s'\n" + greek "%s: Ôï thread èá êëåßóåé %ld user: '%-.64s'\n" + hun "%s: A(z) %ld thread kenyszeritett zarasa. Felhasznalo: '%-.64s'\n" + ita "%s: Forzata la chiusura del thread %ld utente: '%-.64s'\n" + jpn "%s: ¥¹¥ì¥Ã¥É %ld ¶¯À©½ªÎ» user: '%-.64s'\n" + kor "%s: thread %ldÀÇ °­Á¦ Á¾·á user: '%-.64s'\n" + nor "%s: Påtvinget avslutning av tråd %ld bruker: '%-.64s'\n" + norwegian-ny "%s: Påtvinga avslutning av tråd %ld brukar: '%-.64s'\n" + pol "%s: Wymuszenie zamkniêcia w?tku %ld u¿ytkownik: '%-.64s'\n" + por "%s: Forçando finalização da 'thread' %ld - usuário '%-.32s'\n" + rum "%s: Terminare fortata a thread-ului %ld utilizatorului: '%-.32s'\n" + rus "%s: ðÒÉÎÕÄÉÔÅÌØÎÏ ÚÁËÒÙ×ÁÅÍ ÐÏÔÏË %ld ÐÏÌØÚÏ×ÁÔÅÌÑ: '%-.32s'\n" + serbian "%s: Usiljeno gašenje thread-a %ld koji pripada korisniku: '%-.32s'\n" + slo "%s: násilné ukonèenie vlákna %ld u¾ívateµa '%-.64s'\n" + spa "%s: Forzando a cerrar el thread %ld usuario: '%-.64s'\n" + swe "%s: Stänger av tråd %ld; användare: '%-.64s'\n" + ukr "%s: ðÒÉÓËÏÒÀÀ ÚÁËÒÉÔÔÑ Ç¦ÌËÉ %ld ËÏÒÉÓÔÕ×ÁÞÁ: '%-.32s'\n" +ER_IPSOCK_ERROR 08S01 + cze "Nemohu vytvo-Bøit IP socket" + dan "Kan ikke oprette IP socket" + nla "Kan IP-socket niet openen" + eng "Can't create IP socket" + est "Ei suuda luua IP socketit" + fre "Ne peut créer la connection IP (socket)" + ger "Kann IP-Socket nicht erzeugen" + greek "Äåí åßíáé äõíáôÞ ç äçìéïõñãßá IP socket" + hun "Az IP socket nem hozhato letre" + ita "Impossibile creare il socket IP" + jpn "IP socket ¤¬ºî¤ì¤Þ¤»¤ó" + kor "IP ¼ÒÄÏÀ» ¸¸µéÁö ¸øÇß½À´Ï´Ù." + nor "Kan ikke opprette IP socket" + norwegian-ny "Kan ikkje opprette IP socket" + pol "Nie mo¿na stworzyæ socket'u IP" + por "Não pode criar o soquete IP" + rum "Nu pot crea IP socket" + rus "îÅ×ÏÚÍÏÖÎÏ ÓÏÚÄÁÔØ IP-ÓÏËÅÔ" + serbian "Ne mogu da kreiram IP socket" + slo "Nemô¾em vytvori» IP socket" + spa "No puedo crear IP socket" + swe "Kan inte skapa IP-socket" + ukr "îÅ ÍÏÖÕ ÓÔ×ÏÒÉÔÉ IP ÒÏÚ'¤Í" +ER_NO_SUCH_INDEX 42S12 S1009 + cze "Tabulka '%-.64s' nem-Bá index odpovídající CREATE INDEX. Vytvoøte tabulku znovu" + dan "Tabellen '%-.64s' har ikke den nøgle, som blev brugt i CREATE INDEX. Genopret tabellen" + nla "Tabel '%-.64s' heeft geen INDEX zoals deze gemaakt worden met CREATE INDEX. Maak de tabel opnieuw" + eng "Table '%-.64s' has no index like the one used in CREATE INDEX; recreate the table" + est "Tabelil '%-.64s' puuduvad võtmed. Loo tabel uuesti" + fre "La table '%-.64s' n'a pas d'index comme celle utilisée dans CREATE INDEX. Recréez la table" + ger "Tabelle '%-.64s' besitzt keinen wie den in CREATE INDEX verwendeten Index. Index neu anlegen" + greek "Ï ðßíáêáò '%-.64s' äåí Ý÷åé åõñåôÞñéï (index) óáí áõôü ðïõ ÷ñçóéìïðïéåßôå óôçí CREATE INDEX. Ðáñáêáëþ, îáíáäçìéïõñãÞóôå ôïí ðßíáêá" + hun "A(z) '%-.64s' tablahoz nincs meg a CREATE INDEX altal hasznalt index. Alakitsa at a tablat" + ita "La tabella '%-.64s' non ha nessun indice come quello specificatato dalla CREATE INDEX. Ricrea la tabella" + jpn "Table '%-.64s' ¤Ï¤½¤Î¤è¤¦¤Ê index ¤ò»ý¤Ã¤Æ¤¤¤Þ¤»¤ó(CREATE INDEX ¼Â¹Ô»þ¤Ë»ØÄꤵ¤ì¤Æ¤¤¤Þ¤»¤ó). ¥Æ¡¼¥Ö¥ë¤òºî¤êľ¤·¤Æ¤¯¤À¤µ¤¤" + kor "Å×À̺í '%-.64s'´Â À妽º¸¦ ¸¸µéÁö ¾Ê¾Ò½À´Ï´Ù. alter Å×À̺í¸í·ÉÀ» ÀÌ¿ëÇÏ¿© Å×À̺íÀ» ¼öÁ¤Çϼ¼¿ä..." + nor "Tabellen '%-.64s' har ingen index som den som er brukt i CREATE INDEX. Gjenopprett tabellen" + norwegian-ny "Tabellen '%-.64s' har ingen index som den som er brukt i CREATE INDEX. Oprett tabellen på nytt" + pol "Tabela '%-.64s' nie ma indeksu takiego jak w CREATE INDEX. Stwórz tabelê" + por "Tabela '%-.64s' não possui um índice como o usado em CREATE INDEX. Recrie a tabela" + rum "Tabela '%-.64s' nu are un index ca acela folosit in CREATE INDEX. Re-creeaza tabela" + rus "÷ ÔÁÂÌÉÃÅ '%-.64s' ÎÅÔ ÔÁËÏÇÏ ÉÎÄÅËÓÁ, ËÁË × CREATE INDEX. óÏÚÄÁÊÔÅ ÔÁÂÌÉÃÕ ÚÁÎÏ×Ï" + serbian "Tabela '%-.64s' nema isti indeks kao onaj upotrebljen pri komandi 'CREATE INDEX'. Napravite tabelu ponovo" + slo "Tabuµka '%-.64s' nemá index zodpovedajúci CREATE INDEX. Vytvorte tabulku znova" + spa "La tabla '%-.64s' no tiene indice como el usado en CREATE INDEX. Crea de nuevo la tabla" + swe "Tabellen '%-.64s' har inget index som motsvarar det angivna i CREATE INDEX. Skapa om tabellen" + ukr "ôÁÂÌÉÃÑ '%-.64s' ÍÁ¤ ¦ÎÄÅËÓ, ÝÏ ÎÅ ÓЦ×ÐÁÄÁ¤ Ú ×ËÁÚÁÎÎÉÍ Õ CREATE INDEX. óÔ×ÏÒ¦ÔØ ÔÁÂÌÉÃÀ ÚÎÏ×Õ" +ER_WRONG_FIELD_TERMINATORS 42000 S1009 + cze "Argument separ-Bátoru polo¾ek nebyl oèekáván. Pøeètìte si manuál" + dan "Felt adskiller er ikke som forventet, se dokumentationen" + nla "De argumenten om velden te scheiden zijn anders dan verwacht. Raadpleeg de handleiding" + eng "Field separator argument is not what is expected; check the manual" + est "Väljade eraldaja erineb oodatust. Tutvu kasutajajuhendiga" + fre "Séparateur de champs inconnu. Vérifiez dans le manuel" + ger "Feldbegrenzer-Argument ist nicht in der erwarteten Form. Bitte im Handbuch nachlesen" + greek "Ï äéá÷ùñéóôÞò ðåäßùí äåí åßíáé áõôüò ðïõ áíáìåíüôáí. Ðáñáêáëþ áíáôñÝîôå óôï manual" + hun "A mezoelvalaszto argumentumok nem egyeznek meg a varttal. Nezze meg a kezikonyvben!" + ita "L'argomento 'Field separator' non e` quello atteso. Controlla il manuale" + kor "ÇÊµå ±¸ºÐÀÚ ÀμöµéÀÌ ¿ÏÀüÇÏÁö ¾Ê½À´Ï´Ù. ¸Þ´º¾óÀ» ã¾Æ º¸¼¼¿ä." + nor "Felt skiller argumentene er ikke som forventet, se dokumentasjonen" + norwegian-ny "Felt skiljer argumenta er ikkje som venta, sjå dokumentasjonen" + pol "Nie oczekiwano separatora. Sprawd¥ podrêcznik" + por "Argumento separador de campos não é o esperado. Cheque o manual" + rum "Argumentul pentru separatorul de cimpuri este diferit de ce ma asteptam. Verifica manualul" + rus "áÒÇÕÍÅÎÔ ÒÁÚÄÅÌÉÔÅÌÑ ÐÏÌÅÊ - ÎÅ ÔÏÔ, ËÏÔÏÒÙÊ ÏÖÉÄÁÌÓÑ. ïÂÒÁÝÁÊÔÅÓØ Ë ÄÏËÕÍÅÎÔÁÃÉÉ" + serbian "Argument separatora polja nije ono što se oèekivalo. Proverite uputstvo MySQL server-a" + slo "Argument oddeµovaè polí nezodpovedá po¾iadavkám. Skontrolujte v manuáli" + spa "Los separadores de argumentos del campo no son los especificados. Comprueba el manual" + swe "Fältseparatorerna är vad som förväntades. Kontrollera mot manualen" + ukr "èÉÂÎÉÊ ÒÏÚĦÌÀ×ÁÞ ÐÏ̦×. ðÏÞÉÔÁÊÔÅ ÄÏËÕÍÅÎÔÁæÀ" +ER_BLOBS_AND_NO_TERMINATED 42000 S1009 + cze "Nen-Bí mo¾né pou¾ít pevný rowlength s BLOBem. Pou¾ijte 'fields terminated by'." + dan "Man kan ikke bruge faste feltlængder med BLOB. Brug i stedet 'fields terminated by'." + nla "Bij het gebruik van BLOBs is het niet mogelijk om vaste rijlengte te gebruiken. Maak s.v.p. gebruik van 'fields terminated by'." + eng "You can't use fixed rowlength with BLOBs; please use 'fields terminated by'" + est "BLOB-tüüpi väljade olemasolul ei saa kasutada fikseeritud väljapikkust. Vajalik 'fields terminated by' määrang." + fre "Vous ne pouvez utiliser des lignes de longueur fixe avec des BLOBs. Utiliser 'fields terminated by'." + ger "Eine feste Zeilenlänge kann für BLOB-Felder nicht verwendet werden. Bitte 'fields terminated by' verwenden" + greek "Äåí ìðïñåßôå íá ÷ñçóéìïðïéÞóåôå fixed rowlength óå BLOBs. Ðáñáêáëþ ÷ñçóéìïðïéåßóôå 'fields terminated by'." + hun "Fix hosszusagu BLOB-ok nem hasznalhatok. Hasznalja a 'mezoelvalaszto jelet' ." + ita "Non possono essere usate righe a lunghezza fissa con i BLOB. Usa 'FIELDS TERMINATED BY'." + jpn "You can't use fixed rowlength with BLOBs; please use 'fields terminated by'." + kor "BLOB·Î´Â °íÁ¤±æÀÌÀÇ lowlength¸¦ »ç¿ëÇÒ ¼ö ¾ø½À´Ï´Ù. 'fields terminated by'¸¦ »ç¿ëÇϼ¼¿ä." + nor "En kan ikke bruke faste feltlengder med BLOB. Vennlisgt bruk 'fields terminated by'." + norwegian-ny "Ein kan ikkje bruke faste feltlengder med BLOB. Vennlisgt bruk 'fields terminated by'." + pol "Nie mo¿na u¿yæ sta³ej d³ugo?ci wiersza z polami typu BLOB. U¿yj 'fields terminated by'." + por "Você não pode usar comprimento de linha fixo com BLOBs. Por favor, use campos com comprimento limitado." + rum "Nu poti folosi lungime de cimp fix pentru BLOB-uri. Foloseste 'fields terminated by'." + rus "æÉËÓÉÒÏ×ÁÎÎÙÊ ÒÁÚÍÅÒ ÚÁÐÉÓÉ Ó ÐÏÌÑÍÉ ÔÉÐÁ BLOB ÉÓÐÏÌØÚÏ×ÁÔØ ÎÅÌØÚÑ, ÐÒÉÍÅÎÑÊÔÅ 'fields terminated by'" + serbian "Ne možete koristiti fiksnu velièinu sloga kada imate BLOB polja. Molim koristite 'fields terminated by' opciju." + slo "Nie je mo¾né pou¾i» fixnú då¾ku s BLOBom. Pou¾ite 'fields terminated by'." + spa "No puedes usar longitudes de filas fijos con BLOBs. Por favor usa 'campos terminados por '." + swe "Man kan inte använda fast radlängd med blobs. Använd 'fields terminated by'" + ukr "îÅ ÍÏÖÎÁ ×ÉËÏÒÉÓÔÏ×Õ×ÁÔÉ ÓÔÁÌÕ ÄÏ×ÖÉÎÕ ÓÔÒÏËÉ Ú BLOB. úËÏÒÉÓÔÁÊÔÅÓÑ 'fields terminated by'" +ER_TEXTFILE_NOT_READABLE + cze "Soubor '%-.64s' mus-Bí být v adresáøi databáze nebo èitelný pro v¹echny" + dan "Filen '%-.64s' skal være i database-folderen og kunne læses af alle" + nla "Het bestand '%-.64s' dient in de database directory voor the komen of leesbaar voor iedereen te zijn." + eng "The file '%-.64s' must be in the database directory or be readable by all" + est "Fail '%-.64s' peab asuma andmebaasi kataloogis või olema kõigile loetav" + fre "Le fichier '%-.64s' doit être dans le répertoire de la base et lisible par tous" + ger "Datei '%-.64s' muss im Datenbank-Verzeichnis vorhanden und lesbar für alle sein" + greek "Ôï áñ÷åßï '%-.64s' ðñÝðåé íá õðÜñ÷åé óôï database directory Þ íá ìðïñåß íá äéáâáóôåß áðü üëïõò" + hun "A(z) '%-.64s'-nak az adatbazis konyvtarban kell lennie, vagy mindenki szamara olvashatonak" + ita "Il file '%-.64s' deve essere nella directory del database e deve essere leggibile da tutti" + jpn "¥Õ¥¡¥¤¥ë '%-.64s' ¤Ï databse ¤Î directory ¤Ë¤¢¤ë¤«Á´¤Æ¤Î¥æ¡¼¥¶¡¼¤¬ÆÉ¤á¤ë¤è¤¦¤Ëµö²Ä¤µ¤ì¤Æ¤¤¤Ê¤±¤ì¤Ð¤Ê¤ê¤Þ¤»¤ó." + kor "'%-.64s' È­ÀÏ´Â µ¥ÀÌŸº£À̽º µð·ºÅ丮¿¡ Á¸ÀçÇϰųª ¸ðµÎ¿¡°Ô Àб⠰¡´ÉÇÏ¿©¾ß ÇÕ´Ï´Ù." + nor "Filen '%-.64s' må være i database-katalogen for å være lesbar for alle" + norwegian-ny "Filen '%-.64s' må være i database-katalogen for å være lesbar for alle" + pol "Plik '%-.64s' musi znajdowaæ sie w katalogu bazy danych lub mieæ prawa czytania przez wszystkich" + por "Arquivo '%-.64s' tem que estar no diretório do banco de dados ou ter leitura possível para todos" + rum "Fisierul '%-.64s' trebuie sa fie in directorul bazei de data sau trebuie sa poata sa fie citit de catre toata lumea (verifica permisiile)" + rus "æÁÊÌ '%-.64s' ÄÏÌÖÅÎ ÎÁÈÏÄÉÔØÓÑ × ÔÏÍ ÖÅ ËÁÔÁÌÏÇÅ, ÞÔÏ É ÂÁÚÁ ÄÁÎÎÙÈ, ÉÌÉ ÂÙÔØ ÏÂÝÅÄÏÓÔÕÐÎÙÍ ÄÌÑ ÞÔÅÎÉÑ" + serbian "File '%-.64s' mora biti u direktorijumu gde su file-ovi baze i mora imati odgovarajuæa prava pristupa" + slo "Súbor '%-.64s' musí by» v adresári databázy, alebo èitateµný pre v¹etkých" + spa "El archivo '%-.64s' debe estar en el directorio de la base de datos o ser de lectura por todos" + swe "Textfilen '%.64s' måste finnas i databasbiblioteket eller vara läsbar för alla" + ukr "æÁÊÌ '%-.64s' ÐÏ×ÉÎÅÎ ÂÕÔÉ Õ ÔÅæ ÂÁÚÉ ÄÁÎÎÉÈ ÁÂÏ ÍÁÔÉ ×ÓÔÁÎÏ×ÌÅÎÅ ÐÒÁ×Ï ÎÁ ÞÉÔÁÎÎÑ ÄÌÑ ÕÓ¦È" +ER_FILE_EXISTS_ERROR + cze "Soubor '%-.64s' ji-B¾ existuje" + dan "Filen '%-.64s' eksisterer allerede" + nla "Het bestand '%-.64s' bestaat reeds" + eng "File '%-.80s' already exists" + est "Fail '%-.80s' juba eksisteerib" + fre "Le fichier '%-.64s' existe déjà" + ger "Datei '%-.64s' bereits vorhanden" + greek "Ôï áñ÷åßï '%-.64s' õðÜñ÷åé Þäç" + hun "A '%-.64s' file mar letezik." + ita "Il file '%-.64s' esiste gia`" + jpn "File '%-.64s' ¤Ï´û¤Ë¸ºß¤·¤Þ¤¹" + kor "'%-.64s' È­ÀÏÀº ÀÌ¹Ì Á¸ÀçÇÕ´Ï´Ù." + nor "Filen '%-.64s' eksisterte allerede" + norwegian-ny "Filen '%-.64s' eksisterte allereide" + pol "Plik '%-.64s' ju¿ istnieje" + por "Arquivo '%-.80s' já existe" + rum "Fisierul '%-.80s' exista deja" + rus "æÁÊÌ '%-.80s' ÕÖÅ ÓÕÝÅÓÔ×ÕÅÔ" + serbian "File '%-.80s' veæ postoji" + slo "Súbor '%-.64s' u¾ existuje" + spa "El archivo '%-.64s' ya existe" + swe "Filen '%-.64s' existerar redan" + ukr "æÁÊÌ '%-.80s' ×ÖÅ ¦ÓÎÕ¤" +ER_LOAD_INFO + cze "Z-Báznamù: %ld Vymazáno: %ld Pøeskoèeno: %ld Varování: %ld" + dan "Poster: %ld Fjernet: %ld Sprunget over: %ld Advarsler: %ld" + nla "Records: %ld Verwijderd: %ld Overgeslagen: %ld Waarschuwingen: %ld" + eng "Records: %ld Deleted: %ld Skipped: %ld Warnings: %ld" + est "Kirjeid: %ld Kustutatud: %ld Vahele jäetud: %ld Hoiatusi: %ld" + fre "Enregistrements: %ld Effacés: %ld Non traités: %ld Avertissements: %ld" + ger "Datensätze: %ld Gelöscht: %ld Ausgelassen: %ld Warnungen: %ld" + greek "ÅããñáöÝò: %ld ÄéáãñáöÝò: %ld ÐáñåêÜìöèçóáí: %ld ÐñïåéäïðïéÞóåéò: %ld" + hun "Rekordok: %ld Torolve: %ld Skipped: %ld Warnings: %ld" + ita "Records: %ld Cancellati: %ld Saltati: %ld Avvertimenti: %ld" + jpn "¥ì¥³¡¼¥É¿ô: %ld ºï½ü: %ld Skipped: %ld Warnings: %ld" + kor "·¹ÄÚµå: %ld°³ »èÁ¦: %ld°³ ½ºÅµ: %ld°³ °æ°í: %ld°³" + nor "Poster: %ld Fjernet: %ld Hoppet over: %ld Advarsler: %ld" + norwegian-ny "Poster: %ld Fjerna: %ld Hoppa over: %ld Åtvaringar: %ld" + pol "Recordów: %ld Usuniêtych: %ld Pominiêtych: %ld Ostrze¿eñ: %ld" + por "Registros: %ld - Deletados: %ld - Ignorados: %ld - Avisos: %ld" + rum "Recorduri: %ld Sterse: %ld Sarite (skipped): %ld Atentionari (warnings): %ld" + rus "úÁÐÉÓÅÊ: %ld õÄÁÌÅÎÏ: %ld ðÒÏÐÕÝÅÎÏ: %ld ðÒÅÄÕÐÒÅÖÄÅÎÉÊ: %ld" + serbian "Slogova: %ld Izbrisano: %ld Preskoèeno: %ld Upozorenja: %ld" + slo "Záznamov: %ld Zmazaných: %ld Preskoèených: %ld Varovania: %ld" + spa "Registros: %ld Borrados: %ld Saltados: %ld Peligros: %ld" + swe "Rader: %ld Bortagna: %ld Dubletter: %ld Varningar: %ld" + ukr "úÁÐÉÓ¦×: %ld ÷ÉÄÁÌÅÎÏ: %ld ðÒÏÐÕÝÅÎÏ: %ld úÁÓÔÅÒÅÖÅÎØ: %ld" +ER_ALTER_INFO + cze "Z-Báznamù: %ld Zdvojených: %ld" + dan "Poster: %ld Ens: %ld" + nla "Records: %ld Dubbel: %ld" + eng "Records: %ld Duplicates: %ld" + est "Kirjeid: %ld Kattuvaid: %ld" + fre "Enregistrements: %ld Doublons: %ld" + ger "Datensätze: %ld Duplikate: %ld" + greek "ÅããñáöÝò: %ld ÅðáíáëÞøåéò: %ld" + hun "Rekordok: %ld Duplikalva: %ld" + ita "Records: %ld Duplicati: %ld" + jpn "¥ì¥³¡¼¥É¿ô: %ld ½ÅÊ£: %ld" + kor "·¹ÄÚµå: %ld°³ Áߺ¹: %ld°³" + nor "Poster: %ld Like: %ld" + norwegian-ny "Poster: %ld Like: %ld" + pol "Rekordów: %ld Duplikatów: %ld" + por "Registros: %ld - Duplicados: %ld" + rum "Recorduri: %ld Duplicate: %ld" + rus "úÁÐÉÓÅÊ: %ld äÕÂÌÉËÁÔÏ×: %ld" + serbian "Slogova: %ld Duplikata: %ld" + slo "Záznamov: %ld Opakovaných: %ld" + spa "Registros: %ld Duplicados: %ld" + swe "Rader: %ld Dubletter: %ld" + ukr "úÁÐÉÓ¦×: %ld äÕÂ̦ËÁÔ¦×: %ld" +ER_WRONG_SUB_KEY + cze "Chybn-Bá podèást klíèe -- není to øetìzec nebo je del¹í ne¾ délka èásti klíèe" + dan "Forkert indeksdel. Den anvendte nøgledel er ikke en streng eller længden er større end nøglelængden" + nla "Foutief sub-gedeelte van de zoeksleutel. De gebruikte zoeksleutel is geen onderdeel van een string of of de gebruikte lengte is langer dan de zoeksleutel" + eng "Incorrect sub part key; the used key part isn't a string, the used length is longer than the key part, or the storage engine doesn't support unique sub keys" + est "Vigane võtme osa. Kasutatud võtmeosa ei ole string tüüpi, määratud pikkus on pikem kui võtmeosa või tabelihandler ei toeta seda tüüpi võtmeid" + fre "Mauvaise sous-clef. Ce n'est pas un 'string' ou la longueur dépasse celle définie dans la clef" + ger "Falscher Unterteilschlüssel. Der verwendete Schlüsselteil ist entweder kein String, die verwendete Länge ist länger als der Teilschlüssel oder der Tabellenhandler unterstützt keine Unterteilschlüssel" + greek "ÅóöáëìÝíï sub part key. Ôï ÷ñçóéìïðïéïýìåíï key part äåí åßíáé string Þ ôï ìÞêïò ôïõ åßíáé ìåãáëýôåñï" + hun "Rossz alkulcs. A hasznalt kulcsresz nem karaktersorozat vagy hosszabb, mint a kulcsresz" + ita "Sotto-parte della chiave errata. La parte di chiave utilizzata non e` una stringa o la lunghezza e` maggiore della parte di chiave." + jpn "Incorrect sub part key; the used key part isn't a string or the used length is longer than the key part" + kor "ºÎÁ¤È®ÇÑ ¼­¹ö ÆÄÆ® Ű. »ç¿ëµÈ Ű ÆÄÆ®°¡ ½ºÆ®¸µÀÌ ¾Æ´Ï°Å³ª Ű ÆÄÆ®ÀÇ ±æÀ̰¡ ³Ê¹« ±é´Ï´Ù." + nor "Feil delnøkkel. Den brukte delnøkkelen er ikke en streng eller den oppgitte lengde er lengre enn nøkkel lengden" + norwegian-ny "Feil delnykkel. Den brukte delnykkelen er ikkje ein streng eller den oppgitte lengda er lengre enn nykkellengden" + pol "B³êdna podczê?æ klucza. U¿yta czê?æ klucza nie jest ³añcuchem lub u¿yta d³ugo?æ jest wiêksza ni¿ czê?æ klucza" + por "Sub parte da chave incorreta. A parte da chave usada não é uma 'string' ou o comprimento usado é maior que parte da chave ou o manipulador de tabelas não suporta sub chaves únicas" + rum "Componentul cheii este incorrect. Componentul folosit al cheii nu este un sir sau lungimea folosita este mai lunga decit lungimea cheii" + rus "îÅËÏÒÒÅËÔÎÁÑ ÞÁÓÔØ ËÌÀÞÁ. éÓÐÏÌØÚÕÅÍÁÑ ÞÁÓÔØ ËÌÀÞÁ ÎÅ Ñ×ÌÑÅÔÓÑ ÓÔÒÏËÏÊ, ÕËÁÚÁÎÎÁÑ ÄÌÉÎÁ ÂÏÌØÛÅ, ÞÅÍ ÄÌÉÎÁ ÞÁÓÔÉ ËÌÀÞÁ, ÉÌÉ ÏÂÒÁÂÏÔÞÉË ÔÁÂÌÉÃÙ ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔ ÕÎÉËÁÌØÎÙÅ ÞÁÓÔÉ ËÌÀÞÁ" + serbian "Pogrešan pod-kljuè dela kljuèa. Upotrebljeni deo kljuèa nije string, upotrebljena dužina je veæa od dela kljuèa ili handler tabela ne podržava jedinstvene pod-kljuèeve" + slo "Incorrect sub part key; the used key part isn't a string or the used length is longer than the key part" + spa "Parte de la clave es erronea. Una parte de la clave no es una cadena o la longitud usada es tan grande como la parte de la clave" + swe "Felaktig delnyckel. Nyckeldelen är inte en sträng eller den angivna längden är längre än kolumnlängden" + ukr "îÅצÒÎÁ ÞÁÓÔÉÎÁ ËÌÀÞÁ. ÷ÉËÏÒÉÓÔÁÎÁ ÞÁÓÔÉÎÁ ËÌÀÞÁ ÎÅ ¤ ÓÔÒÏËÏÀ, ÚÁÄÏ×ÇÁ ÁÂÏ ×ËÁÚ¦×ÎÉË ÔÁÂÌÉæ ΊЦÄÔÒÉÍÕ¤ ÕΦËÁÌØÎÉÈ ÞÁÓÔÉÎ ËÌÀÞÅÊ" +ER_CANT_REMOVE_ALL_FIELDS 42000 + cze "Nen-Bí mo¾né vymazat v¹echny polo¾ky s ALTER TABLE. Pou¾ijte DROP TABLE" + dan "Man kan ikke slette alle felter med ALTER TABLE. Brug DROP TABLE i stedet." + nla "Het is niet mogelijk alle velden te verwijderen met ALTER TABLE. Gebruik a.u.b. DROP TABLE hiervoor!" + eng "You can't delete all columns with ALTER TABLE; use DROP TABLE instead" + est "ALTER TABLE kasutades ei saa kustutada kõiki tulpasid. Kustuta tabel DROP TABLE abil" + fre "Vous ne pouvez effacer tous les champs avec ALTER TABLE. Utilisez DROP TABLE" + ger "Mit ALTER TABLE können nicht alle Felder auf einmal gelöscht werden. Dafür DROP TABLE verwenden" + greek "Äåí åßíáé äõíáôÞ ç äéáãñáöÞ üëùí ôùí ðåäßùí ìå ALTER TABLE. Ðáñáêáëþ ÷ñçóéìïðïéåßóôå DROP TABLE" + hun "Az osszes mezo nem torolheto az ALTER TABLE-lel. Hasznalja a DROP TABLE-t helyette" + ita "Non si possono cancellare tutti i campi con una ALTER TABLE. Utilizzare DROP TABLE" + jpn "ALTER TABLE ¤ÇÁ´¤Æ¤Î column ¤Ïºï½ü¤Ç¤­¤Þ¤»¤ó. DROP TABLE ¤ò»ÈÍѤ·¤Æ¤¯¤À¤µ¤¤" + kor "ALTER TABLE ¸í·ÉÀ¸·Î´Â ¸ðµç Ä®·³À» Áö¿ï ¼ö ¾ø½À´Ï´Ù. DROP TABLE ¸í·ÉÀ» ÀÌ¿ëÇϼ¼¿ä." + nor "En kan ikke slette alle felt med ALTER TABLE. Bruk DROP TABLE isteden." + norwegian-ny "Ein kan ikkje slette alle felt med ALTER TABLE. Bruk DROP TABLE istadenfor." + pol "Nie mo¿na usun?æ wszystkich pól wykorzystuj?c ALTER TABLE. W zamian u¿yj DROP TABLE" + por "Você não pode deletar todas as colunas com ALTER TABLE; use DROP TABLE em seu lugar" + rum "Nu poti sterge toate coloanele cu ALTER TABLE. Foloseste DROP TABLE in schimb" + rus "îÅÌØÚÑ ÕÄÁÌÉÔØ ×ÓÅ ÓÔÏÌÂÃÙ Ó ÐÏÍÏÝØÀ ALTER TABLE. éÓÐÏÌØÚÕÊÔÅ DROP TABLE" + serbian "Ne možete da izbrišete sve kolone pomoæu komande 'ALTER TABLE'. Upotrebite komandu 'DROP TABLE' ako želite to da uradite" + slo "One nemô¾em zmaza» all fields with ALTER TABLE; use DROP TABLE instead" + spa "No puede borrar todos los campos con ALTER TABLE. Usa DROP TABLE para hacerlo" + swe "Man kan inte radera alla fält med ALTER TABLE. Använd DROP TABLE istället" + ukr "îÅ ÍÏÖÌÉ×Ï ×ÉÄÁÌÉÔÉ ×Ó¦ ÓÔÏ×Âæ ÚÁ ÄÏÐÏÍÏÇÏÀ ALTER TABLE. äÌÑ ÃØÏÇÏ ÓËÏÒÉÓÔÁÊÔÅÓÑ DROP TABLE" +ER_CANT_DROP_FIELD_OR_KEY 42000 + cze "Nemohu zru-B¹it '%-.64s' (provést DROP). Zkontrolujte, zda neexistují záznamy/klíèe" + dan "Kan ikke udføre DROP '%-.64s'. Undersøg om feltet/nøglen eksisterer." + nla "Kan '%-.64s' niet weggooien. Controleer of het veld of de zoeksleutel daadwerkelijk bestaat." + eng "Can't DROP '%-.64s'; check that column/key exists" + est "Ei suuda kustutada '%-.64s'. Kontrolli kas tulp/võti eksisteerib" + fre "Ne peut effacer (DROP) '%-.64s'. Vérifiez s'il existe" + ger "Kann '%-.64s' nicht löschen. Existiert das Feld / der Schlüssel?" + greek "Áäýíáôç ç äéáãñáöÞ (DROP) '%-.64s'. Ðáñáêáëþ åëÝãîôå áí ôï ðåäßï/êëåéäß õðÜñ÷åé" + hun "A DROP '%-.64s' nem lehetseges. Ellenorizze, hogy a mezo/kulcs letezik-e" + ita "Impossibile cancellare '%-.64s'. Controllare che il campo chiave esista" + jpn "'%-.64s' ¤òÇË´þ¤Ç¤­¤Þ¤»¤ó¤Ç¤·¤¿; check that column/key exists" + kor "'%-.64s'¸¦ DROPÇÒ ¼ö ¾ø½À´Ï´Ù. Ä®·³À̳ª ۰¡ Á¸ÀçÇÏ´ÂÁö äũÇϼ¼¿ä." + nor "Kan ikke DROP '%-.64s'. Undersøk om felt/nøkkel eksisterer." + norwegian-ny "Kan ikkje DROP '%-.64s'. Undersøk om felt/nøkkel eksisterar." + pol "Nie mo¿na wykonaæ operacji DROP '%-.64s'. Sprawd¥, czy to pole/klucz istnieje" + por "Não se pode fazer DROP '%-.64s'. Confira se esta coluna/chave existe" + rum "Nu pot sa DROP '%-.64s'. Verifica daca coloana/cheia exista" + rus "îÅ×ÏÚÍÏÖÎÏ ÕÄÁÌÉÔØ (DROP) '%-.64s'. õÂÅÄÉÔÅÓØ ÞÔÏ ÓÔÏÌÂÅÃ/ËÌÀÞ ÄÅÊÓÔ×ÉÔÅÌØÎÏ ÓÕÝÅÓÔ×ÕÅÔ" + serbian "Ne mogu da izvršim komandu drop 'DROP' na '%-.64s'. Proverite da li ta kolona (odnosno kljuè) postoji" + slo "Nemô¾em zru¹i» (DROP) '%-.64s'. Skontrolujte, èi neexistujú záznamy/kµúèe" + spa "No puedo ELIMINAR '%-.64s'. compuebe que el campo/clave existe" + swe "Kan inte ta bort '%-.64s'. Kontrollera att fältet/nyckel finns" + ukr "îÅ ÍÏÖÕ DROP '%-.64s'. ðÅÒÅצÒÔÅ, ÞÉ ÃÅÊ ÓÔÏ×ÂÅÃØ/ËÌÀÞ ¦ÓÎÕ¤" +ER_INSERT_INFO + cze "Z-Báznamù: %ld Zdvojených: %ld Varování: %ld" + dan "Poster: %ld Ens: %ld Advarsler: %ld" + nla "Records: %ld Dubbel: %ld Waarschuwing: %ld" + eng "Records: %ld Duplicates: %ld Warnings: %ld" + est "Kirjeid: %ld Kattuvaid: %ld Hoiatusi: %ld" + fre "Enregistrements: %ld Doublons: %ld Avertissements: %ld" + ger "Datensätze: %ld Duplikate: %ld Warnungen: %ld" + greek "ÅããñáöÝò: %ld ÅðáíáëÞøåéò: %ld ÐñïåéäïðïéÞóåéò: %ld" + hun "Rekordok: %ld Duplikalva: %ld Warnings: %ld" + ita "Records: %ld Duplicati: %ld Avvertimenti: %ld" + jpn "¥ì¥³¡¼¥É¿ô: %ld ½ÅÊ£¿ô: %ld Warnings: %ld" + kor "·¹ÄÚµå: %ld°³ Áߺ¹: %ld°³ °æ°í: %ld°³" + nor "Poster: %ld Like: %ld Advarsler: %ld" + norwegian-ny "Postar: %ld Like: %ld Åtvaringar: %ld" + pol "Rekordów: %ld Duplikatów: %ld Ostrze¿eñ: %ld" + por "Registros: %ld - Duplicados: %ld - Avisos: %ld" + rum "Recorduri: %ld Duplicate: %ld Atentionari (warnings): %ld" + rus "úÁÐÉÓÅÊ: %ld äÕÂÌÉËÁÔÏ×: %ld ðÒÅÄÕÐÒÅÖÄÅÎÉÊ: %ld" + serbian "Slogova: %ld Duplikata: %ld Upozorenja: %ld" + slo "Záznamov: %ld Opakovaných: %ld Varovania: %ld" + spa "Registros: %ld Duplicados: %ld Peligros: %ld" + swe "Rader: %ld Dubletter: %ld Varningar: %ld" + ukr "úÁÐÉÓ¦×: %ld äÕÂ̦ËÁÔ¦×: %ld úÁÓÔÅÒÅÖÅÎØ: %ld" +ER_UPDATE_TABLE_USED + eng "You can't specify target table '%-.64s' for update in FROM clause" + ger "Die Verwendung der zu aktualisierenden Zieltabelle '%-.64s' ist in der FROM-Klausel nicht zulässig." + rus "îÅ ÄÏÐÕÓËÁÅÔÓÑ ÕËÁÚÁÎÉÅ ÔÁÂÌÉÃÙ '%-.64s' × ÓÐÉÓËÅ ÔÁÂÌÉà FROM ÄÌÑ ×ÎÅÓÅÎÉÑ × ÎÅÅ ÉÚÍÅÎÅÎÉÊ" + swe "INSERT-table '%-.64s' får inte finnas i FROM tabell-listan" + ukr "ôÁÂÌÉÃÑ '%-.64s' ÝÏ ÚͦÎÀ¤ÔØÓÑ ÎÅ ÄÏÚ×ÏÌÅÎÁ Õ ÐÅÒÅ̦ËÕ ÔÁÂÌÉÃØ FROM" +ER_NO_SUCH_THREAD + cze "Nezn-Bámá identifikace threadu: %lu" + dan "Ukendt tråd id: %lu" + nla "Onbekend thread id: %lu" + eng "Unknown thread id: %lu" + est "Tundmatu lõim: %lu" + fre "Numéro de tâche inconnu: %lu" + ger "Unbekannte Thread-ID: %lu" + greek "Áãíùóôï thread id: %lu" + hun "Ervenytelen szal (thread) id: %lu" + ita "Thread id: %lu sconosciuto" + jpn "thread id: %lu ¤Ï¤¢¤ê¤Þ¤»¤ó" + kor "¾Ë¼ö ¾ø´Â ¾²·¹µå id: %lu" + nor "Ukjent tråd id: %lu" + norwegian-ny "Ukjent tråd id: %lu" + pol "Nieznany identyfikator w?tku: %lu" + por "'Id' de 'thread' %lu desconhecido" + rum "Id-ul: %lu thread-ului este necunoscut" + rus "îÅÉÚ×ÅÓÔÎÙÊ ÎÏÍÅÒ ÐÏÔÏËÁ: %lu" + serbian "Nepoznat thread identifikator: %lu" + slo "Neznáma identifikácia vlákna: %lu" + spa "Identificador del thread: %lu desconocido" + swe "Finns ingen tråd med id %lu" + ukr "îÅצÄÏÍÉÊ ¦ÄÅÎÔÉÆ¦ËÁÔÏÒ Ç¦ÌËÉ: %lu" +ER_KILL_DENIED_ERROR + cze "Nejste vlastn-Bíkem threadu %lu" + dan "Du er ikke ejer af tråden %lu" + nla "U bent geen bezitter van thread %lu" + eng "You are not owner of thread %lu" + est "Ei ole lõime %lu omanik" + fre "Vous n'êtes pas propriétaire de la tâche no: %lu" + ger "Sie sind nicht Eigentümer von Thread %lu" + greek "Äåí åßóèå owner ôïõ thread %lu" + hun "A %lu thread-nek mas a tulajdonosa" + ita "Utente non proprietario del thread %lu" + jpn "thread %lu ¤Î¥ª¡¼¥Ê¡¼¤Ç¤Ï¤¢¤ê¤Þ¤»¤ó" + kor "¾²·¹µå(Thread) %luÀÇ ¼ÒÀ¯ÀÚ°¡ ¾Æ´Õ´Ï´Ù." + nor "Du er ikke eier av tråden %lu" + norwegian-ny "Du er ikkje eigar av tråd %lu" + pol "Nie jeste? w³a?cicielem w?tku %lu" + por "Você não é proprietário da 'thread' %lu" + rum "Nu sinteti proprietarul threadului %lu" + rus "÷Ù ÎÅ Ñ×ÌÑÅÔÅÓØ ×ÌÁÄÅÌØÃÅÍ ÐÏÔÏËÁ %lu" + serbian "Vi niste vlasnik thread-a %lu" + slo "Nie ste vlastníkom vlákna %lu" + spa "Tu no eres el propietario del thread%lu" + swe "Du är inte ägare till tråd %lu" + ukr "÷É ÎÅ ×ÏÌÏÄÁÒ Ç¦ÌËÉ %lu" +ER_NO_TABLES_USED + cze "Nejsou pou-B¾ity ¾ádné tabulky" + dan "Ingen tabeller i brug" + nla "Geen tabellen gebruikt." + eng "No tables used" + est "Ühtegi tabelit pole kasutusel" + fre "Aucune table utilisée" + ger "Keine Tabellen verwendet" + greek "Äåí ÷ñçóéìïðïéÞèçêáí ðßíáêåò" + hun "Nincs hasznalt tabla" + ita "Nessuna tabella usata" + kor "¾î¶² Å×ÀÌºíµµ »ç¿ëµÇÁö ¾Ê¾Ò½À´Ï´Ù." + nor "Ingen tabeller i bruk" + norwegian-ny "Ingen tabellar i bruk" + pol "Nie ma ¿adej u¿ytej tabeli" + por "Nenhuma tabela usada" + rum "Nici o tabela folosita" + rus "îÉËÁËÉÅ ÔÁÂÌÉÃÙ ÎÅ ÉÓÐÏÌØÚÏ×ÁÎÙ" + serbian "Nema upotrebljenih tabela" + slo "Nie je pou¾itá ¾iadna tabuµka" + spa "No ha tablas usadas" + swe "Inga tabeller angivna" + ukr "îÅ ×ÉËÏÒÉÓÔÁÎÏ ÔÁÂÌÉÃØ" +ER_TOO_BIG_SET + cze "P-Bøíli¹ mnoho øetìzcù pro sloupec %s a SET" + dan "For mange tekststrenge til specifikationen af SET i kolonne %-.64s" + nla "Teveel strings voor kolom %s en SET" + eng "Too many strings for column %-.64s and SET" + est "Liiga palju string tulbale %-.64s tüübile SET" + fre "Trop de chaînes dans la colonne %s avec SET" + ger "Zu viele Strings für SET-Spalte %-.64s angegeben" + greek "ÐÜñá ðïëëÜ strings ãéá ôï ðåäßï %-.64s êáé SET" + hun "Tul sok karakter: %-.64s es SET" + ita "Troppe stringhe per la colonna %-.64s e la SET" + kor "Ä®·³ %-.64s¿Í SET¿¡¼­ ½ºÆ®¸µÀÌ ³Ê¹« ¸¹½À´Ï´Ù." + nor "For mange tekststrenger kolonne %s og SET" + norwegian-ny "For mange tekststrengar felt %s og SET" + pol "Zbyt wiele ³añcuchów dla kolumny %s i polecenia SET" + por "'Strings' demais para coluna '%-.64s' e SET" + rum "Prea multe siruri pentru coloana %-.64s si SET" + rus "óÌÉÛËÏÍ ÍÎÏÇÏ ÚÎÁÞÅÎÉÊ ÄÌÑ ÓÔÏÌÂÃÁ %-.64s × SET" + serbian "Previše string-ova za kolonu '%-.64s' i komandu 'SET'" + slo "Príli¹ mnoho re»azcov pre pole %-.64s a SET" + spa "Muchas strings para columna %s y SET" + swe "För många alternativ till kolumn %s för SET" + ukr "úÁÂÁÇÁÔÏ ÓÔÒÏË ÄÌÑ ÓÔÏ×ÂÃÑ %-.64s ÔÁ SET" +ER_NO_UNIQUE_LOGFILE + cze "Nemohu vytvo-Bøit jednoznaèné jméno logovacího souboru %s.(1-999)\n" + dan "Kan ikke lave unikt log-filnavn %s.(1-999)\n" + nla "Het is niet mogelijk een unieke naam te maken voor de logfile %s.(1-999)\n" + eng "Can't generate a unique log-filename %-.64s.(1-999)\n" + est "Ei suuda luua unikaalset logifaili nime %-.64s.(1-999)\n" + fre "Ne peut générer un unique nom de journal %s.(1-999)\n" + ger "Kann keinen eindeutigen Dateinamen für die Logdatei %-.64s erzeugen (1-999)\n" + greek "Áäýíáôç ç äçìéïõñãßá unique log-filename %-.64s.(1-999)\n" + hun "Egyedi log-filenev nem generalhato: %-.64s.(1-999)\n" + ita "Impossibile generare un nome del file log unico %-.64s.(1-999)\n" + kor "Unique ·Î±×È­ÀÏ '%-.64s'¸¦ ¸¸µé¼ö ¾ø½À´Ï´Ù.(1-999)\n" + nor "Kan ikke lage unikt loggfilnavn %s.(1-999)\n" + norwegian-ny "Kan ikkje lage unikt loggfilnavn %s.(1-999)\n" + pol "Nie mo¿na stworzyæ unikalnej nazwy pliku z logiem %s.(1-999)\n" + por "Não pode gerar um nome de arquivo de 'log' único '%-.64s'.(1-999)\n" + rum "Nu pot sa generez un nume de log unic %-.64s.(1-999)\n" + rus "îÅ×ÏÚÍÏÖÎÏ ÓÏÚÄÁÔØ ÕÎÉËÁÌØÎÏÅ ÉÍÑ ÆÁÊÌÁ ÖÕÒÎÁÌÁ %-.64s.(1-999)\n" + serbian "Ne mogu da generišem jedinstveno ime log-file-a: '%-.64s.(1-999)'\n" + slo "Nemô¾em vytvori» unikátne meno log-súboru %-.64s.(1-999)\n" + spa "No puede crear un unico archivo log %s.(1-999)\n" + swe "Kan inte generera ett unikt filnamn %s.(1-999)\n" + ukr "îÅ ÍÏÖÕ ÚÇÅÎÅÒÕ×ÁÔÉ ÕΦËÁÌØÎÅ ¦Í'Ñ log-ÆÁÊÌÕ %-.64s.(1-999)\n" +ER_TABLE_NOT_LOCKED_FOR_WRITE + cze "Tabulka '%-.64s' byla zam-Bèena s READ a nemù¾e být zmìnìna" + dan "Tabellen '%-.64s' var låst med READ lås og kan ikke opdateres" + nla "Tabel '%-.64s' was gelocked met een lock om te lezen. Derhalve kunnen geen wijzigingen worden opgeslagen." + eng "Table '%-.64s' was locked with a READ lock and can't be updated" + est "Tabel '%-.64s' on lukustatud READ lukuga ning ei ole muudetav" + fre "Table '%-.64s' verrouillée lecture (READ): modification impossible" + ger "Tabelle '%-.64s' ist mit Lesesperre versehen und kann nicht aktualisiert werden" + greek "Ï ðßíáêáò '%-.64s' Ý÷åé êëåéäùèåß ìå READ lock êáé äåí åðéôñÝðïíôáé áëëáãÝò" + hun "A(z) '%-.64s' tabla zarolva lett (READ lock) es nem lehet frissiteni" + ita "La tabella '%-.64s' e` soggetta a lock in lettura e non puo` essere aggiornata" + jpn "Table '%-.64s' ¤Ï READ lock ¤Ë¤Ê¤Ã¤Æ¤¤¤Æ¡¢¹¹¿·¤Ï¤Ç¤­¤Þ¤»¤ó" + kor "Å×À̺í '%-.64s'´Â READ ¶ôÀÌ Àá°ÜÀ־ °»½ÅÇÒ ¼ö ¾ø½À´Ï´Ù." + nor "Tabellen '%-.64s' var låst med READ lås og kan ikke oppdateres" + norwegian-ny "Tabellen '%-.64s' var låst med READ lås og kan ikkje oppdaterast" + pol "Tabela '%-.64s' zosta³a zablokowana przez READ i nie mo¿e zostaæ zaktualizowana" + por "Tabela '%-.64s' foi travada com trava de leitura e não pode ser atualizada" + rum "Tabela '%-.64s' a fost locked cu un READ lock si nu poate fi actualizata" + rus "ôÁÂÌÉÃÁ '%-.64s' ÚÁÂÌÏËÉÒÏ×ÁÎÁ ÕÒÏ×ÎÅÍ READ lock É ÎÅ ÍÏÖÅÔ ÂÙÔØ ÉÚÍÅÎÅÎÁ" + serbian "Tabela '%-.64s' je zakljuèana READ lock-om; iz nje se može samo èitati ali u nju se ne može pisati" + slo "Tabuµka '%-.64s' bola zamknutá s READ a nemô¾e by» zmenená" + spa "Tabla '%-.64s' fue trabada con un READ lock y no puede ser actualizada" + swe "Tabell '%-.64s' kan inte uppdateras emedan den är låst för läsning" + ukr "ôÁÂÌÉÃÀ '%-.64s' ÚÁÂÌÏËÏ×ÁÎÏ Ô¦ÌØËÉ ÄÌÑ ÞÉÔÁÎÎÑ, ÔÏÍÕ §§ ÎÅ ÍÏÖÎÁ ÏÎÏ×ÉÔÉ" +ER_TABLE_NOT_LOCKED + cze "Tabulka '%-.64s' nebyla zam-Bèena s LOCK TABLES" + dan "Tabellen '%-.64s' var ikke låst med LOCK TABLES" + nla "Tabel '%-.64s' was niet gelocked met LOCK TABLES" + eng "Table '%-.64s' was not locked with LOCK TABLES" + est "Tabel '%-.64s' ei ole lukustatud käsuga LOCK TABLES" + fre "Table '%-.64s' non verrouillée: utilisez LOCK TABLES" + ger "Tabelle '%-.64s' wurde nicht mit LOCK TABLES gesperrt" + greek "Ï ðßíáêáò '%-.64s' äåí Ý÷åé êëåéäùèåß ìå LOCK TABLES" + hun "A(z) '%-.64s' tabla nincs zarolva a LOCK TABLES-szel" + ita "Non e` stato impostato il lock per la tabella '%-.64s' con LOCK TABLES" + jpn "Table '%-.64s' ¤Ï LOCK TABLES ¤Ë¤è¤Ã¤Æ¥í¥Ã¥¯¤µ¤ì¤Æ¤¤¤Þ¤»¤ó" + kor "Å×À̺í '%-.64s'´Â LOCK TABLES ¸í·ÉÀ¸·Î Àá±âÁö ¾Ê¾Ò½À´Ï´Ù." + nor "Tabellen '%-.64s' var ikke låst med LOCK TABLES" + norwegian-ny "Tabellen '%-.64s' var ikkje låst med LOCK TABLES" + pol "Tabela '%-.64s' nie zosta³a zablokowana poleceniem LOCK TABLES" + por "Tabela '%-.64s' não foi travada com LOCK TABLES" + rum "Tabela '%-.64s' nu a fost locked cu LOCK TABLES" + rus "ôÁÂÌÉÃÁ '%-.64s' ÎÅ ÂÙÌÁ ÚÁÂÌÏËÉÒÏ×ÁÎÁ Ó ÐÏÍÏÝØÀ LOCK TABLES" + serbian "Tabela '%-.64s' nije bila zakljuèana komandom 'LOCK TABLES'" + slo "Tabuµka '%-.64s' nebola zamknutá s LOCK TABLES" + spa "Tabla '%-.64s' no fue trabada con LOCK TABLES" + swe "Tabell '%-.64s' är inte låst med LOCK TABLES" + ukr "ôÁÂÌÉÃÀ '%-.64s' ÎÅ ÂÕÌÏ ÂÌÏËÏ×ÁÎÏ Ú LOCK TABLES" +ER_BLOB_CANT_HAVE_DEFAULT 42000 + cze "Blob polo-B¾ka '%-.64s' nemù¾e mít defaultní hodnotu" + dan "BLOB feltet '%-.64s' kan ikke have en standard værdi" + nla "Blob veld '%-.64s' can geen standaardwaarde bevatten" + eng "BLOB/TEXT column '%-.64s' can't have a default value" + est "BLOB-tüüpi tulp '%-.64s' ei saa omada vaikeväärtust" + fre "BLOB '%-.64s' ne peut avoir de valeur par défaut" + ger "BLOB-Feld '%-.64s' darf keinen Vorgabewert (DEFAULT) haben" + greek "Ôá Blob ðåäßá '%-.64s' äåí ìðïñïýí íá Ý÷ïõí ðñïêáèïñéóìÝíåò ôéìÝò (default value)" + hun "A(z) '%-.64s' blob objektumnak nem lehet alapertelmezett erteke" + ita "Il campo BLOB '%-.64s' non puo` avere un valore di default" + jpn "BLOB column '%-.64s' can't have a default value" + kor "BLOB Ä®·³ '%-.64s' ´Â µðÆúÆ® °ªÀ» °¡Áú ¼ö ¾ø½À´Ï´Ù." + nor "Blob feltet '%-.64s' kan ikke ha en standard verdi" + norwegian-ny "Blob feltet '%-.64s' kan ikkje ha ein standard verdi" + pol "Pole typu blob '%-.64s' nie mo¿e mieæ domy?lnej warto?ci" + por "Coluna BLOB '%-.64s' não pode ter um valor padrão (default)" + rum "Coloana BLOB '%-.64s' nu poate avea o valoare default" + rus "îÅ×ÏÚÍÏÖÎÏ ÕËÁÚÙ×ÁÔØ ÚÎÁÞÅÎÉÅ ÐÏ ÕÍÏÌÞÁÎÉÀ ÄÌÑ ÓÔÏÌÂÃÁ BLOB '%-.64s'" + serbian "BLOB kolona '%-.64s' ne može imati default vrednost" + slo "Pole BLOB '%-.64s' nemô¾e ma» implicitnú hodnotu" + spa "Campo Blob '%-.64s' no puede tener valores patron" + swe "BLOB fält '%-.64s' kan inte ha ett DEFAULT-värde" + ukr "óÔÏ×ÂÅÃØ BLOB '%-.64s' ÎÅ ÍÏÖÅ ÍÁÔÉ ÚÎÁÞÅÎÎÑ ÐÏ ÚÁÍÏ×ÞÕ×ÁÎÎÀ" +ER_WRONG_DB_NAME 42000 + cze "Nep-Bøípustné jméno databáze '%-.64s'" + dan "Ugyldigt database navn '%-.64s'" + nla "Databasenaam '%-.64s' is niet getoegestaan" + eng "Incorrect database name '%-.100s'" + est "Vigane andmebaasi nimi '%-.100s'" + fre "Nom de base de donnée illégal: '%-.64s'" + ger "Unerlaubter Datenbankname '%-.64s'" + greek "ËÜèïò üíïìá âÜóçò äåäïìÝíùí '%-.100s'" + hun "Hibas adatbazisnev: '%-.100s'" + ita "Nome database errato '%-.100s'" + jpn "»ØÄꤷ¤¿ database ̾ '%-.100s' ¤¬´Ö°ã¤Ã¤Æ¤¤¤Þ¤¹" + kor "'%-.100s' µ¥ÀÌŸº£À̽ºÀÇ À̸§ÀÌ ºÎÁ¤È®ÇÕ´Ï´Ù." + nor "Ugyldig database navn '%-.64s'" + norwegian-ny "Ugyldig database namn '%-.64s'" + pol "Niedozwolona nazwa bazy danych '%-.64s'" + por "Nome de banco de dados '%-.100s' incorreto" + rum "Numele bazei de date este incorect '%-.100s'" + rus "îÅËÏÒÒÅËÔÎÏÅ ÉÍÑ ÂÁÚÙ ÄÁÎÎÙÈ '%-.100s'" + serbian "Pogrešno ime baze '%-.100s'" + slo "Neprípustné meno databázy '%-.100s'" + spa "Nombre de base de datos ilegal '%-.64s'" + swe "Felaktigt databasnamn '%-.64s'" + ukr "îÅצÒÎÅ ¦Í'Ñ ÂÁÚÉ ÄÁÎÎÉÈ '%-.100s'" +ER_WRONG_TABLE_NAME 42000 + cze "Nep-Bøípustné jméno tabulky '%-.64s'" + dan "Ugyldigt tabel navn '%-.64s'" + nla "Niet toegestane tabelnaam '%-.64s'" + eng "Incorrect table name '%-.100s'" + est "Vigane tabeli nimi '%-.100s'" + fre "Nom de table illégal: '%-.64s'" + ger "Unerlaubter Tabellenname '%-.64s'" + greek "ËÜèïò üíïìá ðßíáêá '%-.100s'" + hun "Hibas tablanev: '%-.100s'" + ita "Nome tabella errato '%-.100s'" + jpn "»ØÄꤷ¤¿ table ̾ '%-.100s' ¤Ï¤Þ¤Á¤¬¤Ã¤Æ¤¤¤Þ¤¹" + kor "'%-.100s' Å×À̺í À̸§ÀÌ ºÎÁ¤È®ÇÕ´Ï´Ù." + nor "Ugyldig tabell navn '%-.64s'" + norwegian-ny "Ugyldig tabell namn '%-.64s'" + pol "Niedozwolona nazwa tabeli '%-.64s'..." + por "Nome de tabela '%-.100s' incorreto" + rum "Numele tabelei este incorect '%-.100s'" + rus "îÅËÏÒÒÅËÔÎÏÅ ÉÍÑ ÔÁÂÌÉÃÙ '%-.100s'" + serbian "Pogrešno ime tabele '%-.100s'" + slo "Neprípustné meno tabuµky '%-.100s'" + spa "Nombre de tabla ilegal '%-.64s'" + swe "Felaktigt tabellnamn '%-.64s'" + ukr "îÅצÒÎÅ ¦Í'Ñ ÔÁÂÌÉæ '%-.100s'" +ER_TOO_BIG_SELECT 42000 + cze "Zadan-Bý SELECT by procházel pøíli¹ mnoho záznamù a trval velmi dlouho. Zkontrolujte tvar WHERE a je-li SELECT v poøádku, pou¾ijte SET SQL_BIG_SELECTS=1" + dan "SELECT ville undersøge for mange poster og ville sandsynligvis tage meget lang tid. Undersøg WHERE delen og brug SET SQL_BIG_SELECTS=1 hvis udtrykket er korrekt" + nla "Het SELECT-statement zou te veel records analyseren en dus veel tijd in beslagnemen. Kijk het WHERE-gedeelte van de query na en kies SET SQL_BIG_SELECTS=1 als het stament in orde is." + eng "The SELECT would examine more than MAX_JOIN_SIZE rows; check your WHERE and use SET SQL_BIG_SELECTS=1 or SET SQL_MAX_JOIN_SIZE=# if the SELECT is okay" + est "SELECT lause peab läbi vaatama suure hulga kirjeid ja võtaks tõenäoliselt liiga kaua aega. Tasub kontrollida WHERE klauslit ja vajadusel kasutada käsku SET SQL_BIG_SELECTS=1" + fre "SELECT va devoir examiner beaucoup d'enregistrements ce qui va prendre du temps. Vérifiez la clause WHERE et utilisez SET SQL_BIG_SELECTS=1 si SELECT se passe bien" + ger "Die Ausführung des SELECT würde zu viele Datensätze untersuchen und wahrscheinlich sehr lange dauern. Bitte WHERE-Klausel überprüfen oder gegebenenfalls SET SQL_BIG_SELECTS=1 oder SET SQL_MAX_JOIN_SIZE=# verwenden" + greek "Ôï SELECT èá åîåôÜóåé ìåãÜëï áñéèìü åããñáöþí êáé ðéèáíþò èá êáèõóôåñÞóåé. Ðáñáêáëþ åîåôÜóôå ôéò ðáñáìÝôñïõò ôïõ WHERE êáé ÷ñçóéìïðïéåßóôå SET SQL_BIG_SELECTS=1 áí ôï SELECT åßíáé óùóôü" + hun "A SELECT tul sok rekordot fog megvizsgalni es nagyon sokaig fog tartani. Ellenorizze a WHERE-t es hasznalja a SET SQL_BIG_SELECTS=1 beallitast, ha a SELECT okay" + ita "La SELECT dovrebbe esaminare troppi record e usare troppo tempo. Controllare la WHERE e usa SET SQL_BIG_SELECTS=1 se e` tutto a posto." + kor "SELECT ¸í·É¿¡¼­ ³Ê¹« ¸¹Àº ·¹Äڵ带 ã±â ¶§¹®¿¡ ¸¹Àº ½Ã°£ÀÌ ¼Ò¿äµË´Ï´Ù. µû¶ó¼­ WHERE ¹®À» Á¡°ËÇϰųª, ¸¸¾à SELECT°¡ okµÇ¸é SET SQL_BIG_SELECTS=1 ¿É¼ÇÀ» »ç¿ëÇϼ¼¿ä." + nor "SELECT ville undersøke for mange poster og ville sannsynligvis ta veldig lang tid. Undersøk WHERE klausulen og bruk SET SQL_BIG_SELECTS=1 om SELECTen er korrekt" + norwegian-ny "SELECT ville undersøkje for mange postar og ville sannsynligvis ta veldig lang tid. Undersøk WHERE klausulen og bruk SET SQL_BIG_SELECTS=1 om SELECTen er korrekt" + pol "Operacja SELECT bêdzie dotyczy³a zbyt wielu rekordów i prawdopodobnie zajmie bardzo du¿o czasu. Sprawd¥ warunek WHERE i u¿yj SQL_OPTION BIG_SELECTS=1 je?li operacja SELECT jest poprawna" + por "O SELECT examinaria registros demais e provavelmente levaria muito tempo. Cheque sua cláusula WHERE e use SET SQL_BIG_SELECTS=1, se o SELECT estiver correto" + rum "SELECT-ul ar examina prea multe cimpuri si probabil ar lua prea mult timp; verifica clauza WHERE si foloseste SET SQL_BIG_SELECTS=1 daca SELECT-ul e okay" + rus "äÌÑ ÔÁËÏÊ ×ÙÂÏÒËÉ SELECT ÄÏÌÖÅÎ ÂÕÄÅÔ ÐÒÏÓÍÏÔÒÅÔØ ÓÌÉÛËÏÍ ÍÎÏÇÏ ÚÁÐÉÓÅÊ É, ×ÉÄÉÍÏ, ÜÔÏ ÚÁÊÍÅÔ ÏÞÅÎØ ÍÎÏÇÏ ×ÒÅÍÅÎÉ. ðÒÏ×ÅÒØÔÅ ×ÁÛÅ ÕËÁÚÁÎÉÅ WHERE, É, ÅÓÌÉ × ÎÅÍ ×ÓÅ × ÐÏÒÑÄËÅ, ÕËÁÖÉÔÅ SET SQL_BIG_SELECTS=1" + serbian "Komanda 'SELECT' æe ispitati previše slogova i potrošiti previše vremena. Proverite vaš 'WHERE' filter i upotrebite 'SET OPTION SQL_BIG_SELECTS=1' ako želite baš ovakvu komandu" + slo "Zadaná po¾iadavka SELECT by prechádzala príli¹ mnoho záznamov a trvala by príli¹ dlho. Skontrolujte tvar WHERE a ak je v poriadku, pou¾ite SET SQL_BIG_SELECTS=1" + spa "El SELECT puede examinar muchos registros y probablemente con mucho tiempo. Verifique tu WHERE y usa SET SQL_BIG_SELECTS=1 si el SELECT esta correcto" + swe "Den angivna frågan skulle läsa mer än MAX_JOIN_SIZE rader. Kontrollera din WHERE och använd SET SQL_BIG_SELECTS=1 eller SET MAX_JOIN_SIZE=# ifall du vill hantera stora joins" + ukr "úÁÐÉÔÕ SELECT ÐÏÔÒ¦ÂÎÏ ÏÂÒÏÂÉÔÉ ÂÁÇÁÔÏ ÚÁÐÉÓ¦×, ÝÏ, ÐÅ×ÎÅ, ÚÁÊÍÅ ÄÕÖÅ ÂÁÇÁÔÏ ÞÁÓÕ. ðÅÒÅצÒÔÅ ×ÁÛÅ WHERE ÔÁ ×ÉËÏÒÉÓÔÏ×ÕÊÔÅ SET SQL_BIG_SELECTS=1, ÑËÝÏ ÃÅÊ ÚÁÐÉÔ SELECT ¤ צÒÎÉÍ" +ER_UNKNOWN_ERROR + cze "Nezn-Bámá chyba" + dan "Ukendt fejl" + nla "Onbekende Fout" + eng "Unknown error" + est "Tundmatu viga" + fre "Erreur inconnue" + ger "Unbekannter Fehler" + greek "ÐñïÝêõøå Üãíùóôï ëÜèïò" + hun "Ismeretlen hiba" + ita "Errore sconosciuto" + kor "¾Ë¼ö ¾ø´Â ¿¡·¯ÀÔ´Ï´Ù." + nor "Ukjent feil" + norwegian-ny "Ukjend feil" + por "Erro desconhecido" + rum "Eroare unknown" + rus "îÅÉÚ×ÅÓÔÎÁÑ ÏÛÉÂËÁ" + serbian "Nepoznata greška" + slo "Neznámá chyba" + spa "Error desconocido" + swe "Oidentifierat fel" + ukr "îÅצÄÏÍÁ ÐÏÍÉÌËÁ" +ER_UNKNOWN_PROCEDURE 42000 + cze "Nezn-Bámá procedura %s" + dan "Ukendt procedure %s" + nla "Onbekende procedure %s" + eng "Unknown procedure '%-.64s'" + est "Tundmatu protseduur '%-.64s'" + fre "Procédure %s inconnue" + ger "Unbekannte Prozedur '%-.64s'" + greek "Áãíùóôç äéáäéêáóßá '%-.64s'" + hun "Ismeretlen eljaras: '%-.64s'" + ita "Procedura '%-.64s' sconosciuta" + kor "¾Ë¼ö ¾ø´Â ¼öÇ๮ : '%-.64s'" + nor "Ukjent prosedyre %s" + norwegian-ny "Ukjend prosedyre %s" + pol "Unkown procedure %s" + por "'Procedure' '%-.64s' desconhecida" + rum "Procedura unknown '%-.64s'" + rus "îÅÉÚ×ÅÓÔÎÁÑ ÐÒÏÃÅÄÕÒÁ '%-.64s'" + serbian "Nepoznata procedura '%-.64s'" + slo "Neznámá procedúra '%-.64s'" + spa "Procedimiento desconocido %s" + swe "Okänd procedur: %s" + ukr "îÅצÄÏÍÁ ÐÒÏÃÅÄÕÒÁ '%-.64s'" +ER_WRONG_PARAMCOUNT_TO_PROCEDURE 42000 + cze "Chybn-Bý poèet parametrù procedury %s" + dan "Forkert antal parametre til proceduren %s" + nla "Foutief aantal parameters doorgegeven aan procedure %s" + eng "Incorrect parameter count to procedure '%-.64s'" + est "Vale parameetrite hulk protseduurile '%-.64s'" + fre "Mauvais nombre de paramètres pour la procedure %s" + ger "Falsche Parameterzahl für Prozedur '%-.64s'" + greek "ËÜèïò áñéèìüò ðáñáìÝôñùí óôç äéáäéêáóßá '%-.64s'" + hun "Rossz parameter a(z) '%-.64s'eljaras szamitasanal" + ita "Numero di parametri errato per la procedura '%-.64s'" + kor "'%-.64s' ¼öÇ๮¿¡ ´ëÇÑ ºÎÁ¤È®ÇÑ ÆÄ¶ó¸ÞÅÍ" + nor "Feil parameter antall til prosedyren %s" + norwegian-ny "Feil parameter tal til prosedyra %s" + pol "Incorrect parameter count to procedure %s" + por "Número de parâmetros incorreto para a 'procedure' '%-.64s'" + rum "Procedura '%-.64s' are un numar incorect de parametri" + rus "îÅËÏÒÒÅËÔÎÏÅ ËÏÌÉÞÅÓÔ×Ï ÐÁÒÁÍÅÔÒÏ× ÄÌÑ ÐÒÏÃÅÄÕÒÙ '%-.64s'" + serbian "Pogrešan broj parametara za proceduru '%-.64s'" + slo "Chybný poèet parametrov procedúry '%-.64s'" + spa "Equivocado parametro count para procedimiento %s" + swe "Felaktigt antal parametrar till procedur %s" + ukr "èÉÂÎÁ Ë¦ÌØË¦ÓÔØ ÐÁÒÁÍÅÔÒ¦× ÐÒÏÃÅÄÕÒÉ '%-.64s'" +ER_WRONG_PARAMETERS_TO_PROCEDURE + cze "Chybn-Bé parametry procedury %s" + dan "Forkert(e) parametre til proceduren %s" + nla "Foutieve parameters voor procedure %s" + eng "Incorrect parameters to procedure '%-.64s'" + est "Vigased parameetrid protseduurile '%-.64s'" + fre "Paramètre erroné pour la procedure %s" + ger "Falsche Parameter für Prozedur '%-.64s'" + greek "ËÜèïò ðáñÜìåôñïé óôçí äéáäéêáóßá '%-.64s'" + hun "Rossz parameter a(z) '%-.64s' eljarasban" + ita "Parametri errati per la procedura '%-.64s'" + kor "'%-.64s' ¼öÇ๮¿¡ ´ëÇÑ ºÎÁ¤È®ÇÑ ÆÄ¶ó¸ÞÅÍ" + nor "Feil parametre til prosedyren %s" + norwegian-ny "Feil parameter til prosedyra %s" + pol "Incorrect parameters to procedure %s" + por "Parâmetros incorretos para a 'procedure' '%-.64s'" + rum "Procedura '%-.64s' are parametrii incorecti" + rus "îÅËÏÒÒÅËÔÎÙÅ ÐÁÒÁÍÅÔÒÙ ÄÌÑ ÐÒÏÃÅÄÕÒÙ '%-.64s'" + serbian "Pogrešni parametri prosleðeni proceduri '%-.64s'" + slo "Chybné parametre procedúry '%-.64s'" + spa "Equivocados parametros para procedimiento %s" + swe "Felaktiga parametrar till procedur %s" + ukr "èÉÂÎÉÊ ÐÁÒÁÍÅÔÅÒ ÐÒÏÃÅÄÕÒÉ '%-.64s'" +ER_UNKNOWN_TABLE 42S02 + cze "Nezn-Bámá tabulka '%-.64s' v %s" + dan "Ukendt tabel '%-.64s' i %s" + nla "Onbekende tabel '%-.64s' in %s" + eng "Unknown table '%-.64s' in %-.32s" + est "Tundmatu tabel '%-.64s' %-.32s-s" + fre "Table inconnue '%-.64s' dans %s" + ger "Unbekannte Tabelle '%-.64s' in '%-.64s'" + greek "Áãíùóôïò ðßíáêáò '%-.64s' óå %s" + hun "Ismeretlen tabla: '%-.64s' %s-ban" + ita "Tabella '%-.64s' sconosciuta in %s" + jpn "Unknown table '%-.64s' in %s" + kor "¾Ë¼ö ¾ø´Â Å×À̺í '%-.64s' (µ¥ÀÌŸº£À̽º %s)" + nor "Ukjent tabell '%-.64s' i %s" + norwegian-ny "Ukjend tabell '%-.64s' i %s" + pol "Unknown table '%-.64s' in %s" + por "Tabela '%-.64s' desconhecida em '%-.32s'" + rum "Tabla '%-.64s' invalida in %-.32s" + rus "îÅÉÚ×ÅÓÔÎÁÑ ÔÁÂÌÉÃÁ '%-.64s' × %-.32s" + serbian "Nepoznata tabela '%-.64s' u '%-.32s'" + slo "Neznáma tabuµka '%-.64s' v %s" + spa "Tabla desconocida '%-.64s' in %s" + swe "Okänd tabell '%-.64s' i '%-.64s'" + ukr "îÅצÄÏÍÁ ÔÁÂÌÉÃÑ '%-.64s' Õ %-.32s" +ER_FIELD_SPECIFIED_TWICE 42000 + cze "Polo-B¾ka '%-.64s' je zadána dvakrát" + dan "Feltet '%-.64s' er anvendt to gange" + nla "Veld '%-.64s' is dubbel gespecificeerd" + eng "Column '%-.64s' specified twice" + est "Tulp '%-.64s' on määratletud topelt" + fre "Champ '%-.64s' spécifié deux fois" + ger "Feld '%-.64s' wurde zweimal angegeben" + greek "Ôï ðåäßï '%-.64s' Ý÷åé ïñéóèåß äýï öïñÝò" + hun "A(z) '%-.64s' mezot ketszer definialta" + ita "Campo '%-.64s' specificato 2 volte" + kor "Ä®·³ '%-.64s'´Â µÎ¹ø Á¤ÀǵǾî ÀÖÀ¾´Ï´Ù." + nor "Feltet '%-.64s' er spesifisert to ganger" + norwegian-ny "Feltet '%-.64s' er spesifisert to gangar" + pol "Field '%-.64s' specified twice" + por "Coluna '%-.64s' especificada duas vezes" + rum "Coloana '%-.64s' specificata de doua ori" + rus "óÔÏÌÂÅà '%-.64s' ÕËÁÚÁÎ Ä×ÁÖÄÙ" + serbian "Kolona '%-.64s' je navedena dva puta" + slo "Pole '%-.64s' je zadané dvakrát" + spa "Campo '%-.64s' especificado dos veces" + swe "Fält '%-.64s' är redan använt" + ukr "óÔÏ×ÂÅÃØ '%-.64s' ÚÁÚÎÁÞÅÎÏ Äצަ" +ER_INVALID_GROUP_FUNC_USE + cze "Nespr-Bávné pou¾ití funkce group" + dan "Forkert brug af grupperings-funktion" + nla "Ongeldig gebruik van GROUP-functie" + eng "Invalid use of group function" + est "Vigane grupeerimisfunktsiooni kasutus" + fre "Utilisation invalide de la clause GROUP" + ger "Falsche Verwendung einer Gruppierungsfunktion" + greek "ÅóöáëìÝíç ÷ñÞóç ôçò group function" + hun "A group funkcio ervenytelen hasznalata" + ita "Uso non valido di una funzione di raggruppamento" + kor "À߸øµÈ ±×·ì ÇÔ¼ö¸¦ »ç¿ëÇÏ¿´½À´Ï´Ù." + por "Uso inválido de função de agrupamento (GROUP)" + rum "Folosire incorecta a functiei group" + rus "îÅÐÒÁ×ÉÌØÎÏÅ ÉÓÐÏÌØÚÏ×ÁÎÉÅ ÇÒÕÐÐÏ×ÙÈ ÆÕÎËÃÉÊ" + serbian "Pogrešna upotreba 'GROUP' funkcije" + slo "Nesprávne pou¾itie funkcie GROUP" + spa "Invalido uso de función en grupo" + swe "Felaktig användning av SQL grupp function" + ukr "èÉÂÎÅ ×ÉËÏÒÉÓÔÁÎÎÑ ÆÕÎËæ§ ÇÒÕÐÕ×ÁÎÎÑ" +ER_UNSUPPORTED_EXTENSION 42000 + cze "Tabulka '%-.64s' pou-B¾ívá roz¹íøení, které v této verzi MySQL není" + dan "Tabellen '%-.64s' bruger et filtypenavn som ikke findes i denne MySQL version" + nla "Tabel '%-.64s' gebruikt een extensie, die niet in deze MySQL-versie voorkomt." + eng "Table '%-.64s' uses an extension that doesn't exist in this MySQL version" + est "Tabel '%-.64s' kasutab laiendust, mis ei eksisteeri antud MySQL versioonis" + fre "Table '%-.64s' : utilise une extension invalide pour cette version de MySQL" + ger "Tabelle '%-.64s' verwendet eine Extension, die in dieser MySQL-Version nicht verfügbar ist" + greek "Ï ðßíáêò '%-.64s' ÷ñçóéìïðïéåß êÜðïéï extension ðïõ äåí õðÜñ÷åé óôçí Ýêäïóç áõôÞ ôçò MySQL" + hun "A(z) '%-.64s' tabla olyan bovitest hasznal, amely nem letezik ebben a MySQL versioban." + ita "La tabella '%-.64s' usa un'estensione che non esiste in questa versione di MySQL" + kor "Å×À̺í '%-.64s'´Â È®Àå¸í·ÉÀ» ÀÌ¿ëÇÏÁö¸¸ ÇöÀçÀÇ MySQL ¹öÁ¯¿¡¼­´Â Á¸ÀçÇÏÁö ¾Ê½À´Ï´Ù." + nor "Table '%-.64s' uses a extension that doesn't exist in this MySQL version" + norwegian-ny "Table '%-.64s' uses a extension that doesn't exist in this MySQL version" + pol "Table '%-.64s' uses a extension that doesn't exist in this MySQL version" + por "Tabela '%-.64s' usa uma extensão que não existe nesta versão do MySQL" + rum "Tabela '%-.64s' foloseste o extensire inexistenta in versiunea curenta de MySQL" + rus "÷ ÔÁÂÌÉÃÅ '%-.64s' ÉÓÐÏÌØÚÕÀÔÓÑ ×ÏÚÍÏÖÎÏÓÔÉ, ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÍÙÅ × ÜÔÏÊ ×ÅÒÓÉÉ MySQL" + serbian "Tabela '%-.64s' koristi ekstenziju koje ne postoji u ovoj verziji MySQL-a" + slo "Tabuµka '%-.64s' pou¾íva roz¹írenie, ktoré v tejto verzii MySQL nie je" + spa "Tabla '%-.64s' usa una extensión que no existe en esta MySQL versión" + swe "Tabell '%-.64s' har en extension som inte finns i denna version av MySQL" + ukr "ôÁÂÌÉÃÑ '%-.64s' ×ÉËÏÒÉÓÔÏ×Õ¤ ÒÏÚÛÉÒÅÎÎÑ, ÝÏ ÎÅ ¦ÓÎÕ¤ Õ Ã¦Ê ×ÅÒÓ¦§ MySQL" +ER_TABLE_MUST_HAVE_COLUMNS 42000 + cze "Tabulka mus-Bí mít alespoò jeden sloupec" + dan "En tabel skal have mindst een kolonne" + nla "Een tabel moet minstens 1 kolom bevatten" + eng "A table must have at least 1 column" + est "Tabelis peab olema vähemalt üks tulp" + fre "Une table doit comporter au moins une colonne" + ger "Eine Tabelle muß mindestens 1 Spalte besitzen" + greek "Åíáò ðßíáêáò ðñÝðåé íá Ý÷åé ôïõëÜ÷éóôïí Ýíá ðåäßï" + hun "A tablanak legalabb egy oszlopot tartalmazni kell" + ita "Una tabella deve avere almeno 1 colonna" + jpn "¥Æ¡¼¥Ö¥ë¤ÏºÇÄã 1 ¸Ä¤Î column ¤¬É¬ÍפǤ¹" + kor "ÇϳªÀÇ Å×ÀÌºí¿¡¼­´Â Àû¾îµµ ÇϳªÀÇ Ä®·³ÀÌ Á¸ÀçÇÏ¿©¾ß ÇÕ´Ï´Ù." + por "Uma tabela tem que ter pelo menos uma (1) coluna" + rum "O tabela trebuie sa aiba cel putin o coloana" + rus "÷ ÔÁÂÌÉÃÅ ÄÏÌÖÅÎ ÂÙÔØ ËÁË ÍÉÎÉÍÕÍ ÏÄÉÎ ÓÔÏÌÂÅÃ" + serbian "Tabela mora imati najmanje jednu kolonu" + slo "Tabuµka musí ma» aspoò 1 pole" + spa "Una tabla debe tener al menos 1 columna" + swe "Tabeller måste ha minst 1 kolumn" + ukr "ôÁÂÌÉÃÑ ÐÏ×ÉÎÎÁ ÍÁÔÉ ÈÏÞÁ ÏÄÉÎ ÓÔÏ×ÂÅÃØ" +ER_RECORD_FILE_FULL + cze "Tabulka '%-.64s' je pln-Bá" + dan "Tabellen '%-.64s' er fuld" + nla "De tabel '%-.64s' is vol" + eng "The table '%-.64s' is full" + est "Tabel '%-.64s' on täis" + fre "La table '%-.64s' est pleine" + ger "Tabelle '%-.64s' ist voll" + greek "Ï ðßíáêáò '%-.64s' åßíáé ãåìÜôïò" + hun "A '%-.64s' tabla megtelt" + ita "La tabella '%-.64s' e` piena" + jpn "table '%-.64s' ¤Ï¤¤¤Ã¤Ñ¤¤¤Ç¤¹" + kor "Å×À̺í '%-.64s'°¡ full³µ½À´Ï´Ù. " + por "Tabela '%-.64s' está cheia" + rum "Tabela '%-.64s' e plina" + rus "ôÁÂÌÉÃÁ '%-.64s' ÐÅÒÅÐÏÌÎÅÎÁ" + serbian "Tabela '%-.64s' je popunjena do kraja" + slo "Tabuµka '%-.64s' je plná" + spa "La tabla '%-.64s' está llena" + swe "Tabellen '%-.64s' är full" + ukr "ôÁÂÌÉÃÑ '%-.64s' ÚÁÐÏ×ÎÅÎÁ" +ER_UNKNOWN_CHARACTER_SET 42000 + cze "Nezn-Bámá znaková sada: '%-.64s'" + dan "Ukendt tegnsæt: '%-.64s'" + nla "Onbekende character set: '%-.64s'" + eng "Unknown character set: '%-.64s'" + est "Vigane kooditabel '%-.64s'" + fre "Jeu de caractères inconnu: '%-.64s'" + ger "Unbekannter Zeichensatz: '%-.64s'" + greek "Áãíùóôï character set: '%-.64s'" + hun "Ervenytelen karakterkeszlet: '%-.64s'" + ita "Set di caratteri '%-.64s' sconosciuto" + jpn "character set '%-.64s' ¤Ï¥µ¥Ý¡¼¥È¤·¤Æ¤¤¤Þ¤»¤ó" + kor "¾Ë¼ö¾ø´Â ¾ð¾î Set: '%-.64s'" + por "Conjunto de caracteres '%-.64s' desconhecido" + rum "Set de caractere invalid: '%-.64s'" + rus "îÅÉÚ×ÅÓÔÎÁÑ ËÏÄÉÒÏ×ËÁ '%-.64s'" + serbian "Nepoznati karakter-set: '%-.64s'" + slo "Neznáma znaková sada: '%-.64s'" + spa "Juego de caracteres desconocido: '%-.64s'" + swe "Okänd teckenuppsättning: '%-.64s'" + ukr "îÅצÄÏÍÁ ËÏÄÏ×Á ÔÁÂÌÉÃÑ: '%-.64s'" +ER_TOO_MANY_TABLES + cze "P-Bøíli¹ mnoho tabulek, MySQL jich mù¾e mít v joinu jen %d" + dan "For mange tabeller. MySQL kan kun bruge %d tabeller i et join" + nla "Teveel tabellen. MySQL kan slechts %d tabellen in een join bevatten" + eng "Too many tables; MySQL can only use %d tables in a join" + est "Liiga palju tabeleid. MySQL suudab JOINiga ühendada kuni %d tabelit" + fre "Trop de tables. MySQL ne peut utiliser que %d tables dans un JOIN" + ger "Zu viele Tabellen. MySQL kann in einem Join maximal %d Tabellen verwenden" + greek "Ðïëý ìåãÜëïò áñéèìüò ðéíÜêùí. Ç MySQL ìðïñåß íá ÷ñçóéìïðïéÞóåé %d ðßíáêåò óå äéáäéêáóßá join" + hun "Tul sok tabla. A MySQL csak %d tablat tud kezelni osszefuzeskor" + ita "Troppe tabelle. MySQL puo` usare solo %d tabelle in una join" + jpn "¥Æ¡¼¥Ö¥ë¤¬Â¿¤¹¤®¤Þ¤¹; MySQL can only use %d tables in a join" + kor "³Ê¹« ¸¹Àº Å×À̺íÀÌ JoinµÇ¾ú½À´Ï´Ù. MySQL¿¡¼­´Â JOIN½Ã %d°³ÀÇ Å×ÀÌºí¸¸ »ç¿ëÇÒ ¼ö ÀÖ½À´Ï´Ù." + por "Tabelas demais. O MySQL pode usar somente %d tabelas em uma junção (JOIN)" + rum "Prea multe tabele. MySQL nu poate folosi mai mult de %d tabele intr-un join" + rus "óÌÉÛËÏÍ ÍÎÏÇÏ ÔÁÂÌÉÃ. MySQL ÍÏÖÅÔ ÉÓÐÏÌØÚÏ×ÁÔØ ÔÏÌØËÏ %d ÔÁÂÌÉÃ × ÓÏÅÄÉÎÅÎÉÉ" + serbian "Previše tabela. MySQL može upotrebiti maksimum %d tabela pri 'JOIN' operaciji" + slo "Príli¹ mnoho tabuliek. MySQL mô¾e pou¾i» len %d v JOIN-e" + spa "Muchas tablas. MySQL solamente puede usar %d tablas en un join" + swe "För många tabeller. MySQL can ha högst %d tabeller i en och samma join" + ukr "úÁÂÁÇÁÔÏ ÔÁÂÌÉÃØ. MySQL ÍÏÖÅ ×ÉËÏÒÉÓÔÏ×Õ×ÁÔÉ ÌÉÛÅ %d ÔÁÂÌÉÃØ Õ ÏÂ'¤ÄÎÁÎΦ" +ER_TOO_MANY_FIELDS + cze "P-Bøíli¹ mnoho polo¾ek" + dan "For mange felter" + nla "Te veel velden" + eng "Too many columns" + est "Liiga palju tulpasid" + fre "Trop de champs" + ger "Zu viele Spalten" + greek "Ðïëý ìåãÜëïò áñéèìüò ðåäßùí" + hun "Tul sok mezo" + ita "Troppi campi" + jpn "column ¤¬Â¿¤¹¤®¤Þ¤¹" + kor "Ä®·³ÀÌ ³Ê¹« ¸¹½À´Ï´Ù." + por "Colunas demais" + rum "Prea multe coloane" + rus "óÌÉÛËÏÍ ÍÎÏÇÏ ÓÔÏÌÂÃÏ×" + serbian "Previše kolona" + slo "Príli¹ mnoho polí" + spa "Muchos campos" + swe "För många fält" + ukr "úÁÂÁÇÁÔÏ ÓÔÏ×Âæ×" +ER_TOO_BIG_ROWSIZE 42000 + cze "-BØádek je pøíli¹ velký. Maximální velikost øádku, nepoèítaje polo¾ky blob, je %d. Musíte zmìnit nìkteré polo¾ky na blob" + dan "For store poster. Max post størrelse, uden BLOB's, er %d. Du må lave nogle felter til BLOB's" + nla "Rij-grootte is groter dan toegestaan. Maximale rij grootte, blobs niet meegeteld, is %d. U dient sommige velden in blobs te veranderen." + eng "Row size too large. The maximum row size for the used table type, not counting BLOBs, is %ld. You have to change some columns to TEXT or BLOBs" + est "Liiga pikk kirje. Kirje maksimumpikkus arvestamata BLOB-tüüpi välju on %d. Muuda mõned väljad BLOB-tüüpi väljadeks" + fre "Ligne trop grande. Le taille maximale d'une ligne, sauf les BLOBs, est %d. Changez le type de quelques colonnes en BLOB" + ger "Zeilenlänge zu groß. Die maximale Spaltenlänge für den verwendeten Tabellentyp (ohne BLOB-Felder) beträgt %d. Einige Felder müssen in BLOB oder TEXT umgewandelt werden" + greek "Ðïëý ìåãÜëï ìÝãåèïò åããñáöÞò. Ôï ìÝãéóôï ìÝãåèïò åããñáöÞò, ÷ùñßò íá õðïëïãßæïíôáé ôá blobs, åßíáé %d. ÐñÝðåé íá ïñßóåôå êÜðïéá ðåäßá óáí blobs" + hun "Tul nagy sormeret. A maximalis sormeret (nem szamolva a blob objektumokat) %d. Nehany mezot meg kell valtoztatnia" + ita "Riga troppo grande. La massima grandezza di una riga, non contando i BLOB, e` %d. Devi cambiare alcuni campi in BLOB" + jpn "row size ¤¬Â礭¤¹¤®¤Þ¤¹. BLOB ¤ò´Þ¤Þ¤Ê¤¤¾ì¹ç¤Î row size ¤ÎºÇÂç¤Ï %d ¤Ç¤¹. ¤¤¤¯¤Ä¤«¤Î field ¤ò BLOB ¤ËÊѤ¨¤Æ¤¯¤À¤µ¤¤." + kor "³Ê¹« Å« row »çÀÌÁîÀÔ´Ï´Ù. BLOB¸¦ °è»êÇÏÁö ¾Ê°í ÃÖ´ë row »çÀÌÁî´Â %dÀÔ´Ï´Ù. ¾ó¸¶°£ÀÇ ÇʵåµéÀ» BLOB·Î ¹Ù²Ù¼Å¾ß °Ú±º¿ä.." + por "Tamanho de linha grande demais. O máximo tamanho de linha, não contando BLOBs, é %d. Você tem que mudar alguns campos para BLOBs" + rum "Marimea liniei (row) prea mare. Marimea maxima a liniei, excluzind BLOB-urile este de %d. Trebuie sa schimbati unele cimpuri in BLOB-uri" + rus "óÌÉÛËÏÍ ÂÏÌØÛÏÊ ÒÁÚÍÅÒ ÚÁÐÉÓÉ. íÁËÓÉÍÁÌØÎÙÊ ÒÁÚÍÅÒ ÓÔÒÏËÉ, ÉÓËÌÀÞÁÑ ÐÏÌÑ BLOB, - %d. ÷ÏÚÍÏÖÎÏ, ×ÁÍ ÓÌÅÄÕÅÔ ÉÚÍÅÎÉÔØ ÔÉÐ ÎÅËÏÔÏÒÙÈ ÐÏÌÅÊ ÎÁ BLOB" + serbian "Prevelik slog. Maksimalna velièina sloga, ne raèunajuæi BLOB polja, je %d. Trebali bi da promenite tip nekih polja u BLOB" + slo "Riadok je príli¹ veµký. Maximálna veµkos» riadku, okrem 'BLOB', je %d. Musíte zmeni» niektoré polo¾ky na BLOB" + spa "Tamaño de línea muy grande. Máximo tamaño de línea, no contando blob, es %d. Tu tienes que cambiar algunos campos para blob" + swe "För stor total radlängd. Den högst tillåtna radlängden, förutom BLOBs, är %d. Ändra några av dina fält till BLOB" + ukr "úÁÄÏ×ÇÁ ÓÔÒÏËÁ. îÁÊÂ¦ÌØÛÏÀ ÄÏ×ÖÉÎÏÀ ÓÔÒÏËÉ, ÎÅ ÒÁÈÕÀÞÉ BLOB, ¤ %d. ÷ÁÍ ÐÏÔÒ¦ÂÎÏ ÐÒÉ×ÅÓÔÉ ÄÅÑ˦ ÓÔÏ×Âæ ÄÏ ÔÉÐÕ BLOB" +ER_STACK_OVERRUN + cze "P-Bøeteèení zásobníku threadu: pou¾ito %ld z %ld. Pou¾ijte 'mysqld -O thread_stack=#' k zadání vìt¹ího zásobníku" + dan "Thread stack brugt: Brugt: %ld af en %ld stak. Brug 'mysqld -O thread_stack=#' for at allokere en større stak om nødvendigt" + nla "Thread stapel overrun: Gebruikte: %ld van een %ld stack. Gebruik 'mysqld -O thread_stack=#' om een grotere stapel te definieren (indien noodzakelijk)." + eng "Thread stack overrun: Used: %ld of a %ld stack. Use 'mysqld -O thread_stack=#' to specify a bigger stack if needed" + fre "Débordement de la pile des tâches (Thread stack). Utilisées: %ld pour une pile de %ld. Essayez 'mysqld -O thread_stack=#' pour indiquer une plus grande valeur" + ger "Thread-Stack-Überlauf. Benutzt: %ld von %ld Stack. 'mysqld -O thread_stack=#' verwenen, um notfalls einen größeren Stack anzulegen" + greek "Stack overrun óôï thread: Used: %ld of a %ld stack. Ðáñáêáëþ ÷ñçóéìïðïéåßóôå 'mysqld -O thread_stack=#' ãéá íá ïñßóåôå Ýíá ìåãáëýôåñï stack áí ÷ñåéÜæåôáé" + hun "Thread verem tullepes: Used: %ld of a %ld stack. Hasznalja a 'mysqld -O thread_stack=#' nagyobb verem definialasahoz" + ita "Thread stack overrun: Usati: %ld di uno stack di %ld. Usa 'mysqld -O thread_stack=#' per specificare uno stack piu` grande." + jpn "Thread stack overrun: Used: %ld of a %ld stack. ¥¹¥¿¥Ã¥¯Îΰè¤ò¿¤¯¤È¤ê¤¿¤¤¾ì¹ç¡¢'mysqld -O thread_stack=#' ¤È»ØÄꤷ¤Æ¤¯¤À¤µ¤¤" + kor "¾²·¹µå ½ºÅÃÀÌ ³ÑÃÆ½À´Ï´Ù. »ç¿ë: %ld°³ ½ºÅÃ: %ld°³. ¸¸¾à ÇÊ¿ä½Ã ´õÅ« ½ºÅÃÀ» ¿øÇÒ¶§¿¡´Â 'mysqld -O thread_stack=#' ¸¦ Á¤ÀÇÇϼ¼¿ä" + por "Estouro da pilha do 'thread'. Usados %ld de uma pilha de %ld. Use 'mysqld -O thread_stack=#' para especificar uma pilha maior, se necessário" + rum "Stack-ul thread-ului a fost depasit (prea mic): Folositi: %ld intr-un stack de %ld. Folositi 'mysqld -O thread_stack=#' ca sa specifici un stack mai mare" + rus "óÔÅË ÐÏÔÏËÏ× ÐÅÒÅÐÏÌÎÅÎ: ÉÓÐÏÌØÚÏ×ÁÎÏ: %ld ÉÚ %ld ÓÔÅËÁ. ðÒÉÍÅÎÑÊÔÅ 'mysqld -O thread_stack=#' ÄÌÑ ÕËÁÚÁÎÉÑ ÂÏÌØÛÅÇÏ ÒÁÚÍÅÒÁ ÓÔÅËÁ, ÅÓÌÉ ÎÅÏÂÈÏÄÉÍÏ" + serbian "Prepisivanje thread stack-a: Upotrebljeno: %ld od %ld stack memorije. Upotrebite 'mysqld -O thread_stack=#' da navedete veæi stack ako je potrebno" + slo "Preteèenie zásobníku vlákna: pou¾ité: %ld z %ld. Pou¾ite 'mysqld -O thread_stack=#' k zadaniu väè¹ieho zásobníka" + spa "Sobrecarga de la pila de thread: Usada: %ld de una %ld pila. Use 'mysqld -O thread_stack=#' para especificar una mayor pila si necesario" + swe "Trådstacken tog slut: Har använt %ld av %ld bytes. Använd 'mysqld -O thread_stack=#' ifall du behöver en större stack" + ukr "óÔÅË Ç¦ÌÏË ÐÅÒÅÐÏ×ÎÅÎÏ: ÷ÉËÏÒÉÓÔÁÎÏ: %ld Ú %ld. ÷ÉËÏÒÉÓÔÏ×ÕÊÔÅ 'mysqld -O thread_stack=#' ÁÂÉ ÚÁÚÎÁÞÉÔÉ Â¦ÌØÛÉÊ ÓÔÅË, ÑËÝÏ ÎÅÏÂȦÄÎÏ" +ER_WRONG_OUTER_JOIN 42000 + cze "V OUTER JOIN byl nalezen k-Bøí¾ový odkaz. Provìøte ON podmínky" + dan "Krydsreferencer fundet i OUTER JOIN; check dine ON conditions" + nla "Gekruiste afhankelijkheid gevonden in OUTER JOIN. Controleer uw ON-conditions" + eng "Cross dependency found in OUTER JOIN; examine your ON conditions" + est "Ristsõltuvus OUTER JOIN klauslis. Kontrolli oma ON tingimusi" + fre "Dépendance croisée dans une clause OUTER JOIN. Vérifiez la condition ON" + ger "OUTER JOIN enthält fehlerhafte Abhängigkeiten. In ON verwendete Bedingungen überprüfen" + greek "Cross dependency âñÝèçêå óå OUTER JOIN. Ðáñáêáëþ åîåôÜóôå ôéò óõíèÞêåò ðïõ èÝóáôå óôï ON" + hun "Keresztfuggoseg van az OUTER JOIN-ban. Ellenorizze az ON felteteleket" + ita "Trovata una dipendenza incrociata nella OUTER JOIN. Controlla le condizioni ON" + por "Dependência cruzada encontrada em junção externa (OUTER JOIN); examine as condições utilizadas nas cláusulas 'ON'" + rum "Dependinta incrucisata (cross dependency) gasita in OUTER JOIN. Examinati conditiile ON" + rus "÷ OUTER JOIN ÏÂÎÁÒÕÖÅÎÁ ÐÅÒÅËÒÅÓÔÎÁÑ ÚÁ×ÉÓÉÍÏÓÔØ. ÷ÎÉÍÁÔÅÌØÎÏ ÐÒÏÁÎÁÌÉÚÉÒÕÊÔÅ Ó×ÏÉ ÕÓÌÏ×ÉÑ ON" + serbian "Unakrsna zavisnost pronaðena u komandi 'OUTER JOIN'. Istražite vaše 'ON' uslove" + slo "V OUTER JOIN bol nájdený krí¾ový odkaz. Skontrolujte podmienky ON" + spa "Dependencia cruzada encontrada en OUTER JOIN. Examine su condición ON" + swe "Felaktigt referens i OUTER JOIN. Kontrollera ON-uttrycket" + ukr "ðÅÒÅÈÒÅÓÎÁ ÚÁÌÅÖΦÓÔØ Õ OUTER JOIN. ðÅÒÅצÒÔÅ ÕÍÏ×Õ ON" +ER_NULL_COLUMN_IN_INDEX 42000 + cze "Sloupec '%-.32s' je pou-B¾it s UNIQUE nebo INDEX, ale není definován jako NOT NULL" + dan "Kolonne '%-.32s' bruges som UNIQUE eller INDEX men er ikke defineret som NOT NULL" + nla "Kolom '%-.64s' wordt gebruikt met UNIQUE of INDEX maar is niet gedefinieerd als NOT NULL" + eng "Column '%-.64s' is used with UNIQUE or INDEX but is not defined as NOT NULL" + est "Tulp '%-.64s' on kasutusel indeksina, kuid ei ole määratletud kui NOT NULL" + fre "La colonne '%-.32s' fait partie d'un index UNIQUE ou INDEX mais n'est pas définie comme NOT NULL" + ger "Spalte '%-.64s' wurde mit UNIQUE oder INDEX benutzt, ist aber nicht als NOT NULL definiert" + greek "Ôï ðåäßï '%-.64s' ÷ñçóéìïðïéåßôáé óáí UNIQUE Þ INDEX áëëÜ äåí Ý÷åé ïñéóèåß óáí NOT NULL" + hun "A(z) '%-.64s' oszlop INDEX vagy UNIQUE (egyedi), de a definicioja szerint nem NOT NULL" + ita "La colonna '%-.64s' e` usata con UNIQUE o INDEX ma non e` definita come NOT NULL" + jpn "Column '%-.64s' ¤¬ UNIQUE ¤« INDEX ¤Ç»ÈÍѤµ¤ì¤Þ¤·¤¿. ¤³¤Î¥«¥é¥à¤Ï NOT NULL ¤ÈÄêµÁ¤µ¤ì¤Æ¤¤¤Þ¤»¤ó." + kor "'%-.64s' Ä®·³ÀÌ UNIQUE³ª INDEX¸¦ »ç¿ëÇÏ¿´Áö¸¸ NOT NULLÀÌ Á¤ÀǵÇÁö ¾Ê¾Ò±º¿ä..." + nor "Column '%-.32s' is used with UNIQUE or INDEX but is not defined as NOT NULL" + norwegian-ny "Column '%-.32s' is used with UNIQUE or INDEX but is not defined as NOT NULL" + pol "Column '%-.32s' is used with UNIQUE or INDEX but is not defined as NOT NULL" + por "Coluna '%-.64s' é usada com única (UNIQUE) ou índice (INDEX), mas não está definida como não-nula (NOT NULL)" + rum "Coloana '%-.64s' e folosita cu UNIQUE sau INDEX dar fara sa fie definita ca NOT NULL" + rus "óÔÏÌÂÅà '%-.64s' ÉÓÐÏÌØÚÕÅÔÓÑ × UNIQUE ÉÌÉ × INDEX, ÎÏ ÎÅ ÏÐÒÅÄÅÌÅÎ ËÁË NOT NULL" + serbian "Kolona '%-.64s' je upotrebljena kao 'UNIQUE' ili 'INDEX' ali nije definisana kao 'NOT NULL'" + slo "Pole '%-.64s' je pou¾ité s UNIQUE alebo INDEX, ale nie je zadefinované ako NOT NULL" + spa "Columna '%-.32s' es usada con UNIQUE o INDEX pero no está definida como NOT NULL" + swe "Kolumn '%-.32s' är använd med UNIQUE eller INDEX men är inte definerad med NOT NULL" + ukr "óÔÏ×ÂÅÃØ '%-.64s' ×ÉËÏÒÉÓÔÏ×Õ¤ÔØÓÑ Ú UNIQUE ÁÂÏ INDEX, ÁÌÅ ÎÅ ×ÉÚÎÁÞÅÎÉÊ ÑË NOT NULL" +ER_CANT_FIND_UDF + cze "Nemohu na-Bèíst funkci '%-.64s'" + dan "Kan ikke læse funktionen '%-.64s'" + nla "Kan functie '%-.64s' niet laden" + eng "Can't load function '%-.64s'" + est "Ei suuda avada funktsiooni '%-.64s'" + fre "Imposible de charger la fonction '%-.64s'" + ger "Kann Funktion '%-.64s' nicht laden" + greek "Äåí åßíáé äõíáôÞ ç äéáäéêáóßá load ãéá ôç óõíÜñôçóç '%-.64s'" + hun "A(z) '%-.64s' fuggveny nem toltheto be" + ita "Impossibile caricare la funzione '%-.64s'" + jpn "function '%-.64s' ¤ò ¥í¡¼¥É¤Ç¤­¤Þ¤»¤ó" + kor "'%-.64s' ÇÔ¼ö¸¦ ·ÎµåÇÏÁö ¸øÇß½À´Ï´Ù." + por "Não pode carregar a função '%-.64s'" + rum "Nu pot incarca functia '%-.64s'" + rus "îÅ×ÏÚÍÏÖÎÏ ÚÁÇÒÕÚÉÔØ ÆÕÎËÃÉÀ '%-.64s'" + serbian "Ne mogu da uèitam funkciju '%-.64s'" + slo "Nemô¾em naèíta» funkciu '%-.64s'" + spa "No puedo cargar función '%-.64s'" + swe "Kan inte ladda funktionen '%-.64s'" + ukr "îÅ ÍÏÖÕ ÚÁ×ÁÎÔÁÖÉÔÉ ÆÕÎËæÀ '%-.64s'" +ER_CANT_INITIALIZE_UDF + cze "Nemohu inicializovat funkci '%-.64s'; %-.80s" + dan "Kan ikke starte funktionen '%-.64s'; %-.80s" + nla "Kan functie '%-.64s' niet initialiseren; %-.80s" + eng "Can't initialize function '%-.64s'; %-.80s" + est "Ei suuda algväärtustada funktsiooni '%-.64s'; %-.80s" + fre "Impossible d'initialiser la fonction '%-.64s'; %-.80s" + ger "Kann Funktion '%-.64s' nicht initialisieren: %-.80s" + greek "Äåí åßíáé äõíáôÞ ç Ýíáñîç ôçò óõíÜñôçóçò '%-.64s'; %-.80s" + hun "A(z) '%-.64s' fuggveny nem inicializalhato; %-.80s" + ita "Impossibile inizializzare la funzione '%-.64s'; %-.80s" + jpn "function '%-.64s' ¤ò½é´ü²½¤Ç¤­¤Þ¤»¤ó; %-.80s" + kor "'%-.64s' ÇÔ¼ö¸¦ ÃʱâÈ­ ÇÏÁö ¸øÇß½À´Ï´Ù.; %-.80s" + por "Não pode inicializar a função '%-.64s' - '%-.80s'" + rum "Nu pot initializa functia '%-.64s'; %-.80s" + rus "îÅ×ÏÚÍÏÖÎÏ ÉÎÉÃÉÁÌÉÚÉÒÏ×ÁÔØ ÆÕÎËÃÉÀ '%-.64s'; %-.80s" + serbian "Ne mogu da inicijalizujem funkciju '%-.64s'; %-.80s" + slo "Nemô¾em inicializova» funkciu '%-.64s'; %-.80s" + spa "No puedo inicializar función '%-.64s'; %-.80s" + swe "Kan inte initialisera funktionen '%-.64s'; '%-.80s'" + ukr "îÅ ÍÏÖÕ ¦Î¦Ã¦Á̦ÚÕ×ÁÔÉ ÆÕÎËæÀ '%-.64s'; %-.80s" +ER_UDF_NO_PATHS + cze "Pro sd-Bílenou knihovnu nejsou povoleny cesty" + dan "Angivelse af sti ikke tilladt for delt bibliotek" + nla "Geen pad toegestaan voor shared library" + eng "No paths allowed for shared library" + est "Teegi nimes ei tohi olla kataloogi" + fre "Chemin interdit pour les bibliothèques partagées" + ger "Keine Pfade gestattet für Shared Library" + greek "Äåí âñÝèçêáí paths ãéá ôçí shared library" + hun "Nincs ut a megosztott konyvtarakhoz (shared library)" + ita "Non sono ammessi path per le librerie condivisa" + jpn "shared library ¤Ø¤Î¥Ñ¥¹¤¬Ä̤äƤ¤¤Þ¤»¤ó" + kor "°øÀ¯ ¶óÀ̹ö·¯¸®¸¦ À§ÇÑ ÆÐ½º°¡ Á¤ÀǵǾî ÀÖÁö ¾Ê½À´Ï´Ù." + por "Não há caminhos (paths) permitidos para biblioteca compartilhada" + rum "Nici un paths nu e permis pentru o librarie shared" + rus "îÅÄÏÐÕÓÔÉÍÏ ÕËÁÚÙ×ÁÔØ ÐÕÔÉ ÄÌÑ ÄÉÎÁÍÉÞÅÓËÉÈ ÂÉÂÌÉÏÔÅË" + serbian "Ne postoje dozvoljene putanje do share-ovane biblioteke" + slo "Neprípustné ¾iadne cesty k zdieµanej kni¾nici" + spa "No pasos permitidos para librarias conjugadas" + swe "Man får inte ange sökväg för dynamiska bibliotek" + ukr "îÅ ÄÏÚ×ÏÌÅÎÏ ×ÉËÏÒÉÓÔÏ×Õ×ÁÔÉ ÐÕÔ¦ ÄÌÑ ÒÏÚĦÌÀ×ÁÎÉÈ Â¦Â̦ÏÔÅË" +ER_UDF_EXISTS + cze "Funkce '%-.64s' ji-B¾ existuje" + dan "Funktionen '%-.64s' findes allerede" + nla "Functie '%-.64s' bestaat reeds" + eng "Function '%-.64s' already exists" + est "Funktsioon '%-.64s' juba eksisteerib" + fre "La fonction '%-.64s' existe déjà" + ger "Funktion '%-.64s' existiert schon" + greek "Ç óõíÜñôçóç '%-.64s' õðÜñ÷åé Þäç" + hun "A '%-.64s' fuggveny mar letezik" + ita "La funzione '%-.64s' esiste gia`" + jpn "Function '%-.64s' ¤Ï´û¤ËÄêµÁ¤µ¤ì¤Æ¤¤¤Þ¤¹" + kor "'%-.64s' ÇÔ¼ö´Â ÀÌ¹Ì Á¸ÀçÇÕ´Ï´Ù." + por "Função '%-.64s' já existe" + rum "Functia '%-.64s' exista deja" + rus "æÕÎËÃÉÑ '%-.64s' ÕÖÅ ÓÕÝÅÓÔ×ÕÅÔ" + serbian "Funkcija '%-.64s' veæ postoji" + slo "Funkcia '%-.64s' u¾ existuje" + spa "Función '%-.64s' ya existe" + swe "Funktionen '%-.64s' finns redan" + ukr "æÕÎËÃ¦Ñ '%-.64s' ×ÖÅ ¦ÓÎÕ¤" +ER_CANT_OPEN_LIBRARY + cze "Nemohu otev-Bøít sdílenou knihovnu '%-.64s' (errno: %d %s)" + dan "Kan ikke åbne delt bibliotek '%-.64s' (errno: %d %s)" + nla "Kan shared library '%-.64s' niet openen (Errcode: %d %s)" + eng "Can't open shared library '%-.64s' (errno: %d %-.64s)" + est "Ei suuda avada jagatud teeki '%-.64s' (veakood: %d %-.64s)" + fre "Impossible d'ouvrir la bibliothèque partagée '%-.64s' (errno: %d %s)" + ger "Kann Shared Library '%-.64s' nicht öffnen (Fehler: %d %-.64s)" + greek "Äåí åßíáé äõíáôÞ ç áíÜãíùóç ôçò shared library '%-.64s' (êùäéêüò ëÜèïõò: %d %s)" + hun "A(z) '%-.64s' megosztott konyvtar nem hasznalhato (hibakod: %d %s)" + ita "Impossibile aprire la libreria condivisa '%-.64s' (errno: %d %s)" + jpn "shared library '%-.64s' ¤ò³«¤¯»ö¤¬¤Ç¤­¤Þ¤»¤ó (errno: %d %s)" + kor "'%-.64s' °øÀ¯ ¶óÀ̹ö·¯¸®¸¦ ¿­¼ö ¾ø½À´Ï´Ù.(¿¡·¯¹øÈ£: %d %s)" + nor "Can't open shared library '%-.64s' (errno: %d %s)" + norwegian-ny "Can't open shared library '%-.64s' (errno: %d %s)" + pol "Can't open shared library '%-.64s' (errno: %d %s)" + por "Não pode abrir biblioteca compartilhada '%-.64s' (erro no. '%d' - '%-.64s')" + rum "Nu pot deschide libraria shared '%-.64s' (Eroare: %d %-.64s)" + rus "îÅ×ÏÚÍÏÖÎÏ ÏÔËÒÙÔØ ÄÉÎÁÍÉÞÅÓËÕÀ ÂÉÂÌÉÏÔÅËÕ '%-.64s' (ÏÛÉÂËÁ: %d %-.64s)" + serbian "Ne mogu da otvorim share-ovanu biblioteku '%-.64s' (errno: %d %-.64s)" + slo "Nemô¾em otvori» zdieµanú kni¾nicu '%-.64s' (chybový kód: %d %s)" + spa "No puedo abrir libraria conjugada '%-.64s' (errno: %d %s)" + swe "Kan inte öppna det dynamiska biblioteket '%-.64s' (Felkod: %d %s)" + ukr "îÅ ÍÏÖÕ ×¦ÄËÒÉÔÉ ÒÏÚĦÌÀ×ÁÎÕ Â¦Â̦ÏÔÅËÕ '%-.64s' (ÐÏÍÉÌËÁ: %d %-.64s)" +ER_CANT_FIND_DL_ENTRY + cze "Nemohu naj-Bít funkci '%-.64s' v knihovnì'" + dan "Kan ikke finde funktionen '%-.64s' i bibliotek'" + nla "Kan functie '%-.64s' niet in library vinden" + eng "Can't find function '%-.64s' in library'" + est "Ei leia funktsiooni '%-.64s' antud teegis" + fre "Impossible de trouver la fonction '%-.64s' dans la bibliothèque'" + ger "Kann Funktion '%-.64s' in der Library nicht finden" + greek "Äåí åßíáé äõíáôÞ ç áíåýñåóç ôçò óõíÜñôçóçò '%-.64s' óôçí âéâëéïèÞêç'" + hun "A(z) '%-.64s' fuggveny nem talalhato a konyvtarban" + ita "Impossibile trovare la funzione '%-.64s' nella libreria" + jpn "function '%-.64s' ¤ò¥é¥¤¥Ö¥é¥ê¡¼Ãæ¤Ë¸«ÉÕ¤±¤ë»ö¤¬¤Ç¤­¤Þ¤»¤ó" + kor "¶óÀ̹ö·¯¸®¿¡¼­ '%-.64s' ÇÔ¼ö¸¦ ãÀ» ¼ö ¾ø½À´Ï´Ù." + por "Não pode encontrar a função '%-.64s' na biblioteca" + rum "Nu pot gasi functia '%-.64s' in libraria" + rus "îÅ×ÏÚÍÏÖÎÏ ÏÔÙÓËÁÔØ ÆÕÎËÃÉÀ '%-.64s' × ÂÉÂÌÉÏÔÅËÅ" + serbian "Ne mogu da pronadjem funkciju '%-.64s' u biblioteci" + slo "Nemô¾em nájs» funkciu '%-.64s' v kni¾nici'" + spa "No puedo encontrar función '%-.64s' en libraria'" + swe "Hittar inte funktionen '%-.64s' in det dynamiska biblioteket" + ukr "îÅ ÍÏÖÕ ÚÎÁÊÔÉ ÆÕÎËæÀ '%-.64s' Õ Â¦Â̦ÏÔÅæ'" +ER_FUNCTION_NOT_DEFINED + cze "Funkce '%-.64s' nen-Bí definována" + dan "Funktionen '%-.64s' er ikke defineret" + nla "Functie '%-.64s' is niet gedefinieerd" + eng "Function '%-.64s' is not defined" + est "Funktsioon '%-.64s' ei ole defineeritud" + fre "La fonction '%-.64s' n'est pas définie" + ger "Funktion '%-.64s' ist nicht definiert" + greek "Ç óõíÜñôçóç '%-.64s' äåí Ý÷åé ïñéóèåß" + hun "A '%-.64s' fuggveny nem definialt" + ita "La funzione '%-.64s' non e` definita" + jpn "Function '%-.64s' ¤ÏÄêµÁ¤µ¤ì¤Æ¤¤¤Þ¤»¤ó" + kor "'%-.64s' ÇÔ¼ö°¡ Á¤ÀǵǾî ÀÖÁö ¾Ê½À´Ï´Ù." + por "Função '%-.64s' não está definida" + rum "Functia '%-.64s' nu e definita" + rus "æÕÎËÃÉÑ '%-.64s' ÎÅ ÏÐÒÅÄÅÌÅÎÁ" + serbian "Funkcija '%-.64s' nije definisana" + slo "Funkcia '%-.64s' nie je definovaná" + spa "Función '%-.64s' no está definida" + swe "Funktionen '%-.64s' är inte definierad" + ukr "æÕÎËæÀ '%-.64s' ÎÅ ×ÉÚÎÁÞÅÎÏ" +ER_HOST_IS_BLOCKED + cze "Stroj '%-.64s' je zablokov-Bán kvùli mnoha chybám pøi pøipojování. Odblokujete pou¾itím 'mysqladmin flush-hosts'" + dan "Værten er blokeret på grund af mange fejlforespørgsler. Lås op med 'mysqladmin flush-hosts'" + nla "Host '%-.64s' is geblokkeeerd vanwege te veel verbindings fouten. Deblokkeer met 'mysqladmin flush-hosts'" + eng "Host '%-.64s' is blocked because of many connection errors; unblock with 'mysqladmin flush-hosts'" + est "Masin '%-.64s' on blokeeritud hulgaliste ühendusvigade tõttu. Blokeeringu saab tühistada 'mysqladmin flush-hosts' käsuga" + fre "L'hôte '%-.64s' est bloqué à cause d'un trop grand nombre d'erreur de connection. Débloquer le par 'mysqladmin flush-hosts'" + ger "Host '%-.64s' blockiert wegen zu vieler Verbindungsfehler. Aufheben der Blockierung mit 'mysqladmin flush-hosts'" + greek "Ï õðïëïãéóôÞò Ý÷åé áðïêëåéóèåß ëüãù ðïëëáðëþí ëáèþí óýíäåóçò. ÐñïóðáèÞóôå íá äéïñþóåôå ìå 'mysqladmin flush-hosts'" + hun "A '%-.64s' host blokkolodott, tul sok kapcsolodasi hiba miatt. Hasznalja a 'mysqladmin flush-hosts' parancsot" + ita "Sistema '%-.64s' bloccato a causa di troppi errori di connessione. Per sbloccarlo: 'mysqladmin flush-hosts'" + jpn "Host '%-.64s' ¤Ï many connection error ¤Î¤¿¤á¡¢µñÈݤµ¤ì¤Þ¤·¤¿. 'mysqladmin flush-hosts' ¤Ç²ò½ü¤·¤Æ¤¯¤À¤µ¤¤" + kor "³Ê¹« ¸¹Àº ¿¬°á¿À·ù·Î ÀÎÇÏ¿© È£½ºÆ® '%-.64s'´Â ºí¶ôµÇ¾ú½À´Ï´Ù. 'mysqladmin flush-hosts'¸¦ ÀÌ¿ëÇÏ¿© ºí¶ôÀ» ÇØÁ¦Çϼ¼¿ä" + por "'Host' '%-.64s' está bloqueado devido a muitos erros de conexão. Desbloqueie com 'mysqladmin flush-hosts'" + rum "Host-ul '%-.64s' e blocat din cauza multelor erori de conectie. Poti deploca folosind 'mysqladmin flush-hosts'" + rus "èÏÓÔ '%-.64s' ÚÁÂÌÏËÉÒÏ×ÁÎ ÉÚ-ÚÁ ÓÌÉÛËÏÍ ÂÏÌØÛÏÇÏ ËÏÌÉÞÅÓÔ×Á ÏÛÉÂÏË ÓÏÅÄÉÎÅÎÉÑ. òÁÚÂÌÏËÉÒÏ×ÁÔØ ÅÇÏ ÍÏÖÎÏ Ó ÐÏÍÏÝØÀ 'mysqladmin flush-hosts'" + serbian "Host '%-.64s' je blokiran zbog previše grešaka u konekciji. Možete ga odblokirati pomoæu komande 'mysqladmin flush-hosts'" + spa "Servidor '%-.64s' está bloqueado por muchos errores de conexión. Desbloquear con 'mysqladmin flush-hosts'" + swe "Denna dator, '%-.64s', är blockerad pga många felaktig paket. Gör 'mysqladmin flush-hosts' för att ta bort alla blockeringarna" + ukr "èÏÓÔ '%-.64s' ÚÁÂÌÏËÏ×ÁÎÏ Ú ÐÒÉÞÉÎÉ ×ÅÌÉËϧ Ë¦ÌØËÏÓÔ¦ ÐÏÍÉÌÏË Ú'¤ÄÎÁÎÎÑ. äÌÑ ÒÏÚÂÌÏËÕ×ÁÎÎÑ ×ÉËÏÒÉÓÔÏ×ÕÊÔÅ 'mysqladmin flush-hosts'" +ER_HOST_NOT_PRIVILEGED + cze "Stroj '%-.64s' nem-Bá povoleno se k tomuto MySQL serveru pøipojit" + dan "Værten '%-.64s' kan ikke tilkoble denne MySQL-server" + nla "Het is host '%-.64s' is niet toegestaan verbinding te maken met deze MySQL server" + eng "Host '%-.64s' is not allowed to connect to this MySQL server" + est "Masinal '%-.64s' puudub ligipääs sellele MySQL serverile" + fre "Le hôte '%-.64s' n'est pas authorisé à se connecter à ce serveur MySQL" + ger "Host '%-.64s' hat keine Berechtigung, sich mit diesem MySQL-Server zu verbinden" + greek "Ï õðïëïãéóôÞò äåí Ý÷åé äéêáßùìá óýíäåóçò ìå ôïí MySQL server" + hun "A '%-.64s' host szamara nem engedelyezett a kapcsolodas ehhez a MySQL szerverhez" + ita "Al sistema '%-.64s' non e` consentita la connessione a questo server MySQL" + jpn "Host '%-.64s' ¤Ï MySQL server ¤ËÀܳ¤òµö²Ä¤µ¤ì¤Æ¤¤¤Þ¤»¤ó" + kor "'%-.64s' È£½ºÆ®´Â ÀÌ MySQL¼­¹ö¿¡ Á¢¼ÓÇÒ Çã°¡¸¦ ¹ÞÁö ¸øÇß½À´Ï´Ù." + por "'Host' '%-.64s' não tem permissão para se conectar com este servidor MySQL" + rum "Host-ul '%-.64s' nu este permis a se conecta la aceste server MySQL" + rus "èÏÓÔÕ '%-.64s' ÎÅ ÒÁÚÒÅÛÁÅÔÓÑ ÐÏÄËÌÀÞÁÔØÓÑ Ë ÜÔÏÍÕ ÓÅÒ×ÅÒÕ MySQL" + serbian "Host-u '%-.64s' nije dozvoljeno da se konektuje na ovaj MySQL server" + spa "Servidor '%-.64s' no está permitido para conectar con este servidor MySQL" + swe "Denna dator, '%-.64s', har inte privileger att använda denna MySQL server" + ukr "èÏÓÔÕ '%-.64s' ÎÅ ÄÏ×ÏÌÅÎÏ Ú×'ÑÚÕ×ÁÔÉÓØ Ú ÃÉÍ ÓÅÒ×ÅÒÏÍ MySQL" +ER_PASSWORD_ANONYMOUS_USER 42000 + cze "Pou-B¾íváte MySQL jako anonymní u¾ivatel a anonymní u¾ivatelé nemají povoleno mìnit hesla" + dan "Du bruger MySQL som anonym bruger. Anonyme brugere må ikke ændre adgangskoder" + nla "U gebruikt MySQL als anonieme gebruiker en deze mogen geen wachtwoorden wijzigen" + eng "You are using MySQL as an anonymous user and anonymous users are not allowed to change passwords" + est "Te kasutate MySQL-i anonüümse kasutajana, kelledel pole parooli muutmise õigust" + fre "Vous utilisez un utilisateur anonyme et les utilisateurs anonymes ne sont pas autorisés à changer les mots de passe" + ger "Sie benutzen MySQL als anonymer Benutzer und dürfen daher keine Passwörter ändern" + greek "×ñçóéìïðïéåßôå ôçí MySQL óáí anonymous user êáé Ýôóé äåí ìðïñåßôå íá áëëÜîåôå ôá passwords Üëëùí ÷ñçóôþí" + hun "Nevtelen (anonymous) felhasznalokent nem negedelyezett a jelszovaltoztatas" + ita "Impossibile cambiare la password usando MySQL come utente anonimo" + jpn "MySQL ¤ò anonymous users ¤Ç»ÈÍѤ·¤Æ¤¤¤ë¾õÂ֤Ǥϡ¢¥Ñ¥¹¥ï¡¼¥É¤ÎÊѹ¹¤Ï¤Ç¤­¤Þ¤»¤ó" + kor "´ç½ÅÀº MySQL¼­¹ö¿¡ À͸íÀÇ »ç¿ëÀÚ·Î Á¢¼ÓÀ» Çϼ̽À´Ï´Ù.À͸íÀÇ »ç¿ëÀÚ´Â ¾ÏÈ£¸¦ º¯°æÇÒ ¼ö ¾ø½À´Ï´Ù." + por "Você está usando o MySQL como usuário anônimo e usuários anônimos não têm permissão para mudar senhas" + rum "Dumneavoastra folositi MySQL ca un utilizator anonim si utilizatorii anonimi nu au voie sa schime parolele" + rus "÷Ù ÉÓÐÏÌØÚÕÅÔÅ MySQL ÏÔ ÉÍÅÎÉ ÁÎÏÎÉÍÎÏÇÏ ÐÏÌØÚÏ×ÁÔÅÌÑ, Á ÁÎÏÎÉÍÎÙÍ ÐÏÌØÚÏ×ÁÔÅÌÑÍ ÎÅ ÒÁÚÒÅÛÁÅÔÓÑ ÍÅÎÑÔØ ÐÁÒÏÌÉ" + serbian "Vi koristite MySQL kao anonimni korisnik a anonimnim korisnicima nije dozvoljeno da menjaju lozinke" + spa "Tu estás usando MySQL como un usuario anonimo y usuarios anonimos no tienen permiso para cambiar las claves" + swe "Du använder MySQL som en anonym användare och som sådan får du inte ändra ditt lösenord" + ukr "÷É ×ÉËÏÒÉÓÔÏ×Õ¤ÔÅ MySQL ÑË ÁÎÏΦÍÎÉÊ ËÏÒÉÓÔÕ×ÁÞ, ÔÏÍÕ ×ÁÍ ÎÅ ÄÏÚ×ÏÌÅÎÏ ÚͦÎÀ×ÁÔÉ ÐÁÒÏ̦" +ER_PASSWORD_NOT_ALLOWED 42000 + cze "Na zm-Bìnu hesel ostatním musíte mít právo provést update tabulek v databázi mysql" + dan "Du skal have tilladelse til at opdatere tabeller i MySQL databasen for at ændre andres adgangskoder" + nla "U moet tabel update priveleges hebben in de mysql database om wachtwoorden voor anderen te mogen wijzigen" + eng "You must have privileges to update tables in the mysql database to be able to change passwords for others" + est "Teiste paroolide muutmiseks on nõutav tabelite muutmisõigus 'mysql' andmebaasis" + fre "Vous devez avoir le privilège update sur les tables de la base de donnée mysql pour pouvoir changer les mots de passe des autres" + ger "Sie benötigen die Berechtigung zum Aktualisieren von Tabellen in der Datenbank 'mysql', um die Passwörter anderer Benutzer ändern zu können" + greek "ÐñÝðåé íá Ý÷åôå äéêáßùìá äéüñèùóçò ðéíÜêùí (update) óôç âÜóç äåäïìÝíùí mysql ãéá íá ìðïñåßôå íá áëëÜîåôå ôá passwords Üëëùí ÷ñçóôþí" + hun "Onnek tabla-update joggal kell rendelkeznie a mysql adatbazisban masok jelszavanak megvaltoztatasahoz" + ita "E` necessario il privilegio di update sulle tabelle del database mysql per cambiare le password per gli altri utenti" + jpn "¾¤Î¥æ¡¼¥¶¡¼¤Î¥Ñ¥¹¥ï¡¼¥É¤òÊѹ¹¤¹¤ë¤¿¤á¤Ë¤Ï, mysql ¥Ç¡¼¥¿¥Ù¡¼¥¹¤ËÂФ·¤Æ update ¤Îµö²Ä¤¬¤Ê¤±¤ì¤Ð¤Ê¤ê¤Þ¤»¤ó." + kor "´ç½ÅÀº ´Ù¸¥»ç¿ëÀÚµéÀÇ ¾ÏÈ£¸¦ º¯°æÇÒ ¼ö ÀÖµµ·Ï µ¥ÀÌŸº£À̽º º¯°æ±ÇÇÑÀ» °¡Á®¾ß ÇÕ´Ï´Ù." + por "Você deve ter privilégios para atualizar tabelas no banco de dados mysql para ser capaz de mudar a senha de outros" + rum "Trebuie sa aveti privilegii sa actualizati tabelele in bazele de date mysql ca sa puteti sa schimati parolele altora" + rus "äÌÑ ÔÏÇÏ ÞÔÏÂÙ ÉÚÍÅÎÑÔØ ÐÁÒÏÌÉ ÄÒÕÇÉÈ ÐÏÌØÚÏ×ÁÔÅÌÅÊ, Õ ×ÁÓ ÄÏÌÖÎÙ ÂÙÔØ ÐÒÉ×ÉÌÅÇÉÉ ÎÁ ÉÚÍÅÎÅÎÉÅ ÔÁÂÌÉÃ × ÂÁÚÅ ÄÁÎÎÙÈ mysql" + serbian "Morate imati privilegije da možete da update-ujete odreðene tabele ako želite da menjate lozinke za druge korisnike" + spa "Tu debes de tener permiso para actualizar tablas en la base de datos mysql para cambiar las claves para otros" + swe "För att ändra lösenord för andra måste du ha rättigheter att uppdatera mysql-databasen" + ukr "÷É ÐÏ×ÉΦ ÍÁÔÉ ÐÒÁ×Ï ÎÁ ÏÎÏ×ÌÅÎÎÑ ÔÁÂÌÉÃØ Õ ÂÁÚ¦ ÄÁÎÎÉÈ mysql, ÁÂÉ ÍÁÔÉ ÍÏÖÌÉצÓÔØ ÚͦÎÀ×ÁÔÉ ÐÁÒÏÌØ ¦ÎÛÉÍ" +ER_PASSWORD_NO_MATCH 42000 + cze "V tabulce user nen-Bí ¾ádný odpovídající øádek" + dan "Kan ikke finde nogen tilsvarende poster i bruger tabellen" + nla "Kan geen enkele passende rij vinden in de gebruikers tabel" + eng "Can't find any matching row in the user table" + est "Ei leia vastavat kirjet kasutajate tabelis" + fre "Impossible de trouver un enregistrement correspondant dans la table user" + ger "Kann keinen passenden Datensatz in Tabelle 'user' finden" + greek "Äåí åßíáé äõíáôÞ ç áíåýñåóç ôçò áíôßóôïé÷çò åããñáöÞò óôïí ðßíáêá ôùí ÷ñçóôþí" + hun "Nincs megegyezo sor a user tablaban" + ita "Impossibile trovare la riga corrispondente nella tabella user" + kor "»ç¿ëÀÚ Å×ÀÌºí¿¡¼­ ÀÏÄ¡ÇÏ´Â °ÍÀ» ãÀ» ¼ö ¾øÀ¾´Ï´Ù." + por "Não pode encontrar nenhuma linha que combine na tabela usuário (user table)" + rum "Nu pot gasi nici o linie corespunzatoare in tabela utilizatorului" + rus "îÅ×ÏÚÍÏÖÎÏ ÏÔÙÓËÁÔØ ÐÏÄÈÏÄÑÝÕÀ ÚÁÐÉÓØ × ÔÁÂÌÉÃÅ ÐÏÌØÚÏ×ÁÔÅÌÅÊ" + serbian "Ne mogu da pronaðem odgovarajuæi slog u 'user' tabeli" + spa "No puedo encontrar una línea correponsdiente en la tabla user" + swe "Hittade inte användaren i 'user'-tabellen" + ukr "îÅ ÍÏÖÕ ÚÎÁÊÔÉ ×¦ÄÐÏצÄÎÉÈ ÚÁÐÉÓ¦× Õ ÔÁÂÌÉæ ËÏÒÉÓÔÕ×ÁÞÁ" +ER_UPDATE_INFO + cze "Nalezen-Bých øádkù: %ld Zmìnìno: %ld Varování: %ld" + dan "Poster fundet: %ld Ændret: %ld Advarsler: %ld" + nla "Passende rijen: %ld Gewijzigd: %ld Waarschuwingen: %ld" + eng "Rows matched: %ld Changed: %ld Warnings: %ld" + est "Sobinud kirjeid: %ld Muudetud: %ld Hoiatusi: %ld" + fre "Enregistrements correspondants: %ld Modifiés: %ld Warnings: %ld" + ger "Datensätze gefunden: %ld Geändert: %ld Warnungen: %ld" + hun "Megegyezo sorok szama: %ld Valtozott: %ld Warnings: %ld" + ita "Rows riconosciute: %ld Cambiate: %ld Warnings: %ld" + jpn "°ìÃ׿ô(Rows matched): %ld Êѹ¹: %ld Warnings: %ld" + kor "ÀÏÄ¡ÇÏ´Â Rows : %ld°³ º¯°æµÊ: %ld°³ °æ°í: %ld°³" + por "Linhas que combinaram: %ld - Alteradas: %ld - Avisos: %ld" + rum "Linii identificate (matched): %ld Schimbate: %ld Atentionari (warnings): %ld" + rus "óÏ×ÐÁÌÏ ÚÁÐÉÓÅÊ: %ld éÚÍÅÎÅÎÏ: %ld ðÒÅÄÕÐÒÅÖÄÅÎÉÊ: %ld" + serbian "Odgovarajuæih slogova: %ld Promenjeno: %ld Upozorenja: %ld" + spa "Líneas correspondientes: %ld Cambiadas: %ld Avisos: %ld" + swe "Rader: %ld Uppdaterade: %ld Varningar: %ld" + ukr "úÁÐÉÓ¦× ×¦ÄÐÏצÄÁ¤: %ld úͦÎÅÎÏ: %ld úÁÓÔÅÒÅÖÅÎØ: %ld" +ER_CANT_CREATE_THREAD + cze "Nemohu vytvo-Bøit nový thread (errno %d). Pokud je je¹tì nìjaká volná pamì», podívejte se do manuálu na èást o chybách specifických pro jednotlivé operaèní systémy" + dan "Kan ikke danne en ny tråd (fejl nr. %d). Hvis computeren ikke er løbet tør for hukommelse, kan du se i brugervejledningen for en mulig operativ-system - afhængig fejl" + nla "Kan geen nieuwe thread aanmaken (Errcode: %d). Indien er geen tekort aan geheugen is kunt u de handleiding consulteren over een mogelijke OS afhankelijke fout" + eng "Can't create a new thread (errno %d); if you are not out of available memory, you can consult the manual for a possible OS-dependent bug" + est "Ei suuda luua uut lõime (veakood %d). Kui mälu ei ole otsas, on tõenäoliselt tegemist operatsioonisüsteemispetsiifilise veaga" + fre "Impossible de créer une nouvelle tâche (errno %d). S'il reste de la mémoire libre, consultez le manual pour trouver un éventuel bug dépendant de l'OS" + ger "Kann keinen neuen Thread erzeugen (Fehler: %d). Sollte noch Speicher verfügbar sein, bitte im Handbuch wegen möglicher Fehler im Betriebssystem nachschlagen" + hun "Uj thread letrehozasa nem lehetseges (Hibakod: %d). Amenyiben van meg szabad memoria, olvassa el a kezikonyv operacios rendszerfuggo hibalehetosegekrol szolo reszet" + ita "Impossibile creare un nuovo thread (errno %d). Se non ci sono problemi di memoria disponibile puoi consultare il manuale per controllare possibili problemi dipendenti dal SO" + jpn "¿·µ¬¤Ë¥¹¥ì¥Ã¥É¤¬ºî¤ì¤Þ¤»¤ó¤Ç¤·¤¿ (errno %d). ¤â¤·ºÇÂç»ÈÍѵö²Ä¥á¥â¥ê¡¼¿ô¤ò±Û¤¨¤Æ¤¤¤Ê¤¤¤Î¤Ë¥¨¥é¡¼¤¬È¯À¸¤·¤Æ¤¤¤ë¤Ê¤é, ¥Þ¥Ë¥å¥¢¥ë¤ÎÃæ¤«¤é 'possible OS-dependent bug' ¤È¤¤¤¦Ê¸»ú¤òõ¤·¤Æ¤¯¤ß¤Æ¤À¤µ¤¤." + kor "»õ·Î¿î ¾²·¹µå¸¦ ¸¸µé ¼ö ¾ø½À´Ï´Ù.(¿¡·¯¹øÈ£ %d). ¸¸¾à ¿©À¯¸Þ¸ð¸®°¡ ÀÖ´Ù¸é OS-dependent¹ö±× ÀÇ ¸Þ´º¾ó ºÎºÐÀ» ã¾Æº¸½Ã¿À." + nor "Can't create a new thread (errno %d); if you are not out of available memory you can consult the manual for any possible OS dependent bug" + norwegian-ny "Can't create a new thread (errno %d); if you are not out of available memory you can consult the manual for any possible OS dependent bug" + pol "Can't create a new thread (errno %d); if you are not out of available memory you can consult the manual for any possible OS dependent bug" + por "Não pode criar uma nova 'thread' (erro no. %d). Se você não estiver sem memória disponível, você pode consultar o manual sobre um possível 'bug' dependente do sistema operacional" + rum "Nu pot crea un thread nou (Eroare %d). Daca mai aveti memorie disponibila in sistem, puteti consulta manualul - ar putea exista un potential bug in legatura cu sistemul de operare" + rus "îÅ×ÏÚÍÏÖÎÏ ÓÏÚÄÁÔØ ÎÏ×ÙÊ ÐÏÔÏË (ÏÛÉÂËÁ %d). åÓÌÉ ÜÔÏ ÎÅ ÓÉÔÕÁÃÉÑ, Ó×ÑÚÁÎÎÁÑ Ó ÎÅÈ×ÁÔËÏÊ ÐÁÍÑÔÉ, ÔÏ ×ÁÍ ÓÌÅÄÕÅÔ ÉÚÕÞÉÔØ ÄÏËÕÍÅÎÔÁÃÉÀ ÎÁ ÐÒÅÄÍÅÔ ÏÐÉÓÁÎÉÑ ×ÏÚÍÏÖÎÏÊ ÏÛÉÂËÉ ÒÁÂÏÔÙ × ËÏÎËÒÅÔÎÏÊ ïó" + serbian "Ne mogu da kreiram novi thread (errno %d). Ako imate još slobodne memorije, trebali biste da pogledate u priruèniku da li je ovo specifièna greška vašeg operativnog sistema" + spa "No puedo crear un nuevo thread (errno %d). Si tu está con falta de memoria disponible, tu puedes consultar el Manual para posibles problemas con SO" + swe "Kan inte skapa en ny tråd (errno %d)" + ukr "îÅ ÍÏÖÕ ÓÔ×ÏÒÉÔÉ ÎÏ×Õ Ç¦ÌËÕ (ÐÏÍÉÌËÁ %d). ñËÝÏ ×É ÎÅ ×ÉËÏÒÉÓÔÁÌÉ ÕÓÀ ÐÁÍ'ÑÔØ, ÔÏ ÐÒÏÞÉÔÁÊÔÅ ÄÏËÕÍÅÎÔÁæÀ ÄÏ ×ÁÛϧ ïó - ÍÏÖÌÉ×Ï ÃÅ ÐÏÍÉÌËÁ ïó" +ER_WRONG_VALUE_COUNT_ON_ROW 21S01 + cze "Po-Bèet sloupcù neodpovídá poètu hodnot na øádku %ld" + dan "Kolonne antallet stemmer ikke overens med antallet af værdier i post %ld" + nla "Kolom aantal komt niet overeen met waarde aantal in rij %ld" + eng "Column count doesn't match value count at row %ld" + est "Tulpade hulk erineb väärtuste hulgast real %ld" + ger "Anzahl der Spalten stimmt nicht mit der Anzahl der Werte in Zeile %ld überein" + hun "Az oszlopban talalhato ertek nem egyezik meg a %ld sorban szamitott ertekkel" + ita "Il numero delle colonne non corrisponde al conteggio alla riga %ld" + kor "Row %ld¿¡¼­ Ä®·³ Ä«¿îÆ®¿Í value Ä«¿îÅÍ¿Í ÀÏÄ¡ÇÏÁö ¾Ê½À´Ï´Ù." + por "Contagem de colunas não confere com a contagem de valores na linha %ld" + rum "Numarul de coloane nu corespunde cu numarul de valori la linia %ld" + rus "ëÏÌÉÞÅÓÔ×Ï ÓÔÏÌÂÃÏ× ÎÅ ÓÏ×ÐÁÄÁÅÔ Ó ËÏÌÉÞÅÓÔ×ÏÍ ÚÎÁÞÅÎÉÊ × ÚÁÐÉÓÉ %ld" + serbian "Broj kolona ne odgovara broju vrednosti u slogu %ld" + spa "El número de columnas no corresponde al número en la línea %ld" + swe "Antalet kolumner motsvarar inte antalet värden på rad: %ld" + ukr "ë¦ÌØË¦ÓÔØ ÓÔÏ×ÂÃ¦× ÎÅ ÓЦ×ÐÁÄÁ¤ Ú Ë¦ÌØË¦ÓÔÀ ÚÎÁÞÅÎØ Õ ÓÔÒÏæ %ld" +ER_CANT_REOPEN_TABLE + cze "Nemohu znovuotev-Bøít tabulku: '%-.64s" + dan "Kan ikke genåbne tabel '%-.64s" + nla "Kan tabel niet opnieuw openen: '%-.64s" + eng "Can't reopen table: '%-.64s'" + est "Ei suuda taasavada tabelit '%-.64s'" + fre "Impossible de réouvrir la table: '%-.64s" + ger "Kann Tabelle'%-.64s' nicht erneut öffnen" + hun "Nem lehet ujra-megnyitni a tablat: '%-.64s" + ita "Impossibile riaprire la tabella: '%-.64s'" + kor "Å×À̺íÀ» ´Ù½Ã ¿­¼ö ¾ø±º¿ä: '%-.64s" + nor "Can't reopen table: '%-.64s" + norwegian-ny "Can't reopen table: '%-.64s" + pol "Can't reopen table: '%-.64s" + por "Não pode reabrir a tabela '%-.64s" + rum "Nu pot redeschide tabela: '%-.64s'" + rus "îÅ×ÏÚÍÏÖÎÏ ÚÁÎÏ×Ï ÏÔËÒÙÔØ ÔÁÂÌÉÃÕ '%-.64s'" + serbian "Ne mogu da ponovo otvorim tabelu '%-.64s'" + slo "Can't reopen table: '%-.64s" + spa "No puedo reabrir tabla: '%-.64s" + swe "Kunde inte stänga och öppna tabell '%-.64s" + ukr "îÅ ÍÏÖÕ ÐÅÒÅצÄËÒÉÔÉ ÔÁÂÌÉÃÀ: '%-.64s'" +ER_INVALID_USE_OF_NULL 22004 + cze "Neplatn-Bé u¾ití hodnoty NULL" + dan "Forkert brug af nulværdi (NULL)" + nla "Foutief gebruik van de NULL waarde" + eng "Invalid use of NULL value" + est "NULL väärtuse väärkasutus" + fre "Utilisation incorrecte de la valeur NULL" + ger "Unerlaubte Verwendung eines NULL-Werts" + hun "A NULL ervenytelen hasznalata" + ita "Uso scorretto del valore NULL" + jpn "NULL ÃͤλÈÍÑÊýË¡¤¬ÉÔŬÀڤǤ¹" + kor "NULL °ªÀ» À߸ø »ç¿ëÇϼ̱º¿ä..." + por "Uso inválido do valor NULL" + rum "Folosirea unei value NULL e invalida" + rus "îÅÐÒÁ×ÉÌØÎÏÅ ÉÓÐÏÌØÚÏ×ÁÎÉÅ ×ÅÌÉÞÉÎÙ NULL" + serbian "Pogrešna upotreba vrednosti NULL" + spa "Invalido uso de valor NULL" + swe "Felaktig använding av NULL" + ukr "èÉÂÎÅ ×ÉËÏÒÉÓÔÁÎÎÑ ÚÎÁÞÅÎÎÑ NULL" +ER_REGEXP_ERROR 42000 + cze "Regul-Bární výraz vrátil chybu '%-.64s'" + dan "Fik fejl '%-.64s' fra regexp" + nla "Fout '%-.64s' ontvangen van regexp" + eng "Got error '%-.64s' from regexp" + est "regexp tagastas vea '%-.64s'" + fre "Erreur '%-.64s' provenant de regexp" + ger "regexp lieferte Fehler '%-.64s'" + hun "'%-.64s' hiba a regularis kifejezes hasznalata soran (regexp)" + ita "Errore '%-.64s' da regexp" + kor "regexp¿¡¼­ '%-.64s'°¡ ³µ½À´Ï´Ù." + por "Obteve erro '%-.64s' em regexp" + rum "Eroarea '%-.64s' obtinuta din expresia regulara (regexp)" + rus "ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ '%-.64s' ÏÔ ÒÅÇÕÌÑÒÎÏÇÏ ×ÙÒÁÖÅÎÉÑ" + serbian "Funkcija regexp je vratila grešku '%-.64s'" + spa "Obtenido error '%-.64s' de regexp" + swe "Fick fel '%-.64s' från REGEXP" + ukr "ïÔÒÉÍÁÎÏ ÐÏÍÉÌËÕ '%-.64s' ×¦Ä ÒÅÇÕÌÑÒÎÏÇÏ ×ÉÒÁÚÕ" +ER_MIX_OF_GROUP_FUNC_AND_FIELDS 42000 + cze "Pokud nen-Bí ¾ádná GROUP BY klauzule, není dovoleno souèasné pou¾ití GROUP polo¾ek (MIN(),MAX(),COUNT()...) s ne GROUP polo¾kami" + dan "Sammenblanding af GROUP kolonner (MIN(),MAX(),COUNT()...) uden GROUP kolonner er ikke tilladt, hvis der ikke er noget GROUP BY prædikat" + nla "Het mixen van GROUP kolommen (MIN(),MAX(),COUNT()...) met no-GROUP kolommen is foutief indien er geen GROUP BY clausule is" + eng "Mixing of GROUP columns (MIN(),MAX(),COUNT(),...) with no GROUP columns is illegal if there is no GROUP BY clause" + est "GROUP tulpade (MIN(),MAX(),COUNT()...) kooskasutamine tavaliste tulpadega ilma GROUP BY klauslita ei ole lubatud" + fre "Mélanger les colonnes GROUP (MIN(),MAX(),COUNT()...) avec des colonnes normales est interdit s'il n'y a pas de clause GROUP BY" + ger "Das Vermischen von GROUP-Spalten (MIN(),MAX(),COUNT()...) mit Nicht-GROUP-Spalten ist nicht zulässig, wenn keine GROUP BY-Klausel vorhanden ist" + hun "A GROUP mezok (MIN(),MAX(),COUNT()...) kevert hasznalata nem lehetseges GROUP BY hivatkozas nelkul" + ita "Il mescolare funzioni di aggregazione (MIN(),MAX(),COUNT()...) e non e` illegale se non c'e` una clausula GROUP BY" + kor "Mixing of GROUP Ä®·³s (MIN(),MAX(),COUNT(),...) with no GROUP Ä®·³s is illegal if there is no GROUP BY clause" + por "Mistura de colunas agrupadas (com MIN(), MAX(), COUNT(), ...) com colunas não agrupadas é ilegal, se não existir uma cláusula de agrupamento (cláusula GROUP BY)" + rum "Amestecarea de coloane GROUP (MIN(),MAX(),COUNT()...) fara coloane GROUP este ilegala daca nu exista o clauza GROUP BY" + rus "ïÄÎÏ×ÒÅÍÅÎÎÏÅ ÉÓÐÏÌØÚÏ×ÁÎÉÅ ÓÇÒÕÐÐÉÒÏ×ÁÎÎÙÈ (GROUP) ÓÔÏÌÂÃÏ× (MIN(),MAX(),COUNT(),...) Ó ÎÅÓÇÒÕÐÐÉÒÏ×ÁÎÎÙÍÉ ÓÔÏÌÂÃÁÍÉ Ñ×ÌÑÅÔÓÑ ÎÅËÏÒÒÅËÔÎÙÍ, ÅÓÌÉ × ×ÙÒÁÖÅÎÉÉ ÅÓÔØ GROUP BY" + serbian "Upotreba agregatnih funkcija (MIN(),MAX(),COUNT()...) bez 'GROUP' kolona je pogrešna ako ne postoji 'GROUP BY' iskaz" + spa "Mezcla de columnas GROUP (MIN(),MAX(),COUNT()...) con no GROUP columnas es ilegal si no hat la clausula GROUP BY" + swe "Man får ha både GROUP-kolumner (MIN(),MAX(),COUNT()...) och fält i en fråga om man inte har en GROUP BY-del" + ukr "úͦÛÕ×ÁÎÎÑ GROUP ÓÔÏ×ÂÃ¦× (MIN(),MAX(),COUNT()...) Ú ÎÅ GROUP ÓÔÏ×ÂÃÑÍÉ ¤ ÚÁÂÏÒÏÎÅÎÉÍ, ÑËÝÏ ÎÅ ÍÁ¤ GROUP BY" +ER_NONEXISTING_GRANT 42000 + cze "Neexistuje odpov-Bídající grant pro u¾ivatele '%-.32s' na stroji '%-.64s'" + dan "Denne tilladelse findes ikke for brugeren '%-.32s' på vært '%-.64s'" + nla "Deze toegang (GRANT) is niet toegekend voor gebruiker '%-.32s' op host '%-.64s'" + eng "There is no such grant defined for user '%-.32s' on host '%-.64s'" + est "Sellist õigust ei ole defineeritud kasutajale '%-.32s' masinast '%-.64s'" + fre "Un tel droit n'est pas défini pour l'utilisateur '%-.32s' sur l'hôte '%-.64s'" + ger "Für Benutzer '%-.32s' auf Host '%-.64s' gibt es keine solche Berechtigung" + hun "A '%-.32s' felhasznalonak nincs ilyen joga a '%-.64s' host-on" + ita "GRANT non definita per l'utente '%-.32s' dalla macchina '%-.64s'" + jpn "¥æ¡¼¥¶¡¼ '%-.32s' (¥Û¥¹¥È '%-.64s' ¤Î¥æ¡¼¥¶¡¼) ¤Ïµö²Ä¤µ¤ì¤Æ¤¤¤Þ¤»¤ó" + kor "»ç¿ëÀÚ '%-.32s' (È£½ºÆ® '%-.64s')¸¦ À§ÇÏ¿© Á¤ÀÇµÈ ±×·± ½ÂÀÎÀº ¾ø½À´Ï´Ù." + por "Não existe tal permissão (grant) definida para o usuário '%-.32s' no 'host' '%-.64s'" + rum "Nu exista un astfel de grant definit pentru utilzatorul '%-.32s' de pe host-ul '%-.64s'" + rus "ôÁËÉÅ ÐÒÁ×Á ÎÅ ÏÐÒÅÄÅÌÅÎÙ ÄÌÑ ÐÏÌØÚÏ×ÁÔÅÌÑ '%-.32s' ÎÁ ÈÏÓÔÅ '%-.64s'" + serbian "Ne postoji odobrenje za pristup korisniku '%-.32s' na host-u '%-.64s'" + spa "No existe permiso definido para usuario '%-.32s' en el servidor '%-.64s'" + swe "Det finns inget privilegium definierat för användare '%-.32s' på '%-.64s'" + ukr "ðÏ×ÎÏ×ÁÖÅÎØ ÎÅ ×ÉÚÎÁÞÅÎÏ ÄÌÑ ËÏÒÉÓÔÕ×ÁÞÁ '%-.32s' Ú ÈÏÓÔÕ '%-.64s'" +ER_TABLEACCESS_DENIED_ERROR 42000 + cze "%-.16s p-Bøíkaz nepøístupný pro u¾ivatele: '%-.32s'@'%-.64s' pro tabulku '%-.64s'" + dan "%-.16s-kommandoen er ikke tilladt for brugeren '%-.32s'@'%-.64s' for tabellen '%-.64s'" + nla "%-.16s commando geweigerd voor gebruiker: '%-.32s'@'%-.64s' voor tabel '%-.64s'" + eng "%-.16s command denied to user '%-.32s'@'%-.64s' for table '%-.64s'" + est "%-.16s käsk ei ole lubatud kasutajale '%-.32s'@'%-.64s' tabelis '%-.64s'" + fre "La commande '%-.16s' est interdite à l'utilisateur: '%-.32s'@'@%-.64s' sur la table '%-.64s'" + ger "%-.16s Befehl nicht erlaubt für Benutzer '%-.32s'@'%-.64s' und für Tabelle '%-.64s'" + hun "%-.16s parancs a '%-.32s'@'%-.64s' felhasznalo szamara nem engedelyezett a '%-.64s' tablaban" + ita "Comando %-.16s negato per l'utente: '%-.32s'@'%-.64s' sulla tabella '%-.64s'" + jpn "¥³¥Þ¥ó¥É %-.16s ¤Ï ¥æ¡¼¥¶¡¼ '%-.32s'@'%-.64s' ,¥Æ¡¼¥Ö¥ë '%-.64s' ¤ËÂФ·¤Æµö²Ä¤µ¤ì¤Æ¤¤¤Þ¤»¤ó" + kor "'%-.16s' ¸í·ÉÀº ´ÙÀ½ »ç¿ëÀÚ¿¡°Ô °ÅºÎµÇ¾ú½À´Ï´Ù. : '%-.32s'@'%-.64s' for Å×À̺í '%-.64s'" + por "Comando '%-.16s' negado para o usuário '%-.32s'@'%-.64s' na tabela '%-.64s'" + rum "Comanda %-.16s interzisa utilizatorului: '%-.32s'@'%-.64s' pentru tabela '%-.64s'" + rus "ëÏÍÁÎÄÁ %-.16s ÚÁÐÒÅÝÅÎÁ ÐÏÌØÚÏ×ÁÔÅÌÀ '%-.32s'@'%-.64s' ÄÌÑ ÔÁÂÌÉÃÙ '%-.64s'" + serbian "%-.16s komanda zabranjena za korisnika '%-.32s'@'%-.64s' za tabelu '%-.64s'" + spa "%-.16s comando negado para usuario: '%-.32s'@'%-.64s' para tabla '%-.64s'" + swe "%-.16s ej tillåtet för '%-.32s'@'%-.64s' för tabell '%-.64s'" + ukr "%-.16s ËÏÍÁÎÄÁ ÚÁÂÏÒÏÎÅÎÁ ËÏÒÉÓÔÕ×ÁÞÕ: '%-.32s'@'%-.64s' Õ ÔÁÂÌÉæ '%-.64s'" +ER_COLUMNACCESS_DENIED_ERROR 42000 + cze "%-.16s p-Bøíkaz nepøístupný pro u¾ivatele: '%-.32s'@'%-.64s' pro sloupec '%-.64s' v tabulce '%-.64s'" + dan "%-.16s-kommandoen er ikke tilladt for brugeren '%-.32s'@'%-.64s' for kolonne '%-.64s' in tabellen '%-.64s'" + nla "%-.16s commando geweigerd voor gebruiker: '%-.32s'@'%-.64s' voor kolom '%-.64s' in tabel '%-.64s'" + eng "%-.16s command denied to user '%-.32s'@'%-.64s' for column '%-.64s' in table '%-.64s'" + est "%-.16s käsk ei ole lubatud kasutajale '%-.32s'@'%-.64s' tulbale '%-.64s' tabelis '%-.64s'" + fre "La commande '%-.16s' est interdite à l'utilisateur: '%-.32s'@'@%-.64s' sur la colonne '%-.64s' de la table '%-.64s'" + ger "%-.16s Befehl nicht erlaubt für Benutzer '%-.32s'@'%-.64s' und Spalte '%-.64s' in Tabelle '%-.64s'" + hun "%-.16s parancs a '%-.32s'@'%-.64s' felhasznalo szamara nem engedelyezett a '%-.64s' mezo eseten a '%-.64s' tablaban" + ita "Comando %-.16s negato per l'utente: '%-.32s'@'%-.64s' sulla colonna '%-.64s' della tabella '%-.64s'" + jpn "¥³¥Þ¥ó¥É %-.16s ¤Ï ¥æ¡¼¥¶¡¼ '%-.32s'@'%-.64s'\n ¥«¥é¥à '%-.64s' ¥Æ¡¼¥Ö¥ë '%-.64s' ¤ËÂФ·¤Æµö²Ä¤µ¤ì¤Æ¤¤¤Þ¤»¤ó" + kor "'%-.16s' ¸í·ÉÀº ´ÙÀ½ »ç¿ëÀÚ¿¡°Ô °ÅºÎµÇ¾ú½À´Ï´Ù. : '%-.32s'@'%-.64s' for Ä®·³ '%-.64s' in Å×À̺í '%-.64s'" + por "Comando '%-.16s' negado para o usuário '%-.32s'@'%-.64s' na coluna '%-.64s', na tabela '%-.64s'" + rum "Comanda %-.16s interzisa utilizatorului: '%-.32s'@'%-.64s' pentru coloana '%-.64s' in tabela '%-.64s'" + rus "ëÏÍÁÎÄÁ %-.16s ÚÁÐÒÅÝÅÎÁ ÐÏÌØÚÏ×ÁÔÅÌÀ '%-.32s'@'%-.64s' ÄÌÑ ÓÔÏÌÂÃÁ '%-.64s' × ÔÁÂÌÉÃÅ '%-.64s'" + serbian "%-.16s komanda zabranjena za korisnika '%-.32s'@'%-.64s' za kolonu '%-.64s' iz tabele '%-.64s'" + spa "%-.16s comando negado para usuario: '%-.32s'@'%-.64s' para columna '%-.64s' en la tabla '%-.64s'" + swe "%-.16s ej tillåtet för '%-.32s'@'%-.64s' för kolumn '%-.64s' i tabell '%-.64s'" + ukr "%-.16s ËÏÍÁÎÄÁ ÚÁÂÏÒÏÎÅÎÁ ËÏÒÉÓÔÕ×ÁÞÕ: '%-.32s'@'%-.64s' ÄÌÑ ÓÔÏ×ÂÃÑ '%-.64s' Õ ÔÁÂÌÉæ '%-.64s'" +ER_ILLEGAL_GRANT_FOR_TABLE 42000 + cze "Neplatn-Bý pøíkaz GRANT/REVOKE. Prosím, pøeètìte si v manuálu, jaká privilegia je mo¾né pou¾ít." + dan "Forkert GRANT/REVOKE kommando. Se i brugervejledningen hvilke privilegier der kan specificeres." + nla "Foutief GRANT/REVOKE commando. Raadpleeg de handleiding welke priveleges gebruikt kunnen worden." + eng "Illegal GRANT/REVOKE command; please consult the manual to see which privileges can be used" + est "Vigane GRANT/REVOKE käsk. Tutvu kasutajajuhendiga" + fre "Commande GRANT/REVOKE incorrecte. Consultez le manuel." + ger "Unzulässiger GRANT- oder REVOKE-Befehl. Verfügbare Berechtigungen sind im Handbuch aufgeführt" + greek "Illegal GRANT/REVOKE command; please consult the manual to see which privileges can be used." + hun "Ervenytelen GRANT/REVOKE parancs. Kerem, nezze meg a kezikonyvben, milyen jogok lehetsegesek" + ita "Comando GRANT/REVOKE illegale. Prego consultare il manuale per sapere quali privilegi possono essere usati." + jpn "Illegal GRANT/REVOKE command; please consult the manual to see which privleges can be used." + kor "À߸øµÈ GRANT/REVOKE ¸í·É. ¾î¶² ±Ç¸®¿Í ½ÂÀÎÀÌ »ç¿ëµÇ¾î Áú ¼ö ÀÖ´ÂÁö ¸Þ´º¾óÀ» º¸½Ã¿À." + nor "Illegal GRANT/REVOKE command; please consult the manual to see which privleges can be used." + norwegian-ny "Illegal GRANT/REVOKE command; please consult the manual to see which privleges can be used." + pol "Illegal GRANT/REVOKE command; please consult the manual to see which privleges can be used." + por "Comando GRANT/REVOKE ilegal. Por favor consulte no manual quais privilégios podem ser usados." + rum "Comanda GRANT/REVOKE ilegala. Consultati manualul in privinta privilegiilor ce pot fi folosite." + rus "îÅ×ÅÒÎÁÑ ËÏÍÁÎÄÁ GRANT ÉÌÉ REVOKE. ïÂÒÁÔÉÔÅÓØ Ë ÄÏËÕÍÅÎÔÁÃÉÉ, ÞÔÏÂÙ ×ÙÑÓÎÉÔØ, ËÁËÉÅ ÐÒÉ×ÉÌÅÇÉÉ ÍÏÖÎÏ ÉÓÐÏÌØÚÏ×ÁÔØ" + serbian "Pogrešna 'GRANT' odnosno 'REVOKE' komanda. Molim Vas pogledajte u priruèniku koje vrednosti mogu biti upotrebljene." + slo "Illegal GRANT/REVOKE command; please consult the manual to see which privleges can be used." + spa "Ilegal comando GRANT/REVOKE. Por favor consulte el manual para cuales permisos pueden ser usados." + swe "Felaktigt GRANT-privilegium använt" + ukr "èÉÂÎÁ GRANT/REVOKE ËÏÍÁÎÄÁ; ÐÒÏÞÉÔÁÊÔÅ ÄÏËÕÍÅÎÔÁæÀ ÓÔÏÓÏ×ÎÏ ÔÏÇÏ, Ñ˦ ÐÒÁ×Á ÍÏÖÎÁ ×ÉËÏÒÉÓÔÏ×Õ×ÁÔÉ" +ER_GRANT_WRONG_HOST_OR_USER 42000 + cze "Argument p-Bøíkazu GRANT u¾ivatel nebo stroj je pøíli¹ dlouhý" + dan "Værts- eller brugernavn for langt til GRANT" + nla "De host of gebruiker parameter voor GRANT is te lang" + eng "The host or user argument to GRANT is too long" + est "Masina või kasutaja nimi GRANT lauses on liiga pikk" + fre "L'hôte ou l'utilisateur donné en argument à GRANT est trop long" + ger "Das Host- oder User-Argument für GRANT ist zu lang" + hun "A host vagy felhasznalo argumentuma tul hosszu a GRANT parancsban" + ita "L'argomento host o utente per la GRANT e` troppo lungo" + kor "½ÂÀÎ(GRANT)À» À§ÇÏ¿© »ç¿ëÇÑ »ç¿ëÀÚ³ª È£½ºÆ®ÀÇ °ªµéÀÌ ³Ê¹« ±é´Ï´Ù." + por "Argumento de 'host' ou de usuário para o GRANT é longo demais" + rum "Argumentul host-ului sau utilizatorului pentru GRANT e prea lung" + rus "óÌÉÛËÏÍ ÄÌÉÎÎÏÅ ÉÍÑ ÐÏÌØÚÏ×ÁÔÅÌÑ/ÈÏÓÔÁ ÄÌÑ GRANT" + serbian "Argument 'host' ili 'korisnik' prosleðen komandi 'GRANT' je predugaèak" + spa "El argumento para servidor o usuario para GRANT es demasiado grande" + swe "Felaktigt maskinnamn eller användarnamn använt med GRANT" + ukr "áÒÇÕÍÅÎÔ host ÁÂÏ user ÄÌÑ GRANT ÚÁÄÏ×ÇÉÊ" +ER_NO_SUCH_TABLE 42S02 + cze "Tabulka '%-.64s.%s' neexistuje" + dan "Tabellen '%-.64s.%-.64s' eksisterer ikke" + nla "Tabel '%-.64s.%s' bestaat niet" + eng "Table '%-.64s.%-.64s' doesn't exist" + est "Tabelit '%-.64s.%-.64s' ei eksisteeri" + fre "La table '%-.64s.%s' n'existe pas" + ger "Tabelle '%-.64s.%-.64s' existiert nicht" + hun "A '%-.64s.%s' tabla nem letezik" + ita "La tabella '%-.64s.%s' non esiste" + jpn "Table '%-.64s.%s' doesn't exist" + kor "Å×À̺í '%-.64s.%s' ´Â Á¸ÀçÇÏÁö ¾Ê½À´Ï´Ù." + nor "Table '%-.64s.%s' doesn't exist" + norwegian-ny "Table '%-.64s.%s' doesn't exist" + pol "Table '%-.64s.%s' doesn't exist" + por "Tabela '%-.64s.%-.64s' não existe" + rum "Tabela '%-.64s.%-.64s' nu exista" + rus "ôÁÂÌÉÃÁ '%-.64s.%-.64s' ÎÅ ÓÕÝÅÓÔ×ÕÅÔ" + serbian "Tabela '%-.64s.%-.64s' ne postoji" + slo "Table '%-.64s.%s' doesn't exist" + spa "Tabla '%-.64s.%s' no existe" + swe "Det finns ingen tabell som heter '%-.64s.%s'" + ukr "ôÁÂÌÉÃÑ '%-.64s.%-.64s' ÎÅ ¦ÓÎÕ¤" +ER_NONEXISTING_TABLE_GRANT 42000 + cze "Neexistuje odpov-Bídající grant pro u¾ivatele '%-.32s' na stroji '%-.64s' pro tabulku '%-.64s'" + dan "Denne tilladelse eksisterer ikke for brugeren '%-.32s' på vært '%-.64s' for tabellen '%-.64s'" + nla "Deze toegang (GRANT) is niet toegekend voor gebruiker '%-.32s' op host '%-.64s' op tabel '%-.64s'" + eng "There is no such grant defined for user '%-.32s' on host '%-.64s' on table '%-.64s'" + est "Sellist õigust ei ole defineeritud kasutajale '%-.32s' masinast '%-.64s' tabelile '%-.64s'" + fre "Un tel droit n'est pas défini pour l'utilisateur '%-.32s' sur l'hôte '%-.64s' sur la table '%-.64s'" + ger "Keine solche Berechtigung für User '%-.32s' auf Host '%-.64s' an Tabelle '%-.64s'" + hun "A '%-.32s' felhasznalo szamara a '%-.64s' host '%-.64s' tablajaban ez a parancs nem engedelyezett" + ita "GRANT non definita per l'utente '%-.32s' dalla macchina '%-.64s' sulla tabella '%-.64s'" + kor "»ç¿ëÀÚ '%-.32s'(È£½ºÆ® '%-.64s')´Â Å×À̺í '%-.64s'¸¦ »ç¿ëÇϱâ À§ÇÏ¿© Á¤ÀÇµÈ ½ÂÀÎÀº ¾ø½À´Ï´Ù. " + por "Não existe tal permissão (grant) definido para o usuário '%-.32s' no 'host' '%-.64s', na tabela '%-.64s'" + rum "Nu exista un astfel de privilegiu (grant) definit pentru utilizatorul '%-.32s' de pe host-ul '%-.64s' pentru tabela '%-.64s'" + rus "ôÁËÉÅ ÐÒÁ×Á ÎÅ ÏÐÒÅÄÅÌÅÎÙ ÄÌÑ ÐÏÌØÚÏ×ÁÔÅÌÑ '%-.32s' ÎÁ ËÏÍÐØÀÔÅÒÅ '%-.64s' ÄÌÑ ÔÁÂÌÉÃÙ '%-.64s'" + serbian "Ne postoji odobrenje za pristup korisniku '%-.32s' na host-u '%-.64s' tabeli '%-.64s'" + spa "No existe tal permiso definido para usuario '%-.32s' en el servidor '%-.64s' en la tabla '%-.64s'" + swe "Det finns inget privilegium definierat för användare '%-.32s' på '%-.64s' för tabell '%-.64s'" + ukr "ðÏ×ÎÏ×ÁÖÅÎØ ÎÅ ×ÉÚÎÁÞÅÎÏ ÄÌÑ ËÏÒÉÓÔÕ×ÁÞÁ '%-.32s' Ú ÈÏÓÔÕ '%-.64s' ÄÌÑ ÔÁÂÌÉæ '%-.64s'" +ER_NOT_ALLOWED_COMMAND 42000 + cze "Pou-B¾itý pøíkaz není v této verzi MySQL povolen" + dan "Den brugte kommando er ikke tilladt med denne udgave af MySQL" + nla "Het used commando is niet toegestaan in deze MySQL versie" + eng "The used command is not allowed with this MySQL version" + est "Antud käsk ei ole lubatud käesolevas MySQL versioonis" + fre "Cette commande n'existe pas dans cette version de MySQL" + ger "Der verwendete Befehl ist in dieser MySQL-Version nicht zulässig" + hun "A hasznalt parancs nem engedelyezett ebben a MySQL verzioban" + ita "Il comando utilizzato non e` supportato in questa versione di MySQL" + kor "»ç¿ëµÈ ¸í·ÉÀº ÇöÀçÀÇ MySQL ¹öÁ¯¿¡¼­´Â ÀÌ¿ëµÇÁö ¾Ê½À´Ï´Ù." + por "Comando usado não é permitido para esta versão do MySQL" + rum "Comanda folosita nu este permisa pentru aceasta versiune de MySQL" + rus "üÔÁ ËÏÍÁÎÄÁ ÎÅ ÄÏÐÕÓËÁÅÔÓÑ × ÄÁÎÎÏÊ ×ÅÒÓÉÉ MySQL" + serbian "Upotrebljena komanda nije dozvoljena sa ovom verzijom MySQL servera" + spa "El comando usado no es permitido con esta versión de MySQL" + swe "Du kan inte använda detta kommando med denna MySQL version" + ukr "÷ÉËÏÒÉÓÔÏ×Õ×ÁÎÁ ËÏÍÁÎÄÁ ÎÅ ÄÏÚ×ÏÌÅÎÁ Õ Ã¦Ê ×ÅÒÓ¦§ MySQL" +ER_SYNTAX_ERROR 42000 + cze "Va-B¹e syntaxe je nìjaká divná" + dan "Der er en fejl i SQL syntaksen" + nla "Er is iets fout in de gebruikte syntax" + eng "You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax to use" + est "Viga SQL süntaksis" + fre "Erreur de syntaxe" + ger "Fehler in der SQL-Syntax. Bitte die korrekte Syntax im Handbuch nachschlagen (diese kann für verschiedene Server-Versionen unterschiedlich sein)" + greek "You have an error in your SQL syntax" + hun "Szintaktikai hiba" + ita "Errore di sintassi nella query SQL" + jpn "Something is wrong in your syntax" + kor "SQL ±¸¹®¿¡ ¿À·ù°¡ ÀÖ½À´Ï´Ù." + nor "Something is wrong in your syntax" + norwegian-ny "Something is wrong in your syntax" + pol "Something is wrong in your syntax" + por "Você tem um erro de sintaxe no seu SQL" + rum "Aveti o eroare in sintaxa RSQL" + rus "õ ×ÁÓ ÏÛÉÂËÁ × ÚÁÐÒÏÓÅ. éÚÕÞÉÔÅ ÄÏËÕÍÅÎÔÁÃÉÀ ÐÏ ÉÓÐÏÌØÚÕÅÍÏÊ ×ÅÒÓÉÉ MySQL ÎÁ ÐÒÅÄÍÅÔ ËÏÒÒÅËÔÎÏÇÏ ÓÉÎÔÁËÓÉÓÁ" + serbian "Imate grešku u vašoj SQL sintaksi" + slo "Something is wrong in your syntax" + spa "Algo está equivocado en su sintax" + swe "Du har något fel i din syntax" + ukr "õ ×ÁÓ ÐÏÍÉÌËÁ Õ ÓÉÎÔÁËÓÉÓ¦ SQL" +ER_DELAYED_CANT_CHANGE_LOCK + cze "Zpo-B¾dìný insert threadu nebyl schopen získat po¾adovaný zámek pro tabulku %-.64s" + dan "Forsinket indsættelse tråden (delayed insert thread) kunne ikke opnå lås på tabellen %-.64s" + nla "'Delayed insert' thread kon de aangevraagde 'lock' niet krijgen voor tabel %-.64s" + eng "Delayed insert thread couldn't get requested lock for table %-.64s" + est "INSERT DELAYED lõim ei suutnud saada soovitud lukku tabelile %-.64s" + fre "La tâche 'delayed insert' n'a pas pu obtenir le verrou démandé sur la table %-.64s" + ger "Verzögerter (DELAYED) Einfüge-Thread konnte die angeforderte Sperre für Tabelle '%-.64s' nicht erhalten" + hun "A kesleltetett beillesztes (delayed insert) thread nem kapott zatolast a %-.64s tablahoz" + ita "Il thread di inserimento ritardato non riesce ad ottenere il lock per la tabella %-.64s" + kor "Áö¿¬µÈ insert ¾²·¹µå°¡ Å×À̺í %-.64sÀÇ ¿ä±¸µÈ ¶ôÅ·À» ó¸®ÇÒ ¼ö ¾ø¾ú½À´Ï´Ù." + por "'Thread' de inserção retardada (atrasada) pois não conseguiu obter a trava solicitada para tabela '%-.64s'" + rum "Thread-ul pentru inserarea aminata nu a putut obtine lacatul (lock) pentru tabela %-.64s" + rus "ðÏÔÏË, ÏÂÓÌÕÖÉ×ÁÀÝÉÊ ÏÔÌÏÖÅÎÎÕÀ ×ÓÔÁ×ËÕ (delayed insert), ÎÅ ÓÍÏÇ ÐÏÌÕÞÉÔØ ÚÁÐÒÁÛÉ×ÁÅÍÕÀ ÂÌÏËÉÒÏ×ËÕ ÎÁ ÔÁÂÌÉÃÕ %-.64s" + serbian "Prolongirani 'INSERT' thread nije mogao da dobije traženo zakljuèavanje tabele '%-.64s'" + spa "Thread de inserción retarda no pudiendo bloquear para la tabla %-.64s" + swe "DELAYED INSERT-tråden kunde inte låsa tabell '%-.64s'" + ukr "ç¦ÌËÁ ÄÌÑ INSERT DELAYED ÎÅ ÍÏÖÅ ÏÔÒÉÍÁÔÉ ÂÌÏËÕ×ÁÎÎÑ ÄÌÑ ÔÁÂÌÉæ %-.64s" +ER_TOO_MANY_DELAYED_THREADS + cze "P-Bøíli¹ mnoho zpo¾dìných threadù" + dan "For mange slettede tråde (threads) i brug" + nla "Te veel 'delayed' threads in gebruik" + eng "Too many delayed threads in use" + est "Liiga palju DELAYED lõimesid kasutusel" + fre "Trop de tâche 'delayed' en cours" + ger "Zu viele verzögerte (DELAYED) Threads in Verwendung" + hun "Tul sok kesletetett thread (delayed)" + ita "Troppi threads ritardati in uso" + kor "³Ê¹« ¸¹Àº Áö¿¬ ¾²·¹µå¸¦ »ç¿ëÇϰí ÀÖ½À´Ï´Ù." + por "Excesso de 'threads' retardadas (atrasadas) em uso" + rum "Prea multe threaduri aminate care sint in uz" + rus "óÌÉÛËÏÍ ÍÎÏÇÏ ÐÏÔÏËÏ×, ÏÂÓÌÕÖÉ×ÁÀÝÉÈ ÏÔÌÏÖÅÎÎÕÀ ×ÓÔÁ×ËÕ (delayed insert)" + serbian "Previše prolongiranih thread-ova je u upotrebi" + spa "Muchos threads retardados en uso" + swe "Det finns redan 'max_delayed_threads' trådar i använding" + ukr "úÁÂÁÇÁÔÏ ÚÁÔÒÉÍÁÎÉÈ Ç¦ÌÏË ×ÉËÏÒÉÓÔÏ×Õ¤ÔØÓÑ" +ER_ABORTING_CONNECTION 08S01 + cze "Zru-B¹eno spojení %ld do databáze: '%-.64s' u¾ivatel: '%-.64s' (%s)" + dan "Afbrudt forbindelse %ld til database: '%-.64s' bruger: '%-.64s' (%-.64s)" + nla "Afgebroken verbinding %ld naar db: '%-.64s' gebruiker: '%-.64s' (%s)" + eng "Aborted connection %ld to db: '%-.64s' user: '%-.32s' (%-.64s)" + est "Ühendus katkestatud %ld andmebaasile: '%-.64s' kasutajale: '%-.32s' (%-.64s)" + fre "Connection %ld avortée vers la bd: '%-.64s' utilisateur: '%-.64s' (%s)" + ger "Abbruch der Verbindung %ld zur Datenbank '%-.64s'. Benutzer: '%-.64s' (%-.64s)" + hun "Megszakitott kapcsolat %ld db: '%-.64s' adatbazishoz, felhasznalo: '%-.64s' (%s)" + ita "Interrotta la connessione %ld al db: '%-.64s' utente: '%-.64s' (%s)" + jpn "Aborted connection %ld to db: '%-.64s' user: '%-.64s' (%s)" + kor "µ¥ÀÌŸº£À̽º Á¢¼ÓÀ» À§ÇÑ ¿¬°á %ld°¡ Áß´ÜµÊ : '%-.64s' »ç¿ëÀÚ: '%-.64s' (%s)" + nor "Aborted connection %ld to db: '%-.64s' user: '%-.64s' (%s)" + norwegian-ny "Aborted connection %ld to db: '%-.64s' user: '%-.64s' (%s)" + pol "Aborted connection %ld to db: '%-.64s' user: '%-.64s' (%s)" + por "Conexão %ld abortou para o banco de dados '%-.64s' - usuário '%-.32s' (%-.64s)" + rum "Conectie terminata %ld la baza de date: '%-.64s' utilizator: '%-.32s' (%-.64s)" + rus "ðÒÅÒ×ÁÎÏ ÓÏÅÄÉÎÅÎÉÅ %ld Ë ÂÁÚÅ ÄÁÎÎÙÈ '%-.64s' ÐÏÌØÚÏ×ÁÔÅÌÑ '%-.32s' (%-.64s)" + serbian "Prekinuta konekcija broj %ld ka bazi: '%-.64s' korisnik je bio: '%-.32s' (%-.64s)" + slo "Aborted connection %ld to db: '%-.64s' user: '%-.64s' (%s)" + spa "Conexión abortada %ld para db: '%-.64s' usuario: '%-.64s' (%s)" + swe "Avbröt länken för tråd %ld till db '%-.64s', användare '%-.64s' (%s)" + ukr "ðÅÒÅÒ×ÁÎÏ Ú'¤ÄÎÁÎÎÑ %ld ÄÏ ÂÁÚÉ ÄÁÎÎÉÈ: '%-.64s' ËÏÒÉÓÔÕ×ÁÞÁ: '%-.32s' (%-.64s)" +ER_NET_PACKET_TOO_LARGE 08S01 + cze "Zji-B¹tìn pøíchozí packet del¹í ne¾ 'max_allowed_packet'" + dan "Modtog en datapakke som var større end 'max_allowed_packet'" + nla "Groter pakket ontvangen dan 'max_allowed_packet'" + eng "Got a packet bigger than 'max_allowed_packet' bytes" + est "Saabus suurem pakett kui lubatud 'max_allowed_packet' muutujaga" + fre "Paquet plus grand que 'max_allowed_packet' reçu" + ger "Empfangenes Paket ist größer als 'max_allowed_packet'" + hun "A kapott csomag nagyobb, mint a maximalisan engedelyezett: 'max_allowed_packet'" + ita "Ricevuto un pacchetto piu` grande di 'max_allowed_packet'" + kor "'max_allowed_packet'º¸´Ù ´õÅ« ÆÐŶÀ» ¹Þ¾Ò½À´Ï´Ù." + por "Obteve um pacote maior do que a taxa máxima de pacotes definida (max_allowed_packet)" + rum "Un packet mai mare decit 'max_allowed_packet' a fost primit" + rus "ðÏÌÕÞÅÎÎÙÊ ÐÁËÅÔ ÂÏÌØÛÅ, ÞÅÍ 'max_allowed_packet'" + serbian "Primio sam mrežni paket veæi od definisane vrednosti 'max_allowed_packet'" + spa "Obtenido un paquete mayor que 'max_allowed_packet'" + swe "Kommunkationspaketet är större än 'max_allowed_packet'" + ukr "ïÔÒÉÍÁÎÏ ÐÁËÅÔ Â¦ÌØÛÉÊ Î¦Ö max_allowed_packet" +ER_NET_READ_ERROR_FROM_PIPE 08S01 + cze "Zji-B¹tìna chyba pøi ètení z roury spojení" + dan "Fik læsefejl fra forbindelse (connection pipe)" + nla "Kreeg leesfout van de verbindings pipe" + eng "Got a read error from the connection pipe" + est "Viga ühendustoru lugemisel" + fre "Erreur de lecture reçue du pipe de connection" + ger "Lese-Fehler bei einer Kommunikations-Pipe" + hun "Olvasasi hiba a kapcsolat soran" + ita "Rilevato un errore di lettura dalla pipe di connessione" + kor "¿¬°á ÆÄÀÌÇÁ·ÎºÎÅÍ ¿¡·¯°¡ ¹ß»ýÇÏ¿´½À´Ï´Ù." + por "Obteve um erro de leitura no 'pipe' da conexão" + rum "Eroare la citire din cauza lui 'connection pipe'" + rus "ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ ÞÔÅÎÉÑ ÏÔ ÐÏÔÏËÁ ÓÏÅÄÉÎÅÎÉÑ (connection pipe)" + serbian "Greška pri èitanju podataka sa pipe-a" + spa "Obtenido un error de lectura de la conexión pipe" + swe "Fick läsfel från klienten vid läsning från 'PIPE'" + ukr "ïÔÒÉÍÁÎÏ ÐÏÍÉÌËÕ ÞÉÔÁÎÎÑ Ú ËÏÍÕΦËÁæÊÎÏÇÏ ËÁÎÁÌÕ" +ER_NET_FCNTL_ERROR 08S01 + cze "Zji-B¹tìna chyba fcntl()" + dan "Fik fejlmeddelelse fra fcntl()" + nla "Kreeg fout van fcntl()" + eng "Got an error from fcntl()" + est "fcntl() tagastas vea" + fre "Erreur reçue de fcntl() " + ger "fcntl() lieferte einen Fehler" + hun "Hiba a fcntl() fuggvenyben" + ita "Rilevato un errore da fcntl()" + kor "fcntl() ÇÔ¼ö·ÎºÎÅÍ ¿¡·¯°¡ ¹ß»ýÇÏ¿´½À´Ï´Ù." + por "Obteve um erro em fcntl()" + rum "Eroare obtinuta de la fcntl()" + rus "ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ ÏÔ fcntl()" + serbian "Greška pri izvršavanju funkcije fcntl()" + spa "Obtenido un error de fcntl()" + swe "Fick fatalt fel från 'fcntl()'" + ukr "ïÔÒÉÍÁÎÏ ÐÏÍÉÌËËÕ ×¦Ä fcntl()" +ER_NET_PACKETS_OUT_OF_ORDER 08S01 + cze "P-Bøíchozí packety v chybném poøadí" + dan "Modtog ikke datapakker i korrekt rækkefølge" + nla "Pakketten in verkeerde volgorde ontvangen" + eng "Got packets out of order" + est "Paketid saabusid vales järjekorras" + fre "Paquets reçus dans le désordre" + ger "Pakete nicht in der richtigen Reihenfolge empfangen" + hun "Helytelen sorrendben erkezett adatcsomagok" + ita "Ricevuti pacchetti non in ordine" + kor "¼ø¼­°¡ ¸ÂÁö¾Ê´Â ÆÐŶÀ» ¹Þ¾Ò½À´Ï´Ù." + por "Obteve pacotes fora de ordem" + rum "Packets care nu sint ordonati au fost gasiti" + rus "ðÁËÅÔÙ ÐÏÌÕÞÅÎÙ × ÎÅ×ÅÒÎÏÍ ÐÏÒÑÄËÅ" + serbian "Primio sam mrežne pakete van reda" + spa "Obtenido paquetes desordenados" + swe "Kommunikationspaketen kom i fel ordning" + ukr "ïÔÒÉÍÁÎÏ ÐÁËÅÔÉ Õ ÎÅÎÁÌÅÖÎÏÍÕ ÐÏÒÑÄËÕ" +ER_NET_UNCOMPRESS_ERROR 08S01 + cze "Nemohu rozkomprimovat komunika-Bèní packet" + dan "Kunne ikke dekomprimere kommunikations-pakke (communication packet)" + nla "Communicatiepakket kon niet worden gedecomprimeerd" + eng "Couldn't uncompress communication packet" + est "Viga andmepaketi lahtipakkimisel" + fre "Impossible de décompresser le paquet reçu" + ger "Kommunikationspaket lässt sich nicht entpacken" + hun "A kommunikacios adatcsomagok nem tomorithetok ki" + ita "Impossibile scompattare i pacchetti di comunicazione" + kor "Åë½Å ÆÐŶÀÇ ¾ÐÃàÇØÁ¦¸¦ ÇÒ ¼ö ¾ø¾ú½À´Ï´Ù." + por "Não conseguiu descomprimir pacote de comunicação" + rum "Nu s-a putut decompresa pachetul de comunicatie (communication packet)" + rus "îÅ×ÏÚÍÏÖÎÏ ÒÁÓÐÁËÏ×ÁÔØ ÐÁËÅÔ, ÐÏÌÕÞÅÎÎÙÊ ÞÅÒÅÚ ËÏÍÍÕÎÉËÁÃÉÏÎÎÙÊ ÐÒÏÔÏËÏÌ" + serbian "Ne mogu da dekompresujem mrežne pakete" + spa "No puedo descomprimir paquetes de comunicación" + swe "Kunde inte packa up kommunikationspaketet" + ukr "îÅ ÍÏÖÕ ÄÅËÏÍÐÒÅÓÕ×ÁÔÉ ËÏÍÕΦËÁæÊÎÉÊ ÐÁËÅÔ" +ER_NET_READ_ERROR 08S01 + cze "Zji-B¹tìna chyba pøi ètení komunikaèního packetu" + dan "Fik fejlmeddelelse ved læsning af kommunikations-pakker (communication packets)" + nla "Fout bij het lezen van communicatiepakketten" + eng "Got an error reading communication packets" + est "Viga andmepaketi lugemisel" + fre "Erreur de lecture des paquets reçus" + ger "Fehler beim Lesen eines Kommunikationspakets" + hun "HIba a kommunikacios adatcsomagok olvasasa soran" + ita "Rilevato un errore ricevendo i pacchetti di comunicazione" + kor "Åë½Å ÆÐŶÀ» Àд Áß ¿À·ù°¡ ¹ß»ýÇÏ¿´½À´Ï´Ù." + por "Obteve um erro na leitura de pacotes de comunicação" + rum "Eroare obtinuta citind pachetele de comunicatie (communication packets)" + rus "ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ × ÐÒÏÃÅÓÓÅ ÐÏÌÕÞÅÎÉÑ ÐÁËÅÔÁ ÞÅÒÅÚ ËÏÍÍÕÎÉËÁÃÉÏÎÎÙÊ ÐÒÏÔÏËÏÌ " + serbian "Greška pri primanju mrežnih paketa" + spa "Obtenido un error leyendo paquetes de comunicación" + swe "Fick ett fel vid läsning från klienten" + ukr "ïÔÒÉÍÁÎÏ ÐÏÍÉÌËÕ ÞÉÔÁÎÎÑ ËÏÍÕΦËÁæÊÎÉÈ ÐÁËÅÔ¦×" +ER_NET_READ_INTERRUPTED 08S01 + cze "Zji-B¹tìn timeout pøi ètení komunikaèního packetu" + dan "Timeout-fejl ved læsning af kommunukations-pakker (communication packets)" + nla "Timeout bij het lezen van communicatiepakketten" + eng "Got timeout reading communication packets" + est "Kontrollaja ületamine andmepakettide lugemisel" + fre "Timeout en lecture des paquets reçus" + ger "Zeitüberschreitung beim Lesen eines Kommunikationspakets" + hun "Idotullepes a kommunikacios adatcsomagok olvasasa soran" + ita "Rilevato un timeout ricevendo i pacchetti di comunicazione" + kor "Åë½Å ÆÐŶÀ» Àд Áß timeoutÀÌ ¹ß»ýÇÏ¿´½À´Ï´Ù." + por "Obteve expiração de tempo (timeout) na leitura de pacotes de comunicação" + rum "Timeout obtinut citind pachetele de comunicatie (communication packets)" + rus "ðÏÌÕÞÅÎ ÔÁÊÍÁÕÔ ÏÖÉÄÁÎÉÑ ÐÁËÅÔÁ ÞÅÒÅÚ ËÏÍÍÕÎÉËÁÃÉÏÎÎÙÊ ÐÒÏÔÏËÏÌ " + serbian "Vremenski limit za èitanje mrežnih paketa je istekao" + spa "Obtenido timeout leyendo paquetes de comunicación" + swe "Fick 'timeout' vid läsning från klienten" + ukr "ïÔÒÉÍÁÎÏ ÚÁÔÒÉÍËÕ ÞÉÔÁÎÎÑ ËÏÍÕΦËÁæÊÎÉÈ ÐÁËÅÔ¦×" +ER_NET_ERROR_ON_WRITE 08S01 + cze "Zji-B¹tìna chyba pøi zápisu komunikaèního packetu" + dan "Fik fejlmeddelelse ved skrivning af kommunukations-pakker (communication packets)" + nla "Fout bij het schrijven van communicatiepakketten" + eng "Got an error writing communication packets" + est "Viga andmepaketi kirjutamisel" + fre "Erreur d'écriture des paquets envoyés" + ger "Fehler beim Schreiben eines Kommunikationspakets" + hun "Hiba a kommunikacios csomagok irasa soran" + ita "Rilevato un errore inviando i pacchetti di comunicazione" + kor "Åë½Å ÆÐŶÀ» ±â·ÏÇÏ´Â Áß ¿À·ù°¡ ¹ß»ýÇÏ¿´½À´Ï´Ù." + por "Obteve um erro na escrita de pacotes de comunicação" + rum "Eroare in scrierea pachetelor de comunicatie (communication packets)" + rus "ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ ÐÒÉ ÐÅÒÅÄÁÞÅ ÐÁËÅÔÁ ÞÅÒÅÚ ËÏÍÍÕÎÉËÁÃÉÏÎÎÙÊ ÐÒÏÔÏËÏÌ " + serbian "Greška pri slanju mrežnih paketa" + spa "Obtenido un error de escribiendo paquetes de comunicación" + swe "Fick ett fel vid skrivning till klienten" + ukr "ïÔÒÉÍÁÎÏ ÐÏÍÉÌËÕ ÚÁÐÉÓÕ ËÏÍÕΦËÁæÊÎÉÈ ÐÁËÅÔ¦×" +ER_NET_WRITE_INTERRUPTED 08S01 + cze "Zji-B¹tìn timeout pøi zápisu komunikaèního packetu" + dan "Timeout-fejl ved skrivning af kommunukations-pakker (communication packets)" + nla "Timeout bij het schrijven van communicatiepakketten" + eng "Got timeout writing communication packets" + est "Kontrollaja ületamine andmepakettide kirjutamisel" + fre "Timeout d'écriture des paquets envoyés" + ger "Zeitüberschreitung beim Schreiben eines Kommunikationspakets" + hun "Idotullepes a kommunikacios csomagok irasa soran" + ita "Rilevato un timeout inviando i pacchetti di comunicazione" + kor "Åë½Å ÆÐÆÂÀ» ±â·ÏÇÏ´Â Áß timeoutÀÌ ¹ß»ýÇÏ¿´½À´Ï´Ù." + por "Obteve expiração de tempo ('timeout') na escrita de pacotes de comunicação" + rum "Timeout obtinut scriind pachetele de comunicatie (communication packets)" + rus "ðÏÌÕÞÅÎ ÔÁÊÍÁÕÔ × ÐÒÏÃÅÓÓÅ ÐÅÒÅÄÁÞÉ ÐÁËÅÔÁ ÞÅÒÅÚ ËÏÍÍÕÎÉËÁÃÉÏÎÎÙÊ ÐÒÏÔÏËÏÌ " + serbian "Vremenski limit za slanje mrežnih paketa je istekao" + spa "Obtenido timeout escribiendo paquetes de comunicación" + swe "Fick 'timeout' vid skrivning till klienten" + ukr "ïÔÒÉÍÁÎÏ ÚÁÔÒÉÍËÕ ÚÁÐÉÓÕ ËÏÍÕΦËÁæÊÎÉÈ ÐÁËÅÔ¦×" +ER_TOO_LONG_STRING 42000 + cze "V-Býsledný øetìzec je del¹í ne¾ 'max_allowed_packet'" + dan "Strengen med resultater er større end 'max_allowed_packet'" + nla "Resultaat string is langer dan 'max_allowed_packet'" + eng "Result string is longer than 'max_allowed_packet' bytes" + est "Tulemus on pikem kui lubatud 'max_allowed_packet' muutujaga" + fre "La chaîne résultat est plus grande que 'max_allowed_packet'" + ger "Ergebnis ist länger als 'max_allowed_packet'" + hun "Ez eredmeny sztring nagyobb, mint a lehetseges maximum: 'max_allowed_packet'" + ita "La stringa di risposta e` piu` lunga di 'max_allowed_packet'" + por "'String' resultante é mais longa do que 'max_allowed_packet'" + rum "Sirul rezultat este mai lung decit 'max_allowed_packet'" + rus "òÅÚÕÌØÔÉÒÕÀÝÁÑ ÓÔÒÏËÁ ÂÏÌØÛÅ, ÞÅÍ 'max_allowed_packet'" + serbian "Rezultujuèi string je duži nego što to dozvoljava parametar servera 'max_allowed_packet'" + spa "La string resultante es mayor que max_allowed_packet" + swe "Resultatsträngen är längre än max_allowed_packet" + ukr "óÔÒÏËÁ ÒÅÚÕÌØÔÁÔÕ ÄÏ×ÛÁ Î¦Ö max_allowed_packet" +ER_TABLE_CANT_HANDLE_BLOB 42000 + cze "Typ pou-B¾ité tabulky nepodporuje BLOB/TEXT sloupce" + dan "Denne tabeltype understøtter ikke brug af BLOB og TEXT kolonner" + nla "Het gebruikte tabel type ondersteunt geen BLOB/TEXT kolommen" + eng "The used table type doesn't support BLOB/TEXT columns" + est "Valitud tabelitüüp ei toeta BLOB/TEXT tüüpi välju" + fre "Ce type de table ne supporte pas les colonnes BLOB/TEXT" + ger "Der verwendete Tabellentyp unterstützt keine BLOB- und TEXT-Spalten" + hun "A hasznalt tabla tipus nem tamogatja a BLOB/TEXT mezoket" + ita "Il tipo di tabella usata non supporta colonne di tipo BLOB/TEXT" + por "Tipo de tabela usado não permite colunas BLOB/TEXT" + rum "Tipul de tabela folosit nu suporta coloane de tip BLOB/TEXT" + rus "éÓÐÏÌØÚÕÅÍÁÑ ÔÁÂÌÉÃÁ ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔ ÔÉÐÙ BLOB/TEXT" + serbian "Iskorišteni tip tabele ne podržava kolone tipa 'BLOB' odnosno 'TEXT'" + spa "El tipo de tabla usada no permite soporte para columnas BLOB/TEXT" + swe "Den använda tabelltypen kan inte hantera BLOB/TEXT-kolumner" + ukr "÷ÉËÏÒÉÓÔÁÎÉÊ ÔÉÐ ÔÁÂÌÉæ ΊЦÄÔÒÉÍÕ¤ BLOB/TEXT ÓÔÏ×Âæ" +ER_TABLE_CANT_HANDLE_AUTO_INCREMENT 42000 + cze "Typ pou-B¾ité tabulky nepodporuje AUTO_INCREMENT sloupce" + dan "Denne tabeltype understøtter ikke brug af AUTO_INCREMENT kolonner" + nla "Het gebruikte tabel type ondersteunt geen AUTO_INCREMENT kolommen" + eng "The used table type doesn't support AUTO_INCREMENT columns" + est "Valitud tabelitüüp ei toeta AUTO_INCREMENT tüüpi välju" + fre "Ce type de table ne supporte pas les colonnes AUTO_INCREMENT" + ger "Der verwendete Tabellentyp unterstützt keine AUTO_INCREMENT-Spalten" + hun "A hasznalt tabla tipus nem tamogatja az AUTO_INCREMENT tipusu mezoket" + ita "Il tipo di tabella usata non supporta colonne di tipo AUTO_INCREMENT" + por "Tipo de tabela usado não permite colunas AUTO_INCREMENT" + rum "Tipul de tabela folosit nu suporta coloane de tip AUTO_INCREMENT" + rus "éÓÐÏÌØÚÕÅÍÁÑ ÔÁÂÌÉÃÁ ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔ Á×ÔÏÉÎËÒÅÍÅÎÔÎÙÅ ÓÔÏÌÂÃÙ" + serbian "Iskorišteni tip tabele ne podržava kolone tipa 'AUTO_INCREMENT'" + spa "El tipo de tabla usada no permite soporte para columnas AUTO_INCREMENT" + swe "Den använda tabelltypen kan inte hantera AUTO_INCREMENT-kolumner" + ukr "÷ÉËÏÒÉÓÔÁÎÉÊ ÔÉÐ ÔÁÂÌÉæ ΊЦÄÔÒÉÍÕ¤ AUTO_INCREMENT ÓÔÏ×Âæ" +ER_DELAYED_INSERT_TABLE_LOCKED + cze "INSERT DELAYED nen-Bí mo¾no s tabulkou '%-.64s' pou¾ít, proto¾e je zamèená pomocí LOCK TABLES" + dan "INSERT DELAYED kan ikke bruges med tabellen '%-.64s', fordi tabellen er låst med LOCK TABLES" + nla "INSERT DELAYED kan niet worden gebruikt bij table '%-.64s', vanwege een 'lock met LOCK TABLES" + eng "INSERT DELAYED can't be used with table '%-.64s' because it is locked with LOCK TABLES" + est "INSERT DELAYED ei saa kasutada tabeli '%-.64s' peal, kuna see on lukustatud LOCK TABLES käsuga" + fre "INSERT DELAYED ne peut être utilisé avec la table '%-.64s', car elle est verrouée avec LOCK TABLES" + ger "INSERT DELAYED kann nicht auf Tabelle '%-.64s' angewendet werden, da diese mit LOCK TABLES gesperrt ist" + greek "INSERT DELAYED can't be used with table '%-.64s', because it is locked with LOCK TABLES" + hun "Az INSERT DELAYED nem hasznalhato a '%-.64s' tablahoz, mert a tabla zarolt (LOCK TABLES)" + ita "L'inserimento ritardato (INSERT DELAYED) non puo` essere usato con la tabella '%-.64s', perche` soggetta a lock da 'LOCK TABLES'" + jpn "INSERT DELAYED can't be used with table '%-.64s', because it is locked with LOCK TABLES" + kor "INSERT DELAYED can't be used with table '%-.64s', because it is locked with LOCK TABLES" + nor "INSERT DELAYED can't be used with table '%-.64s', because it is locked with LOCK TABLES" + norwegian-ny "INSERT DELAYED can't be used with table '%-.64s', because it is locked with LOCK TABLES" + pol "INSERT DELAYED can't be used with table '%-.64s', because it is locked with LOCK TABLES" + por "INSERT DELAYED não pode ser usado com a tabela '%-.64s', porque ela está travada com LOCK TABLES" + rum "INSERT DELAYED nu poate fi folosit cu tabela '%-.64s', deoarece este locked folosing LOCK TABLES" + rus "îÅÌØÚÑ ÉÓÐÏÌØÚÏ×ÁÔØ INSERT DELAYED ÄÌÑ ÔÁÂÌÉÃÙ '%-.64s', ÐÏÔÏÍÕ ÞÔÏ ÏÎÁ ÚÁÂÌÏËÉÒÏ×ÁÎÁ Ó ÐÏÍÏÝØÀ LOCK TABLES" + serbian "Komanda 'INSERT DELAYED' ne može biti iskorištena u tabeli '%-.64s', zbog toga što je zakljuèana komandom 'LOCK TABLES'" + slo "INSERT DELAYED can't be used with table '%-.64s', because it is locked with LOCK TABLES" + spa "INSERT DELAYED no puede ser usado con tablas '%-.64s', porque esta bloqueada con LOCK TABLES" + swe "INSERT DELAYED kan inte användas med tabell '%-.64s', emedan den är låst med LOCK TABLES" + ukr "INSERT DELAYED ÎÅ ÍÏÖÅ ÂÕÔÉ ×ÉËÏÒÉÓÔÁÎÏ Ú ÔÁÂÌÉÃÅÀ '%-.64s', ÔÏÍÕ ÝÏ §§ ÚÁÂÌÏËÏ×ÁÎÏ Ú LOCK TABLES" +ER_WRONG_COLUMN_NAME 42000 + cze "Nespr-Bávné jméno sloupce '%-.100s'" + dan "Forkert kolonnenavn '%-.100s'" + nla "Incorrecte kolom naam '%-.100s'" + eng "Incorrect column name '%-.100s'" + est "Vigane tulba nimi '%-.100s'" + fre "Nom de colonne '%-.100s' incorrect" + ger "Falscher Spaltenname '%-.100s'" + hun "Ervenytelen mezonev: '%-.100s'" + ita "Nome colonna '%-.100s' non corretto" + por "Nome de coluna '%-.100s' incorreto" + rum "Nume increct de coloana '%-.100s'" + rus "îÅ×ÅÒÎÏÅ ÉÍÑ ÓÔÏÌÂÃÁ '%-.100s'" + serbian "Pogrešno ime kolone '%-.100s'" + spa "Incorrecto nombre de columna '%-.100s'" + swe "Felaktigt kolumnnamn '%-.100s'" + ukr "îÅצÒÎÅ ¦Í'Ñ ÓÔÏ×ÂÃÑ '%-.100s'" +ER_WRONG_KEY_COLUMN 42000 + cze "Handler pou-B¾ité tabulky neumí indexovat sloupce '%-.64s'" + dan "Den brugte tabeltype kan ikke indeksere kolonnen '%-.64s'" + nla "De gebruikte tabel 'handler' kan kolom '%-.64s' niet indexeren" + eng "The used storage engine can't index column '%-.64s'" + est "Tabelihandler ei oska indekseerida tulpa '%-.64s'" + fre "Le handler de la table ne peut indexé la colonne '%-.64s'" + ger "Der verwendete Tabellen-Handler kann die Spalte '%-.64s' nicht indizieren" + greek "The used table handler can't index column '%-.64s'" + hun "A hasznalt tablakezelo nem tudja a '%-.64s' mezot indexelni" + ita "Il gestore delle tabelle non puo` indicizzare la colonna '%-.64s'" + jpn "The used table handler can't index column '%-.64s'" + kor "The used table handler can't index column '%-.64s'" + nor "The used table handler can't index column '%-.64s'" + norwegian-ny "The used table handler can't index column '%-.64s'" + pol "The used table handler can't index column '%-.64s'" + por "O manipulador de tabela usado não pode indexar a coluna '%-.64s'" + rum "Handler-ul tabelei folosite nu poate indexa coloana '%-.64s'" + rus "éÓÐÏÌØÚÏ×ÁÎÎÙÊ ÏÂÒÁÂÏÔÞÉË ÔÁÂÌÉÃÙ ÎÅ ÍÏÖÅÔ ÐÒÏÉÎÄÅËÓÉÒÏ×ÁÔØ ÓÔÏÌÂÅà '%-.64s'" + serbian "Handler tabele ne može da indeksira kolonu '%-.64s'" + slo "The used table handler can't index column '%-.64s'" + spa "El manipulador de tabla usado no puede indexar columna '%-.64s'" + swe "Den använda tabelltypen kan inte indexera kolumn '%-.64s'" + ukr "÷ÉËÏÒÉÓÔÁÎÉÊ ×ËÁÚ¦×ÎÉË ÔÁÂÌÉæ ÎÅ ÍÏÖÅ ¦ÎÄÅËÓÕ×ÁÔÉ ÓÔÏ×ÂÅÃØ '%-.64s'" +ER_WRONG_MRG_TABLE + cze "V-B¹echny tabulky v MERGE tabulce nejsou definovány stejnì" + dan "Tabellerne i MERGE er ikke defineret ens" + nla "Niet alle tabellen in de MERGE tabel hebben identieke gedefinities" + eng "All tables in the MERGE table are not identically defined" + est "Kõik tabelid MERGE tabeli määratluses ei ole identsed" + fre "Toutes les tables de la table de type MERGE n'ont pas la même définition" + ger "Nicht alle Tabellen in der MERGE-Tabelle sind gleich definiert" + hun "A MERGE tablaban talalhato tablak definicioja nem azonos" + ita "Non tutte le tabelle nella tabella di MERGE sono definite in maniera identica" + jpn "All tables in the MERGE table are not defined identically" + kor "All tables in the MERGE table are not defined identically" + nor "All tables in the MERGE table are not defined identically" + norwegian-ny "All tables in the MERGE table are not defined identically" + pol "All tables in the MERGE table are not defined identically" + por "Todas as tabelas contidas na tabela fundida (MERGE) não estão definidas identicamente" + rum "Toate tabelele din tabela MERGE nu sint definite identic" + rus "îÅ ×ÓÅ ÔÁÂÌÉÃÙ × MERGE ÏÐÒÅÄÅÌÅÎÙ ÏÄÉÎÁËÏ×Ï" + serbian "Tabele iskorištene u 'MERGE' tabeli nisu definisane na isti naèin" + slo "All tables in the MERGE table are not defined identically" + spa "Todas las tablas en la MERGE tabla no estan definidas identicamente" + swe "Tabellerna i MERGE-tabellen är inte identiskt definierade" + ukr "ôÁÂÌÉæ Õ MERGE TABLE ÍÁÀÔØ Ò¦ÚÎÕ ÓÔÒÕËÔÕÒÕ" +ER_DUP_UNIQUE 23000 + cze "Kv-Bùli unique constraintu nemozu zapsat do tabulky '%-.64s'" + dan "Kan ikke skrive til tabellen '%-.64s' fordi det vil bryde CONSTRAINT regler" + nla "Kan niet opslaan naar table '%-.64s' vanwege 'unique' beperking" + eng "Can't write, because of unique constraint, to table '%-.64s'" + est "Ei suuda kirjutada tabelisse '%-.64s', kuna see rikub ühesuse kitsendust" + fre "Écriture impossible à cause d'un index UNIQUE sur la table '%-.64s'" + ger "Schreiben in Tabelle '%-.64s' nicht möglich wegen einer eindeutigen Beschränkung (unique constraint)" + hun "A '%-.64s' nem irhato, az egyedi mezok miatt" + ita "Impossibile scrivere nella tabella '%-.64s' per limitazione di unicita`" + por "Não pode gravar, devido à restrição UNIQUE, na tabela '%-.64s'" + rum "Nu pot scrie pe hard-drive, din cauza constraintului unic (unique constraint) pentru tabela '%-.64s'" + rus "îÅ×ÏÚÍÏÖÎÏ ÚÁÐÉÓÁÔØ × ÔÁÂÌÉÃÕ '%-.64s' ÉÚ-ÚÁ ÏÇÒÁÎÉÞÅÎÉÊ ÕÎÉËÁÌØÎÏÇÏ ËÌÀÞÁ" + serbian "Zbog provere jedinstvenosti ne mogu da upišem podatke u tabelu '%-.64s'" + spa "No puedo escribir, debido al único constraint, para tabla '%-.64s'" + swe "Kan inte skriva till tabell '%-.64s'; UNIQUE-test" + ukr "îÅ ÍÏÖÕ ÚÁÐÉÓÁÔÉ ÄÏ ÔÁÂÌÉæ '%-.64s', Ú ÐÒÉÞÉÎÉ ×ÉÍÏÇ ÕΦËÁÌØÎÏÓÔ¦" +ER_BLOB_KEY_WITHOUT_LENGTH 42000 + cze "BLOB sloupec '%-.64s' je pou-B¾it ve specifikaci klíèe bez délky" + dan "BLOB kolonnen '%-.64s' brugt i nøglespecifikation uden nøglelængde" + nla "BLOB kolom '%-.64s' gebruikt in zoeksleutel specificatie zonder zoeksleutel lengte" + eng "BLOB/TEXT column '%-.64s' used in key specification without a key length" + est "BLOB-tüüpi tulp '%-.64s' on kasutusel võtmes ilma pikkust määratlemata" + fre "La colonne '%-.64s' de type BLOB est utilisée dans une définition d'index sans longueur d'index" + ger "BLOB- oder TEXT-Spalte '%-.64s' wird in der Schlüsseldefinition ohne Schlüssellängenangabe verwendet" + greek "BLOB column '%-.64s' used in key specification without a key length" + hun "BLOB mezo '%-.64s' hasznalt a mezo specifikacioban, a mezohossz megadasa nelkul" + ita "La colonna '%-.64s' di tipo BLOB e` usata in una chiave senza specificarne la lunghezza" + jpn "BLOB column '%-.64s' used in key specification without a key length" + kor "BLOB column '%-.64s' used in key specification without a key length" + nor "BLOB column '%-.64s' used in key specification without a key length" + norwegian-ny "BLOB column '%-.64s' used in key specification without a key length" + pol "BLOB column '%-.64s' used in key specification without a key length" + por "Coluna BLOB '%-.64s' usada na especificação de chave sem o comprimento da chave" + rum "Coloana BLOB '%-.64s' este folosita in specificarea unei chei fara ca o lungime de cheie sa fie folosita" + rus "óÔÏÌÂÅà ÔÉÐÁ BLOB '%-.64s' ÂÙÌ ÕËÁÚÁÎ × ÏÐÒÅÄÅÌÅÎÉÉ ËÌÀÞÁ ÂÅÚ ÕËÁÚÁÎÉÑ ÄÌÉÎÙ ËÌÀÞÁ" + serbian "BLOB kolona '%-.64s' je upotrebljena u specifikaciji kljuèa bez navoðenja dužine kljuèa" + slo "BLOB column '%-.64s' used in key specification without a key length" + spa "Columna BLOB column '%-.64s' usada en especificación de clave sin tamaño de la clave" + swe "Du har inte angett någon nyckellängd för BLOB '%-.64s'" + ukr "óÔÏ×ÂÅÃØ BLOB '%-.64s' ×ÉËÏÒÉÓÔÁÎÏ Õ ×ÉÚÎÁÞÅÎΦ ËÌÀÞÁ ÂÅÚ ×ËÁÚÁÎÎÑ ÄÏ×ÖÉÎÉ ËÌÀÞÁ" +ER_PRIMARY_CANT_HAVE_NULL 42000 + cze "V-B¹echny èásti primárního klíèe musejí být NOT NULL; pokud potøebujete NULL, pou¾ijte UNIQUE" + dan "Alle dele af en PRIMARY KEY skal være NOT NULL; Hvis du skal bruge NULL i nøglen, brug UNIQUE istedet" + nla "Alle delen van een PRIMARY KEY moeten NOT NULL zijn; Indien u NULL in een zoeksleutel nodig heeft kunt u UNIQUE gebruiken" + eng "All parts of a PRIMARY KEY must be NOT NULL; if you need NULL in a key, use UNIQUE instead" + est "Kõik PRIMARY KEY peavad olema määratletud NOT NULL piiranguga; vajadusel kasuta UNIQUE tüüpi võtit" + fre "Toutes les parties d'un index PRIMARY KEY doivent être NOT NULL; Si vous avez besoin d'un NULL dans l'index, utilisez un index UNIQUE" + ger "Alle Teile eines PRIMARY KEY müssen als NOT NULL definiert sein. Wenn NULL in einem Schlüssel verwendet wird, muss ein UNIQUE-Schlüssel verwendet werden" + hun "Az elsodleges kulcs teljes egeszeben csak NOT NULL tipusu lehet; Ha NULL mezot szeretne a kulcskent, hasznalja inkabb a UNIQUE-ot" + ita "Tutte le parti di una chiave primaria devono essere dichiarate NOT NULL; se necessitano valori NULL nelle chiavi utilizzare UNIQUE" + por "Todas as partes de uma chave primária devem ser não-nulas. Se você precisou usar um valor nulo (NULL) em uma chave, use a cláusula UNIQUE em seu lugar" + rum "Toate partile unei chei primare (PRIMARY KEY) trebuie sa fie NOT NULL; Daca aveti nevoie de NULL in vreo cheie, folositi UNIQUE in schimb" + rus "÷ÓÅ ÞÁÓÔÉ ÐÅÒ×ÉÞÎÏÇÏ ËÌÀÞÁ (PRIMARY KEY) ÄÏÌÖÎÙ ÂÙÔØ ÏÐÒÅÄÅÌÅÎÙ ËÁË NOT NULL; åÓÌÉ ×ÁÍ ÎÕÖÎÁ ÐÏÄÄÅÒÖËÁ ×ÅÌÉÞÉÎ NULL × ËÌÀÞÅ, ×ÏÓÐÏÌØÚÕÊÔÅÓØ ÉÎÄÅËÓÏÍ UNIQUE" + serbian "Svi delovi primarnog kljuèa moraju biti razlièiti od NULL; Ako Vam ipak treba NULL vrednost u kljuèu, upotrebite 'UNIQUE'" + spa "Todas las partes de un PRIMARY KEY deben ser NOT NULL; Si necesitas NULL en una clave, use UNIQUE" + swe "Alla delar av en PRIMARY KEY måste vara NOT NULL; Om du vill ha en nyckel med NULL, använd UNIQUE istället" + ukr "õÓ¦ ÞÁÓÔÉÎÉ PRIMARY KEY ÐÏ×ÉÎΦ ÂÕÔÉ NOT NULL; ñËÝÏ ×É ÐÏÔÒÅÂÕ¤ÔÅ NULL Õ ËÌÀÞ¦, ÓËÏÒÉÓÔÁÊÔÅÓÑ UNIQUE" +ER_TOO_MANY_ROWS 42000 + cze "V-Býsledek obsahuje více ne¾ jeden øádek" + dan "Resultatet bestod af mere end een række" + nla "Resultaat bevatte meer dan een rij" + eng "Result consisted of more than one row" + est "Tulemis oli rohkem kui üks kirje" + fre "Le résultat contient plus d'un enregistrement" + ger "Ergebnis besteht aus mehr als einer Zeile" + hun "Az eredmeny tobb, mint egy sort tartalmaz" + ita "Il risultato consiste di piu` di una riga" + por "O resultado consistiu em mais do que uma linha" + rum "Resultatul constista din mai multe linii" + rus "÷ ÒÅÚÕÌØÔÁÔÅ ×ÏÚ×ÒÁÝÅÎÁ ÂÏÌÅÅ ÞÅÍ ÏÄÎÁ ÓÔÒÏËÁ" + serbian "Rezultat je saèinjen od više slogova" + spa "Resultado compuesto de mas que una línea" + swe "Resultet bestod av mera än en rad" + ukr "òÅÚÕÌØÔÁÔ ÚÎÁÈÏÄÉÔØÓÑ Õ Â¦ÌØÛÅ Î¦Ö ÏÄÎ¦Ê ÓÔÒÏæ" +ER_REQUIRES_PRIMARY_KEY 42000 + cze "Tento typ tabulky vy-B¾aduje primární klíè" + dan "Denne tabeltype kræver en primærnøgle" + nla "Dit tabel type heeft een primaire zoeksleutel nodig" + eng "This table type requires a primary key" + est "Antud tabelitüüp nõuab primaarset võtit" + fre "Ce type de table nécessite une clé primaire (PRIMARY KEY)" + ger "Dieser Tabellentyp benötigt einen PRIMARY KEY" + hun "Az adott tablatipushoz elsodleges kulcs hasznalata kotelezo" + ita "Questo tipo di tabella richiede una chiave primaria" + por "Este tipo de tabela requer uma chave primária" + rum "Aceast tip de tabela are nevoie de o cheie primara" + rus "üÔÏÔ ÔÉÐ ÔÁÂÌÉÃÙ ÔÒÅÂÕÅÔ ÏÐÒÅÄÅÌÅÎÉÑ ÐÅÒ×ÉÞÎÏÇÏ ËÌÀÞÁ" + serbian "Ovaj tip tabele zahteva da imate definisan primarni kljuè" + spa "Este tipo de tabla necesita de una primary key" + swe "Denna tabelltyp kräver en PRIMARY KEY" + ukr "ãÅÊ ÔÉÐ ÔÁÂÌÉæ ÐÏÔÒÅÂÕ¤ ÐÅÒ×ÉÎÎÏÇÏ ËÌÀÞÁ" +ER_NO_RAID_COMPILED + cze "Tato verze MySQL nen-Bí zkompilována s podporou RAID" + dan "Denne udgave af MySQL er ikke oversat med understøttelse af RAID" + nla "Deze versie van MySQL is niet gecompileerd met RAID ondersteuning" + eng "This version of MySQL is not compiled with RAID support" + est "Antud MySQL versioon on kompileeritud ilma RAID toeta" + fre "Cette version de MySQL n'est pas compilée avec le support RAID" + ger "Diese MySQL-Version ist nicht mit RAID-Unterstützung kompiliert" + hun "Ezen leforditott MySQL verzio nem tartalmaz RAID support-ot" + ita "Questa versione di MYSQL non e` compilata con il supporto RAID" + por "Esta versão do MySQL não foi compilada com suporte a RAID" + rum "Aceasta versiune de MySQL, nu a fost compilata cu suport pentru RAID" + rus "üÔÁ ×ÅÒÓÉÑ MySQL ÓËÏÍÐÉÌÉÒÏ×ÁÎÁ ÂÅÚ ÐÏÄÄÅÒÖËÉ RAID" + serbian "Ova verzija MySQL servera nije kompajlirana sa podrškom za RAID ureðaje" + spa "Esta versión de MySQL no es compilada con soporte RAID" + swe "Denna version av MySQL är inte kompilerad med RAID" + ukr "ãÑ ×ÅÒÓ¦Ñ MySQL ÎÅ ÚËÏÍÐ¦ÌØÏ×ÁÎÁ Ú Ð¦ÄÔÒÉÍËÏÀ RAID" +ER_UPDATE_WITHOUT_KEY_IN_SAFE_MODE + cze "Update tabulky bez WHERE s kl-Bíèem není v módu bezpeèných update dovoleno" + dan "Du bruger sikker opdaterings modus ('safe update mode') og du forsøgte at opdatere en tabel uden en WHERE klausul, der gør brug af et KEY felt" + nla "U gebruikt 'safe update mode' en u probeerde een tabel te updaten zonder een WHERE met een KEY kolom" + eng "You are using safe update mode and you tried to update a table without a WHERE that uses a KEY column" + est "Katse muuta tabelit turvalises rezhiimis ilma WHERE klauslita" + fre "Vous êtes en mode 'safe update' et vous essayez de faire un UPDATE sans clause WHERE utilisant un index" + ger "MySQL läuft im sicheren Aktualisierungsmodus (safe update mode). Sie haben versucht, eine Tabelle zu aktualisieren, ohne in der WHERE-Klausel eine KEY-Spalte anzugeben" + hun "On a biztonsagos update modot hasznalja, es WHERE that uses a KEY column" + ita "In modalita` 'safe update' si e` cercato di aggiornare una tabella senza clausola WHERE su una chiave" + por "Você está usando modo de atualização seguro e tentou atualizar uma tabela sem uma cláusula WHERE que use uma coluna chave" + rus "÷Ù ÒÁÂÏÔÁÅÔÅ × ÒÅÖÉÍÅ ÂÅÚÏÐÁÓÎÙÈ ÏÂÎÏ×ÌÅÎÉÊ (safe update mode) É ÐÏÐÒÏÂÏ×ÁÌÉ ÉÚÍÅÎÉÔØ ÔÁÂÌÉÃÕ ÂÅÚ ÉÓÐÏÌØÚÏ×ÁÎÉÑ ËÌÀÞÅ×ÏÇÏ ÓÔÏÌÂÃÁ × ÞÁÓÔÉ WHERE" + serbian "Vi koristite safe update mod servera, a probali ste da promenite podatke bez 'WHERE' komande koja koristi kolonu kljuèa" + spa "Tu estás usando modo de actualización segura y tentado actualizar una tabla sin un WHERE que usa una KEY columna" + swe "Du använder 'säker uppdateringsmod' och försökte uppdatera en tabell utan en WHERE-sats som använder sig av en nyckel" + ukr "÷É Õ ÒÅÖÉͦ ÂÅÚÐÅÞÎÏÇÏ ÏÎÏ×ÌÅÎÎÑ ÔÁ ÎÁÍÁÇÁ¤ÔÅÓØ ÏÎÏ×ÉÔÉ ÔÁÂÌÉÃÀ ÂÅÚ ÏÐÅÒÁÔÏÒÁ WHERE, ÝÏ ×ÉËÏÒÉÓÔÏ×Õ¤ KEY ÓÔÏ×ÂÅÃØ" +ER_KEY_DOES_NOT_EXITS + cze "Kl-Bíè '%-.64s' v tabulce '%-.64s' neexistuje" + dan "Nøglen '%-.64s' eksisterer ikke i tabellen '%-.64s'" + nla "Zoeksleutel '%-.64s' bestaat niet in tabel '%-.64s'" + eng "Key '%-.64s' doesn't exist in table '%-.64s'" + est "Võti '%-.64s' ei eksisteeri tabelis '%-.64s'" + fre "L'index '%-.64s' n'existe pas sur la table '%-.64s'" + ger "Schlüssel '%-.64s' existiert in der Tabelle '%-.64s' nicht" + hun "A '%-.64s' kulcs nem letezik a '%-.64s' tablaban" + ita "La chiave '%-.64s' non esiste nella tabella '%-.64s'" + por "Chave '%-.64s' não existe na tabela '%-.64s'" + rus "ëÌÀÞ '%-.64s' ÎÅ ÓÕÝÅÓÔ×ÕÅÔ × ÔÁÂÌÉÃÅ '%-.64s'" + serbian "Kljuè '%-.64s' ne postoji u tabeli '%-.64s'" + spa "Clave '%-.64s' no existe en la tabla '%-.64s'" + swe "Nyckel '%-.64s' finns inte in tabell '%-.64s'" + ukr "ëÌÀÞ '%-.64s' ÎÅ ¦ÓÎÕ¤ × ÔÁÂÌÉæ '%-.64s'" +ER_CHECK_NO_SUCH_TABLE 42000 + cze "Nemohu otev-Bøít tabulku" + dan "Kan ikke åbne tabellen" + nla "Kan tabel niet openen" + eng "Can't open table" + est "Ei suuda avada tabelit" + fre "Impossible d'ouvrir la table" + ger "Kann Tabelle nicht öffnen" + hun "Nem tudom megnyitni a tablat" + ita "Impossibile aprire la tabella" + por "Não pode abrir a tabela" + rus "îÅ×ÏÚÍÏÖÎÏ ÏÔËÒÙÔØ ÔÁÂÌÉÃÕ" + serbian "Ne mogu da otvorim tabelu" + spa "No puedo abrir tabla" + swe "Kan inte öppna tabellen" + ukr "îÅ ÍÏÖÕ ×¦ÄËÒÉÔÉ ÔÁÂÌÉÃÀ" +ER_CHECK_NOT_IMPLEMENTED 42000 + cze "Handler tabulky nepodporuje %s" + dan "Denne tabeltype understøtter ikke %s" + nla "De 'handler' voor de tabel ondersteund geen %s" + eng "The storage engine for the table doesn't support %s" + est "Antud tabelitüüp ei toeta %s käske" + fre "Ce type de table ne supporte pas les %s" + ger "Die Speicher-Engine für diese Tabelle unterstützt kein %s" + greek "The handler for the table doesn't support %s" + hun "A tabla kezeloje (handler) nem tamogatja az %s" + ita "Il gestore per la tabella non supporta il %s" + jpn "The handler for the table doesn't support %s" + kor "The handler for the table doesn't support %s" + nor "The handler for the table doesn't support %s" + norwegian-ny "The handler for the table doesn't support %s" + pol "The handler for the table doesn't support %s" + por "O manipulador de tabela não suporta %s" + rum "The handler for the table doesn't support %s" + rus "ïÂÒÁÂÏÔÞÉË ÔÁÂÌÉÃÙ ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔ ÜÔÏÇÏ: %s" + serbian "Handler za ovu tabelu ne dozvoljava 'check' odnosno 'repair' komande" + slo "The handler for the table doesn't support %s" + spa "El manipulador de la tabla no permite soporte para %s" + swe "Tabellhanteraren för denna tabell kan inte göra %s" + ukr "÷ËÁÚ¦×ÎÉË ÔÁÂÌÉæ ΊЦÄÔÒÉÍÕÅ %s" +ER_CANT_DO_THIS_DURING_AN_TRANSACTION 25000 + cze "Proveden-Bí tohoto pøíkazu není v transakci dovoleno" + dan "Du må ikke bruge denne kommando i en transaktion" + nla "Het is u niet toegestaan dit commando uit te voeren binnen een transactie" + eng "You are not allowed to execute this command in a transaction" + est "Seda käsku ei saa kasutada transaktsiooni sees" + fre "Vous n'êtes pas autorisé à exécute cette commande dans une transaction" + ger "Sie dürfen diesen Befehl nicht in einer Transaktion ausführen" + hun "Az On szamara nem engedelyezett a parancs vegrehajtasa a tranzakcioban" + ita "Non puoi eseguire questo comando in una transazione" + por "Não lhe é permitido executar este comando em uma transação" + rus "÷ÁÍ ÎÅ ÒÁÚÒÅÛÅÎÏ ×ÙÐÏÌÎÑÔØ ÜÔÕ ËÏÍÁÎÄÕ × ÔÒÁÎÚÁËÃÉÉ" + serbian "Nije Vam dozvoljeno da izvršite ovu komandu u transakciji" + spa "No tienes el permiso para ejecutar este comando en una transición" + swe "Du får inte utföra detta kommando i en transaktion" + ukr "÷ÁÍ ÎÅ ÄÏÚ×ÏÌÅÎÏ ×ÉËÏÎÕ×ÁÔÉ ÃÀ ËÏÍÁÎÄÕ × ÔÒÁÎÚÁËæ§" +ER_ERROR_DURING_COMMIT + cze "Chyba %d p-Bøi COMMIT" + dan "Modtog fejl %d mens kommandoen COMMIT blev udført" + nla "Kreeg fout %d tijdens COMMIT" + eng "Got error %d during COMMIT" + est "Viga %d käsu COMMIT täitmisel" + fre "Erreur %d lors du COMMIT" + ger "Fehler %d beim COMMIT" + hun "%d hiba a COMMIT vegrehajtasa soran" + ita "Rilevato l'errore %d durante il COMMIT" + por "Obteve erro %d durante COMMIT" + rus "ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ %d × ÐÒÏÃÅÓÓÅ COMMIT" + serbian "Greška %d za vreme izvršavanja komande 'COMMIT'" + spa "Obtenido error %d durante COMMIT" + swe "Fick fel %d vid COMMIT" + ukr "ïÔÒÉÍÁÎÏ ÐÏÍÉÌËÕ %d Ð¦Ä ÞÁÓ COMMIT" +ER_ERROR_DURING_ROLLBACK + cze "Chyba %d p-Bøi ROLLBACK" + dan "Modtog fejl %d mens kommandoen ROLLBACK blev udført" + nla "Kreeg fout %d tijdens ROLLBACK" + eng "Got error %d during ROLLBACK" + est "Viga %d käsu ROLLBACK täitmisel" + fre "Erreur %d lors du ROLLBACK" + ger "Fehler %d beim ROLLBACK" + hun "%d hiba a ROLLBACK vegrehajtasa soran" + ita "Rilevato l'errore %d durante il ROLLBACK" + por "Obteve erro %d durante ROLLBACK" + rus "ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ %d × ÐÒÏÃÅÓÓÅ ROLLBACK" + serbian "Greška %d za vreme izvršavanja komande 'ROLLBACK'" + spa "Obtenido error %d durante ROLLBACK" + swe "Fick fel %d vid ROLLBACK" + ukr "ïÔÒÉÍÁÎÏ ÐÏÍÉÌËÕ %d Ð¦Ä ÞÁÓ ROLLBACK" +ER_ERROR_DURING_FLUSH_LOGS + cze "Chyba %d p-Bøi FLUSH_LOGS" + dan "Modtog fejl %d mens kommandoen FLUSH_LOGS blev udført" + nla "Kreeg fout %d tijdens FLUSH_LOGS" + eng "Got error %d during FLUSH_LOGS" + est "Viga %d käsu FLUSH_LOGS täitmisel" + fre "Erreur %d lors du FLUSH_LOGS" + ger "Fehler %d bei FLUSH_LOGS" + hun "%d hiba a FLUSH_LOGS vegrehajtasa soran" + ita "Rilevato l'errore %d durante il FLUSH_LOGS" + por "Obteve erro %d durante FLUSH_LOGS" + rus "ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ %d × ÐÒÏÃÅÓÓÅ FLUSH_LOGS" + serbian "Greška %d za vreme izvršavanja komande 'FLUSH_LOGS'" + spa "Obtenido error %d durante FLUSH_LOGS" + swe "Fick fel %d vid FLUSH_LOGS" + ukr "ïÔÒÉÍÁÎÏ ÐÏÍÉÌËÕ %d Ð¦Ä ÞÁÓ FLUSH_LOGS" +ER_ERROR_DURING_CHECKPOINT + cze "Chyba %d p-Bøi CHECKPOINT" + dan "Modtog fejl %d mens kommandoen CHECKPOINT blev udført" + nla "Kreeg fout %d tijdens CHECKPOINT" + eng "Got error %d during CHECKPOINT" + est "Viga %d käsu CHECKPOINT täitmisel" + fre "Erreur %d lors du CHECKPOINT" + ger "Fehler %d bei CHECKPOINT" + hun "%d hiba a CHECKPOINT vegrehajtasa soran" + ita "Rilevato l'errore %d durante il CHECKPOINT" + por "Obteve erro %d durante CHECKPOINT" + rus "ðÏÌÕÞÅÎÁ ÏÛÉÂËÁ %d × ÐÒÏÃÅÓÓÅ CHECKPOINT" + serbian "Greška %d za vreme izvršavanja komande 'CHECKPOINT'" + spa "Obtenido error %d durante CHECKPOINT" + swe "Fick fel %d vid CHECKPOINT" + ukr "ïÔÒÉÍÁÎÏ ÐÏÍÉÌËÕ %d Ð¦Ä ÞÁÓ CHECKPOINT" +ER_NEW_ABORTING_CONNECTION 08S01 + cze "Spojen-Bí %ld do databáze: '%-.64s' u¾ivatel: '%-.32s' stroj: `%-.64s' (%-.64s) bylo pøeru¹eno" + dan "Afbrød forbindelsen %ld til databasen '%-.64s' bruger: '%-.32s' vært: `%-.64s' (%-.64s)" + nla "Afgebroken verbinding %ld naar db: '%-.64s' gebruiker: '%-.32s' host: `%-.64s' (%-.64s)" + eng "Aborted connection %ld to db: '%-.64s' user: '%-.32s' host: `%-.64s' (%-.64s)" + est "Ühendus katkestatud %ld andmebaas: '%-.64s' kasutaja: '%-.32s' masin: `%-.64s' (%-.64s)" + fre "Connection %ld avortée vers la bd: '%-.64s' utilisateur: '%-.32s' hôte: `%-.64s' (%-.64s)" + ger "Verbindungsabbruch %ld zur Datenbank '%-.64s'. Benutzer: '%-.32s', Host: `%-.64s' (%-.64s)" + ita "Interrotta la connessione %ld al db: ''%-.64s' utente: '%-.32s' host: '%-.64s' (%-.64s)" + por "Conexão %ld abortada para banco de dados '%-.64s' - usuário '%-.32s' - 'host' `%-.64s' ('%-.64s')" + rus "ðÒÅÒ×ÁÎÏ ÓÏÅÄÉÎÅÎÉÅ %ld Ë ÂÁÚÅ ÄÁÎÎÙÈ '%-.64s' ÐÏÌØÚÏ×ÁÔÅÌÑ '%-.32s' Ó ÈÏÓÔÁ `%-.64s' (%-.64s)" + serbian "Prekinuta konekcija broj %ld ka bazi: '%-.64s' korisnik je bio: '%-.32s' a host: `%-.64s' (%-.64s)" + spa "Abortada conexión %ld para db: '%-.64s' usuario: '%-.32s' servidor: `%-.64s' (%-.64s)" + swe "Avbröt länken för tråd %ld till db '%-.64s', användare '%-.32s', host '%-.64s' (%-.64s)" + ukr "ðÅÒÅÒ×ÁÎÏ Ú'¤ÄÎÁÎÎÑ %ld ÄÏ ÂÁÚÉ ÄÁÎÎÉÈ: '%-.64s' ËÏÒÉÓÔÕ×ÁÞ: '%-.32s' ÈÏÓÔ: `%-.64s' (%-.64s)" +ER_DUMP_NOT_IMPLEMENTED + cze "Handler tabulky nepodporuje bin-Bární dump" + dan "Denne tabeltype unserstøtter ikke binært tabeldump" + nla "De 'handler' voor de tabel ondersteund geen binaire tabel dump" + eng "The storage engine for the table does not support binary table dump" + est "The handler for the table does not support binary table dump" + fre "Ce type de table ne supporte pas les copies binaires" + ger "Die Speicher-Engine für die Tabelle unterstützt keinen binären Tabellen-Dump" + greek "The handler for the table does not support binary table dump" + hun "The handler for the table does not support binary table dump" + ita "Il gestore per la tabella non supporta il dump binario" + jpn "The handler for the table does not support binary table dump" + kor "The handler for the table does not support binary table dump" + nor "The handler for the table does not support binary table dump" + norwegian-ny "The handler for the table does not support binary table dump" + pol "The handler for the table does not support binary table dump" + por "O manipulador de tabela não suporta 'dump' binário de tabela" + rum "The handler for the table does not support binary table dump" + rus "ïÂÒÁÂÏÔÞÉË ÜÔÏÊ ÔÁÂÌÉÃÙ ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔ Ä×ÏÉÞÎÏÇÏ ÓÏÈÒÁÎÅÎÉÑ ÏÂÒÁÚÁ ÔÁÂÌÉÃÙ (dump)" + serbian "Handler tabele ne podržava binarni dump tabele" + slo "The handler for the table does not support binary table dump" + spa "El manipulador de tabla no soporta dump para tabla binaria" + swe "Tabellhanteraren klarar inte en binär kopiering av tabellen" + ukr "ãÅÊ ÔÉÐ ÔÁÂÌÉæ ΊЦÄÔÒÉÍÕ¤ ¦ÎÁÒÎÕ ÐÅÒÅÄÁÞÕ ÔÁÂÌÉæ" +ER_FLUSH_MASTER_BINLOG_CLOSED + cze "Binlog uzav-Bøen pøi pokusu o FLUSH MASTER" + dan "Binlog blev lukket mens kommandoen FLUSH MASTER blev udført" + nla "Binlog gesloten tijdens FLUSH MASTER poging" + eng "Binlog closed, cannot RESET MASTER" + est "Binlog closed while trying to FLUSH MASTER" + fre "Le 'binlog' a été fermé pendant l'exécution du FLUSH MASTER" + ger "Binlog geschlossen. Kann RESET MASTER nicht ausführen" + greek "Binlog closed while trying to FLUSH MASTER" + hun "Binlog closed while trying to FLUSH MASTER" + ita "Binlog e` stato chiuso durante l'esecuzione del FLUSH MASTER" + jpn "Binlog closed while trying to FLUSH MASTER" + kor "Binlog closed while trying to FLUSH MASTER" + nor "Binlog closed while trying to FLUSH MASTER" + norwegian-ny "Binlog closed while trying to FLUSH MASTER" + pol "Binlog closed while trying to FLUSH MASTER" + por "Binlog fechado. Não pode fazer RESET MASTER" + rum "Binlog closed while trying to FLUSH MASTER" + rus "ä×ÏÉÞÎÙÊ ÖÕÒÎÁÌ ÏÂÎÏ×ÌÅÎÉÑ ÚÁËÒÙÔ, ÎÅ×ÏÚÍÏÖÎÏ ×ÙÐÏÌÎÉÔØ RESET MASTER" + serbian "Binarni log file zatvoren, ne mogu da izvršim komandu 'RESET MASTER'" + slo "Binlog closed while trying to FLUSH MASTER" + spa "Binlog cerrado mientras tentaba el FLUSH MASTER" + swe "Binärloggen stängdes medan FLUSH MASTER utfördes" + ukr "òÅÐ̦ËÁæÊÎÉÊ ÌÏÇ ÚÁËÒÉÔÏ, ÎÅ ÍÏÖÕ ×ÉËÏÎÁÔÉ RESET MASTER" +ER_INDEX_REBUILD + cze "P-Bøebudování indexu dumpnuté tabulky '%-.64s' nebylo úspì¹né" + dan "Kunne ikke genopbygge indekset for den dumpede tabel '%-.64s'" + nla "Gefaald tijdens heropbouw index van gedumpte tabel '%-.64s'" + eng "Failed rebuilding the index of dumped table '%-.64s'" + est "Failed rebuilding the index of dumped table '%-.64s'" + fre "La reconstruction de l'index de la table copiée '%-.64s' a échoué" + ger "Neuerstellung des Indizes der Dump-Tabelle '%-.64s' fehlgeschlagen" + greek "Failed rebuilding the index of dumped table '%-.64s'" + hun "Failed rebuilding the index of dumped table '%-.64s'" + ita "Fallita la ricostruzione dell'indice della tabella copiata '%-.64s'" + jpn "Failed rebuilding the index of dumped table '%-.64s'" + kor "Failed rebuilding the index of dumped table '%-.64s'" + nor "Failed rebuilding the index of dumped table '%-.64s'" + norwegian-ny "Failed rebuilding the index of dumped table '%-.64s'" + pol "Failed rebuilding the index of dumped table '%-.64s'" + por "Falhou na reconstrução do índice da tabela 'dumped' '%-.64s'" + rum "Failed rebuilding the index of dumped table '%-.64s'" + rus "ïÛÉÂËÁ ÐÅÒÅÓÔÒÏÊËÉ ÉÎÄÅËÓÁ ÓÏÈÒÁÎÅÎÎÏÊ ÔÁÂÌÉÃÙ '%-.64s'" + serbian "Izgradnja indeksa dump-ovane tabele '%-.64s' nije uspela" + slo "Failed rebuilding the index of dumped table '%-.64s'" + spa "Falla reconstruyendo el indice de la tabla dumped '%-.64s'" + swe "Failed rebuilding the index of dumped table '%-.64s'" + ukr "îÅ×ÄÁÌŠצÄÎÏ×ÌÅÎÎÑ ¦ÎÄÅËÓÁ ÐÅÒÅÄÁÎϧ ÔÁÂÌÉæ '%-.64s'" +ER_MASTER + cze "Chyba masteru: '%-.64s'" + dan "Fejl fra master: '%-.64s'" + nla "Fout van master: '%-.64s'" + eng "Error from master: '%-.64s'" + fre "Erreur reçue du maître: '%-.64s'" + ger "Fehler vom Master: '%-.64s'" + ita "Errore dal master: '%-.64s" + por "Erro no 'master' '%-.64s'" + rus "ïÛÉÂËÁ ÏÔ ÇÏÌÏ×ÎÏÇÏ ÓÅÒ×ÅÒÁ: '%-.64s'" + serbian "Greška iz glavnog servera '%-.64s' u klasteru" + spa "Error del master: '%-.64s'" + swe "Fick en master: '%-.64s'" + ukr "ðÏÍÉÌËÁ ×¦Ä ÇÏÌÏ×ÎÏÇÏ: '%-.64s'" +ER_MASTER_NET_READ 08S01 + cze "S-Bí»ová chyba pøi ètení z masteru" + dan "Netværksfejl ved læsning fra master" + nla "Net fout tijdens lezen van master" + eng "Net error reading from master" + fre "Erreur de lecture réseau reçue du maître" + ger "Netzfehler beim Lesen vom Master" + ita "Errore di rete durante la ricezione dal master" + por "Erro de rede lendo do 'master'" + rus "÷ÏÚÎÉËÌÁ ÏÛÉÂËÁ ÞÔÅÎÉÑ × ÐÒÏÃÅÓÓÅ ËÏÍÍÕÎÉËÁÃÉÉ Ó ÇÏÌÏ×ÎÙÍ ÓÅÒ×ÅÒÏÍ" + serbian "Greška u primanju mrežnih paketa sa glavnog servera u klasteru" + spa "Error de red leyendo del master" + swe "Fick nätverksfel vid läsning från master" + ukr "íÅÒÅÖÅ×Á ÐÏÍÉÌËÁ ÞÉÔÁÎÎÑ ×¦Ä ÇÏÌÏ×ÎÏÇÏ" +ER_MASTER_NET_WRITE 08S01 + cze "S-Bí»ová chyba pøi zápisu na master" + dan "Netværksfejl ved skrivning til master" + nla "Net fout tijdens schrijven naar master" + eng "Net error writing to master" + fre "Erreur d'écriture réseau reçue du maître" + ger "Netzfehler beim Schreiben zum Master" + ita "Errore di rete durante l'invio al master" + por "Erro de rede gravando no 'master'" + rus "÷ÏÚÎÉËÌÁ ÏÛÉÂËÁ ÚÁÐÉÓÉ × ÐÒÏÃÅÓÓÅ ËÏÍÍÕÎÉËÁÃÉÉ Ó ÇÏÌÏ×ÎÙÍ ÓÅÒ×ÅÒÏÍ" + serbian "Greška u slanju mrežnih paketa na glavni server u klasteru" + spa "Error de red escribiendo para el master" + swe "Fick nätverksfel vid skrivning till master" + ukr "íÅÒÅÖÅ×Á ÐÏÍÉÌËÁ ÚÁÐÉÓÕ ÄÏ ÇÏÌÏ×ÎÏÇÏ" +ER_FT_MATCHING_KEY_NOT_FOUND + cze "-B®ádný sloupec nemá vytvoøen fulltextový index" + dan "Kan ikke finde en FULLTEXT nøgle som svarer til kolonne listen" + nla "Kan geen FULLTEXT index vinden passend bij de kolom lijst" + eng "Can't find FULLTEXT index matching the column list" + est "Ei suutnud leida FULLTEXT indeksit, mis kattuks kasutatud tulpadega" + fre "Impossible de trouver un index FULLTEXT correspondant à cette liste de colonnes" + ger "Kann keinen FULLTEXT-Index finden, der der Spaltenliste entspricht" + ita "Impossibile trovare un indice FULLTEXT che corrisponda all'elenco delle colonne" + por "Não pode encontrar um índice para o texto todo que combine com a lista de colunas" + rus "îÅ×ÏÚÍÏÖÎÏ ÏÔÙÓËÁÔØ ÐÏÌÎÏÔÅËÓÔÏ×ÙÊ (FULLTEXT) ÉÎÄÅËÓ, ÓÏÏÔ×ÅÔÓÔ×ÕÀÝÉÊ ÓÐÉÓËÕ ÓÔÏÌÂÃÏ×" + serbian "Ne mogu da pronaðem 'FULLTEXT' indeks koli odgovara listi kolona" + spa "No puedo encontrar índice FULLTEXT correspondiendo a la lista de columnas" + swe "Hittar inte ett FULLTEXT-index i kolumnlistan" + ukr "îÅ ÍÏÖÕ ÚÎÁÊÔÉ FULLTEXT ¦ÎÄÅËÓ, ÝÏ ×¦ÄÐÏצÄÁ¤ ÐÅÒÅ̦ËÕ ÓÔÏ×Âæ×" +ER_LOCK_OR_ACTIVE_TRANSACTION + cze "Nemohu prov-Bést zadaný pøíkaz, proto¾e existují aktivní zamèené tabulky nebo aktivní transakce" + dan "Kan ikke udføre den givne kommando fordi der findes aktive, låste tabeller eller fordi der udføres en transaktion" + nla "Kan het gegeven commando niet uitvoeren, want u heeft actieve gelockte tabellen of een actieve transactie" + eng "Can't execute the given command because you have active locked tables or an active transaction" + est "Ei suuda täita antud käsku kuna on aktiivseid lukke või käimasolev transaktsioon" + fre "Impossible d'exécuter la commande car vous avez des tables verrouillées ou une transaction active" + ger "Kann den angegebenen Befehl wegen einer aktiven Tabellensperre oder einer aktiven Transaktion nicht ausführen" + ita "Impossibile eseguire il comando richiesto: tabelle sotto lock o transazione in atto" + por "Não pode executar o comando dado porque você tem tabelas ativas travadas ou uma transação ativa" + rus "îÅ×ÏÚÍÏÖÎÏ ×ÙÐÏÌÎÉÔØ ÕËÁÚÁÎÎÕÀ ËÏÍÁÎÄÕ, ÐÏÓËÏÌØËÕ Õ ×ÁÓ ÐÒÉÓÕÔÓÔ×ÕÀÔ ÁËÔÉ×ÎÏ ÚÁÂÌÏËÉÒÏ×ÁÎÎÙÅ ÔÁÂÌÉÃÁ ÉÌÉ ÏÔËÒÙÔÁÑ ÔÒÁÎÚÁËÃÉÑ" + serbian "Ne mogu da izvršim datu komandu zbog toga što su tabele zakljuèane ili je transakcija u toku" + spa "No puedo ejecutar el comando dado porque tienes tablas bloqueadas o una transición activa" + swe "Kan inte utföra kommandot emedan du har en låst tabell eller an aktiv transaktion" + ukr "îÅ ÍÏÖÕ ×ÉËÏÎÁÔÉ ÐÏÄÁÎÕ ËÏÍÁÎÄÕ ÔÏÍÕ, ÝÏ ÔÁÂÌÉÃÑ ÚÁÂÌÏËÏ×ÁÎÁ ÁÂÏ ×ÉËÏÎÕ¤ÔØÓÑ ÔÒÁÎÚÁËæÑ" +ER_UNKNOWN_SYSTEM_VARIABLE + cze "Nezn-Bámá systémová promìnná '%-.64s'" + dan "Ukendt systemvariabel '%-.64s'" + nla "Onbekende systeem variabele '%-.64s'" + eng "Unknown system variable '%-.64s'" + est "Tundmatu süsteemne muutuja '%-.64s'" + fre "Variable système '%-.64s' inconnue" + ger "Unbekannte Systemvariable '%-.64s'" + ita "Variabile di sistema '%-.64s' sconosciuta" + por "Variável de sistema '%-.64s' desconhecida" + rus "îÅÉÚ×ÅÓÔÎÁÑ ÓÉÓÔÅÍÎÁÑ ÐÅÒÅÍÅÎÎÁÑ '%-.64s'" + serbian "Nepoznata sistemska promenljiva '%-.64s'" + spa "Desconocida variable de sistema '%-.64s'" + swe "Okänd systemvariabel: '%-.64s'" + ukr "îÅצÄÏÍÁ ÓÉÓÔÅÍÎÁ ÚͦÎÎÁ '%-.64s'" +ER_CRASHED_ON_USAGE + cze "Tabulka '%-.64s' je ozna-Bèena jako poru¹ená a mìla by být opravena" + dan "Tabellen '%-.64s' er markeret med fejl og bør repareres" + nla "Tabel '%-.64s' staat als gecrashed gemarkeerd en dient te worden gerepareerd" + eng "Table '%-.64s' is marked as crashed and should be repaired" + est "Tabel '%-.64s' on märgitud vigaseks ja tuleb parandada" + fre "La table '%-.64s' est marquée 'crashed' et devrait être réparée" + ger "Tabelle '%-.64s' ist als defekt markiert und sollte repariert werden" + ita "La tabella '%-.64s' e` segnalata come corrotta e deve essere riparata" + por "Tabela '%-.64s' está marcada como danificada e deve ser reparada" + rus "ôÁÂÌÉÃÁ '%-.64s' ÐÏÍÅÞÅÎÁ ËÁË ÉÓÐÏÒÞÅÎÎÁÑ É ÄÏÌÖÎÁ ÐÒÏÊÔÉ ÐÒÏ×ÅÒËÕ É ÒÅÍÏÎÔ" + serbian "Tabela '%-.64s' je markirana kao ošteæena i trebala bi biti popravljena" + spa "Tabla '%-.64s' está marcada como crashed y debe ser reparada" + swe "Tabell '%-.64s' är trasig och bör repareras med REPAIR TABLE" + ukr "ôÁÂÌÉÃÀ '%-.64s' ÍÁÒËÏ×ÁÎÏ ÑË Ú¦ÐÓÏ×ÁÎÕ ÔÁ §§ ÐÏÔÒ¦ÂÎÏ ×¦ÄÎÏ×ÉÔÉ" +ER_CRASHED_ON_REPAIR + cze "Tabulka '%-.64s' je ozna-Bèena jako poru¹ená a poslední (automatická?) oprava se nezdaøila" + dan "Tabellen '%-.64s' er markeret med fejl og sidste (automatiske?) REPAIR fejlede" + nla "Tabel '%-.64s' staat als gecrashed gemarkeerd en de laatste (automatische?) reparatie poging mislukte" + eng "Table '%-.64s' is marked as crashed and last (automatic?) repair failed" + est "Tabel '%-.64s' on märgitud vigaseks ja viimane (automaatne?) parandus ebaõnnestus" + fre "La table '%-.64s' est marquée 'crashed' et le dernier 'repair' a échoué" + ger "Tabelle '%-.64s' ist als defekt markiert und der letzte (automatische?) Reparaturversuch schlug fehl" + ita "La tabella '%-.64s' e` segnalata come corrotta e l'ultima ricostruzione (automatica?) e` fallita" + por "Tabela '%-.64s' está marcada como danificada e a última reparação (automática?) falhou" + rus "ôÁÂÌÉÃÁ '%-.64s' ÐÏÍÅÞÅÎÁ ËÁË ÉÓÐÏÒÞÅÎÎÁÑ É ÐÏÓÌÅÄÎÉÊ (Á×ÔÏÍÁÔÉÞÅÓËÉÊ?) ÒÅÍÏÎÔ ÎÅ ÂÙÌ ÕÓÐÅÛÎÙÍ" + serbian "Tabela '%-.64s' je markirana kao ošteæena, a zadnja (automatska?) popravka je bila neuspela" + spa "Tabla '%-.64s' está marcada como crashed y la última reparación (automactica?) falló" + swe "Tabell '%-.64s' är trasig och senast (automatiska?) reparation misslyckades" + ukr "ôÁÂÌÉÃÀ '%-.64s' ÍÁÒËÏ×ÁÎÏ ÑË Ú¦ÐÓÏ×ÁÎÕ ÔÁ ÏÓÔÁÎΤ (Á×ÔÏÍÁÔÉÞÎÅ?) צÄÎÏ×ÌÅÎÎÑ ÎÅ ×ÄÁÌÏÓÑ" +ER_WARNING_NOT_COMPLETE_ROLLBACK + dan "Advarsel: Visse data i tabeller der ikke understøtter transaktioner kunne ikke tilbagestilles" + nla "Waarschuwing: Roll back mislukt voor sommige buiten transacties gewijzigde tabellen" + eng "Some non-transactional changed tables couldn't be rolled back" + est "Hoiatus: mõnesid transaktsioone mittetoetavaid tabeleid ei suudetud tagasi kerida" + fre "Attention: certaines tables ne supportant pas les transactions ont été changées et elles ne pourront pas être restituées" + ger "Änderungen an einigen nicht transaktionalen Tabellen konnten nicht zurückgerollt werden" + ita "Attenzione: Alcune delle modifiche alle tabelle non transazionali non possono essere ripristinate (roll back impossibile)" + por "Aviso: Algumas tabelas não-transacionais alteradas não puderam ser reconstituídas (rolled back)" + rus "÷ÎÉÍÁÎÉÅ: ÐÏ ÎÅËÏÔÏÒÙÍ ÉÚÍÅÎÅÎÎÙÍ ÎÅÔÒÁÎÚÁËÃÉÏÎÎÙÍ ÔÁÂÌÉÃÁÍ ÎÅ×ÏÚÍÏÖÎÏ ÂÕÄÅÔ ÐÒÏÉÚ×ÅÓÔÉ ÏÔËÁÔ ÔÒÁÎÚÁËÃÉÉ" + serbian "Upozorenje: Neke izmenjene tabele ne podržavaju komandu 'ROLLBACK'" + spa "Aviso: Algunas tablas no transancionales no pueden tener rolled back" + swe "Warning: Några icke transaktionella tabeller kunde inte återställas vid ROLLBACK" + ukr "úÁÓÔÅÒÅÖÅÎÎÑ: äÅÑ˦ ÎÅÔÒÁÎÚÁËæÊΦ ÚͦÎÉ ÔÁÂÌÉÃØ ÎÅ ÍÏÖÎÁ ÂÕÄÅ ÐÏ×ÅÒÎÕÔÉ" +ER_TRANS_CACHE_FULL + dan "Fler-udtryks transaktion krævede mere plads en 'max_binlog_cache_size' bytes. Forhøj værdien af denne variabel og prøv igen" + nla "Multi-statement transactie vereist meer dan 'max_binlog_cache_size' bytes opslag. Verhoog deze mysqld variabele en probeer opnieuw" + eng "Multi-statement transaction required more than 'max_binlog_cache_size' bytes of storage; increase this mysqld variable and try again" + est "Mitme lausendiga transaktsioon nõudis rohkem ruumi kui lubatud 'max_binlog_cache_size' muutujaga. Suurenda muutuja väärtust ja proovi uuesti" + fre "Cette transaction à commandes multiples nécessite plus de 'max_binlog_cache_size' octets de stockage, augmentez cette variable de mysqld et réessayez" + ger "Transaktionen, die aus mehreren Befehlen bestehen, benötigen mehr als 'max_binlog_cache_size' Bytes an Speicher. Diese mysqld-Variable bitte vergrössern und erneut versuchen" + ita "La transazione a comandi multipli (multi-statement) ha richiesto piu` di 'max_binlog_cache_size' bytes di disco: aumentare questa variabile di mysqld e riprovare" + por "Transações multi-declaradas (multi-statement transactions) requeriram mais do que o valor limite (max_binlog_cache_size) de bytes para armazenagem. Aumente o valor desta variável do mysqld e tente novamente" + rus "ôÒÁÎÚÁËÃÉÉ, ×ËÌÀÞÁÀÝÅÊ ÂÏÌØÛÏÅ ËÏÌÉÞÅÓÔ×Ï ËÏÍÁÎÄ, ÐÏÔÒÅÂÏ×ÁÌÏÓØ ÂÏÌÅÅ ÞÅÍ 'max_binlog_cache_size' ÂÁÊÔ. õ×ÅÌÉÞØÔÅ ÜÔÕ ÐÅÒÅÍÅÎÎÕÀ ÓÅÒ×ÅÒÁ mysqld É ÐÏÐÒÏÂÕÊÔÅ ÅÝÅ ÒÁÚ" + serbian "Ova operacija ne može biti izvršena dok je aktivan podreðeni server. Zadajte prvo komandu 'STOP SLAVE' da zaustavite podreðeni server." + spa "Multipla transición necesita mas que 'max_binlog_cache_size' bytes de almacenamiento. Aumente esta variable mysqld y tente de nuevo" + swe "Transaktionen krävde mera än 'max_binlog_cache_size' minne. Öka denna mysqld-variabel och försök på nytt" + ukr "ôÒÁÎÚÁËÃ¦Ñ Ú ÂÁÇÁÔØÍÁ ×ÉÒÁÚÁÍÉ ×ÉÍÁÇÁ¤ Â¦ÌØÛÅ Î¦Ö 'max_binlog_cache_size' ÂÁÊÔ¦× ÄÌÑ ÚÂÅÒ¦ÇÁÎÎÑ. úÂ¦ÌØÛÔÅ ÃÀ ÚͦÎÎÕ mysqld ÔÁ ÓÐÒÏÂÕÊÔÅ ÚÎÏ×Õ" +ER_SLAVE_MUST_STOP + dan "Denne handling kunne ikke udføres med kørende slave, brug først kommandoen STOP SLAVE" + nla "Deze operatie kan niet worden uitgevoerd met een actieve slave, doe eerst STOP SLAVE" + eng "This operation cannot be performed with a running slave; run STOP SLAVE first" + fre "Cette opération ne peut être réalisée avec un esclave actif, faites STOP SLAVE d'abord" + ger "Diese Operation kann nicht bei einem aktiven Slave durchgeführt werden. Bitte zuerst STOP SLAVE ausführen" + ita "Questa operazione non puo' essere eseguita con un database 'slave' che gira, lanciare prima STOP SLAVE" + por "Esta operação não pode ser realizada com um 'slave' em execução. Execute STOP SLAVE primeiro" + rus "üÔÕ ÏÐÅÒÁÃÉÀ ÎÅ×ÏÚÍÏÖÎÏ ×ÙÐÏÌÎÉÔØ ÐÒÉ ÒÁÂÏÔÁÀÝÅÍ ÐÏÔÏËÅ ÐÏÄÞÉÎÅÎÎÏÇÏ ÓÅÒ×ÅÒÁ. óÎÁÞÁÌÁ ×ÙÐÏÌÎÉÔÅ STOP SLAVE" + serbian "Ova operacija zahteva da je aktivan podreðeni server. Konfigurišite prvo podreðeni server i onda izvršite komandu 'START SLAVE'" + slo "This operation cannot be performed with a running slave, run STOP SLAVE first" + spa "Esta operación no puede ser hecha con el esclavo funcionando, primero use STOP SLAVE" + swe "Denna operation kan inte göras under replikering; Gör STOP SLAVE först" + ukr "ïÐÅÒÁÃ¦Ñ ÎÅ ÍÏÖÅ ÂÕÔÉ ×ÉËÏÎÁÎÁ Ú ÚÁÐÕÝÅÎÉÍ Ð¦ÄÌÅÇÌÉÍ, ÓÐÏÞÁÔËÕ ×ÉËÏÎÁÊÔÅ STOP SLAVE" +ER_SLAVE_NOT_RUNNING + dan "Denne handling kræver en kørende slave. Konfigurer en slave og brug kommandoen START SLAVE" + nla "Deze operatie vereist een actieve slave, configureer slave en doe dan START SLAVE" + eng "This operation requires a running slave; configure slave and do START SLAVE" + fre "Cette opération nécessite un esclave actif, configurez les esclaves et faites START SLAVE" + ger "Diese Operation benötigt einen aktiven Slave. Bitte Slave konfigurieren und mittels START SLAVE aktivieren" + ita "Questa operaione richiede un database 'slave', configurarlo ed eseguire START SLAVE" + por "Esta operação requer um 'slave' em execução. Configure o 'slave' e execute START SLAVE" + rus "äÌÑ ÜÔÏÊ ÏÐÅÒÁÃÉÉ ÔÒÅÂÕÅÔÓÑ ÒÁÂÏÔÁÀÝÉÊ ÐÏÄÞÉÎÅÎÎÙÊ ÓÅÒ×ÅÒ. óÎÁÞÁÌÁ ×ÙÐÏÌÎÉÔÅ START SLAVE" + serbian "Server nije konfigurisan kao podreðeni server, ispravite konfiguracioni file ili na njemu izvršite komandu 'CHANGE MASTER TO'" + slo "This operation requires a running slave, configure slave and do START SLAVE" + spa "Esta operación necesita el esclavo funcionando, configure esclavo y haga el START SLAVE" + swe "Denna operation kan endast göras under replikering; Konfigurera slaven och gör START SLAVE" + ukr "ïÐÅÒÁÃ¦Ñ ×ÉÍÁÇÁ¤ ÚÁÐÕÝÅÎÏÇÏ Ð¦ÄÌÅÇÌÏÇÏ, ÚËÏÎÆ¦ÇÕÒÕÊÔŠЦÄÌÅÇÌÏÇÏ ÔÁ ×ÉËÏÎÁÊÔÅ START SLAVE" +ER_BAD_SLAVE + dan "Denne server er ikke konfigureret som slave. Ret in config-filen eller brug kommandoen CHANGE MASTER TO" + nla "De server is niet geconfigureerd als slave, fix in configuratie bestand of met CHANGE MASTER TO" + eng "The server is not configured as slave; fix in config file or with CHANGE MASTER TO" + fre "Le server n'est pas configuré comme un esclave, changez le fichier de configuration ou utilisez CHANGE MASTER TO" + ger "Der Server ist nicht als Slave konfiguriert. Bitte in der Konfigurationsdatei oder mittels CHANGE MASTER TO beheben" + ita "Il server non e' configurato come 'slave', correggere il file di configurazione cambiando CHANGE MASTER TO" + por "O servidor não está configurado como 'slave'. Acerte o arquivo de configuração ou use CHANGE MASTER TO" + rus "üÔÏÔ ÓÅÒ×ÅÒ ÎÅ ÎÁÓÔÒÏÅÎ ËÁË ÐÏÄÞÉÎÅÎÎÙÊ. ÷ÎÅÓÉÔÅ ÉÓÐÒÁ×ÌÅÎÉÑ × ËÏÎÆÉÇÕÒÁÃÉÏÎÎÏÍ ÆÁÊÌÅ ÉÌÉ Ó ÐÏÍÏÝØÀ CHANGE MASTER TO" + serbian "Nisam mogao da inicijalizujem informacionu strukturu glavnog servera, proverite da li imam privilegije potrebne za pristup file-u 'master.info'" + slo "The server is not configured as slave, fix in config file or with CHANGE MASTER TO" + spa "El servidor no está configurado como esclavo, edite el archivo config file o con CHANGE MASTER TO" + swe "Servern är inte konfigurerade som en replikationsslav. Ändra konfigurationsfilen eller gör CHANGE MASTER TO" + ukr "óÅÒ×ÅÒ ÎÅ ÚËÏÎÆ¦ÇÕÒÏ×ÁÎÏ ÑË Ð¦ÄÌÅÇÌÉÊ, ×ÉÐÒÁ×ÔÅ ÃÅ Õ ÆÁÊ̦ ËÏÎÆ¦ÇÕÒÁæ§ ÁÂÏ Ú CHANGE MASTER TO" +ER_MASTER_INFO + dan "Could not initialize master info structure, more error messages can be found in the MySQL error log" + nla "Could not initialize master info structure, more error messages can be found in the MySQL error log" + eng "Could not initialize master info structure; more error messages can be found in the MySQL error log" + fre "Impossible d'initialiser les structures d'information de maître, vous trouverez des messages d'erreur supplémentaires dans le journal des erreurs de MySQL" + ger "Could not initialize master info structure, more error messages can be found in the MySQL error log" + ita "Could not initialize master info structure, more error messages can be found in the MySQL error log" + por "Could not initialize master info structure, more error messages can be found in the MySQL error log" + rus "Could not initialize master info structure, more error messages can be found in the MySQL error log" + serbian "Nisam mogao da startujem thread za podreðeni server, proverite sistemske resurse" + slo "Could not initialize master info structure, more error messages can be found in the MySQL error log" + spa "Could not initialize master info structure, more error messages can be found in the MySQL error log" + swe "Kunde inte initialisera replikationsstrukturerna. See MySQL fel fil för mera information" + ukr "Could not initialize master info structure, more error messages can be found in the MySQL error log" +ER_SLAVE_THREAD + dan "Kunne ikke danne en slave-tråd; check systemressourcerne" + nla "Kon slave thread niet aanmaken, controleer systeem resources" + eng "Could not create slave thread; check system resources" + fre "Impossible de créer une tâche esclave, vérifiez les ressources système" + ger "Konnte keinen Slave-Thread starten. Bitte System-Ressourcen überprüfen" + ita "Impossibile creare il thread 'slave', controllare le risorse di sistema" + por "Não conseguiu criar 'thread' de 'slave'. Verifique os recursos do sistema" + rus "îÅ×ÏÚÍÏÖÎÏ ÓÏÚÄÁÔØ ÐÏÔÏË ÐÏÄÞÉÎÅÎÎÏÇÏ ÓÅÒ×ÅÒÁ. ðÒÏ×ÅÒØÔÅ ÓÉÓÔÅÍÎÙÅ ÒÅÓÕÒÓÙ" + serbian "Korisnik %-.64s veæ ima više aktivnih konekcija nego što je to odreðeno 'max_user_connections' promenljivom" + slo "Could not create slave thread, check system resources" + spa "No puedo crear el thread esclavo, verifique recursos del sistema" + swe "Kunde inte starta en tråd för replikering" + ukr "îÅ ÍÏÖÕ ÓÔ×ÏÒÉÔÉ Ð¦ÄÌÅÇÌÕ Ç¦ÌËÕ, ÐÅÒÅצÒÔÅ ÓÉÓÔÅÍΦ ÒÅÓÕÒÓÉ" +ER_TOO_MANY_USER_CONNECTIONS 42000 + dan "Brugeren %-.64s har allerede mere end 'max_user_connections' aktive forbindelser" + nla "Gebruiker %-.64s heeft reeds meer dan 'max_user_connections' actieve verbindingen" + eng "User %-.64s has already more than 'max_user_connections' active connections" + est "Kasutajal %-.64s on juba rohkem ühendusi kui lubatud 'max_user_connections' muutujaga" + fre "L'utilisateur %-.64s possède déjà plus de 'max_user_connections' connections actives" + ger "Benutzer '%-.64s' hat mehr als max_user_connections aktive Verbindungen" + ita "L'utente %-.64s ha gia' piu' di 'max_user_connections' connessioni attive" + por "Usuário '%-.64s' já possui mais que o valor máximo de conexões (max_user_connections) ativas" + rus "õ ÐÏÌØÚÏ×ÁÔÅÌÑ %-.64s ÕÖÅ ÂÏÌØÛÅ ÞÅÍ 'max_user_connections' ÁËÔÉ×ÎÙÈ ÓÏÅÄÉÎÅÎÉÊ" + serbian "Možete upotrebiti samo konstantan iskaz sa komandom 'SET'" + spa "Usario %-.64s ya tiene mas que 'max_user_connections' conexiones activas" + swe "Användare '%-.64s' har redan 'max_user_connections' aktiva inloggningar" + ukr "ëÏÒÉÓÔÕ×ÁÞ %-.64s ×ÖÅ ÍÁ¤ Â¦ÌØÛÅ Î¦Ö 'max_user_connections' ÁËÔÉ×ÎÉÈ Ú'¤ÄÎÁÎØ" +ER_SET_CONSTANTS_ONLY + dan "Du må kun bruge konstantudtryk med SET" + nla "U mag alleen constante expressies gebruiken bij SET" + eng "You may only use constant expressions with SET" + est "Ainult konstantsed suurused on lubatud SET klauslis" + fre "Seules les expressions constantes sont autorisées avec SET" + ger "Bei SET dürfen nur konstante Ausdrücke verwendet werden" + ita "Si possono usare solo espressioni costanti con SET" + por "Você pode usar apenas expressões constantes com SET" + rus "÷Ù ÍÏÖÅÔÅ ÉÓÐÏÌØÚÏ×ÁÔØ × SET ÔÏÌØËÏ ËÏÎÓÔÁÎÔÎÙÅ ×ÙÒÁÖÅÎÉÑ" + serbian "Vremenski limit za zakljuèavanje tabele je istekao; Probajte da ponovo startujete transakciju" + spa "Tu solo debes usar expresiones constantes con SET" + swe "Man kan endast använda konstantuttryck med SET" + ukr "íÏÖÎÁ ×ÉËÏÒÉÓÔÏ×Õ×ÁÔÉ ÌÉÛÅ ×ÉÒÁÚÉ Ú¦ ÓÔÁÌÉÍÉ Õ SET" +ER_LOCK_WAIT_TIMEOUT + dan "Lock wait timeout overskredet" + nla "Lock wacht tijd overschreden" + eng "Lock wait timeout exceeded; try restarting transaction" + est "Kontrollaeg ületatud luku järel ootamisel; Proovi transaktsiooni otsast alata" + fre "Timeout sur l'obtention du verrou" + ger "Beim Warten auf eine Sperre wurde die zulässige Wartezeit überschritten. Bitte versuchen Sie, die Transaktion neu zu starten" + ita "E' scaduto il timeout per l'attesa del lock" + por "Tempo de espera (timeout) de travamento excedido. Tente reiniciar a transação." + rus "ôÁÊÍÁÕÔ ÏÖÉÄÁÎÉÑ ÂÌÏËÉÒÏ×ËÉ ÉÓÔÅË; ÐÏÐÒÏÂÕÊÔÅ ÐÅÒÅÚÁÐÕÓÔÉÔØ ÔÒÁÎÚÁËÃÉÀ" + serbian "Broj totalnih zakljuèavanja tabele premašuje velièinu tabele zakljuèavanja" + spa "Tiempo de bloqueo de espera excedido" + swe "Fick inte ett lås i tid ; Försök att starta om transaktionen" + ukr "úÁÔÒÉÍËÕ ÏÞ¦ËÕ×ÁÎÎÑ ÂÌÏËÕ×ÁÎÎÑ ×ÉÞÅÒÐÁÎÏ" +ER_LOCK_TABLE_FULL + dan "Det totale antal låse overstiger størrelsen på låse-tabellen" + nla "Het totale aantal locks overschrijdt de lock tabel grootte" + eng "The total number of locks exceeds the lock table size" + est "Lukkude koguarv ületab lukutabeli suuruse" + fre "Le nombre total de verrou dépasse la taille de la table des verrous" + ger "Die Gesamtzahl der Sperren überschreitet die Größe der Sperrtabelle" + ita "Il numero totale di lock e' maggiore della grandezza della tabella di lock" + por "O número total de travamentos excede o tamanho da tabela de travamentos" + rus "ïÂÝÅÅ ËÏÌÉÞÅÓÔ×Ï ÂÌÏËÉÒÏ×ÏË ÐÒÅ×ÙÓÉÌÏ ÒÁÚÍÅÒÙ ÔÁÂÌÉÃÙ ÂÌÏËÉÒÏ×ÏË" + serbian "Zakljuèavanja izmena ne mogu biti realizovana sve dok traje 'READ UNCOMMITTED' transakcija" + spa "El número total de bloqueos excede el tamaño de bloqueo de la tabla" + swe "Antal lås överskrider antalet reserverade lås" + ukr "úÁÇÁÌØÎÁ Ë¦ÌØË¦ÓÔØ ÂÌÏËÕ×ÁÎØ ÐÅÒÅ×ÉÝÉÌÁ ÒÏÚÍ¦Ò ÂÌÏËÕ×ÁÎØ ÄÌÑ ÔÁÂÌÉæ" +ER_READ_ONLY_TRANSACTION 25000 + dan "Update lås kan ikke opnås under en READ UNCOMMITTED transaktion" + nla "Update locks kunnen niet worden verkregen tijdens een READ UNCOMMITTED transactie" + eng "Update locks cannot be acquired during a READ UNCOMMITTED transaction" + est "Uuenduslukke ei saa kasutada READ UNCOMMITTED transaktsiooni käigus" + fre "Un verrou en update ne peut être acquit pendant une transaction READ UNCOMMITTED" + ger "Während einer READ UNCOMMITED-Transaktion können keine UPDATE-Sperren angefordert werden" + ita "I lock di aggiornamento non possono essere acquisiti durante una transazione 'READ UNCOMMITTED'" + por "Travamentos de atualização não podem ser obtidos durante uma transação de tipo READ UNCOMMITTED" + rus "âÌÏËÉÒÏ×ËÉ ÏÂÎÏ×ÌÅÎÉÊ ÎÅÌØÚÑ ÐÏÌÕÞÉÔØ × ÐÒÏÃÅÓÓÅ ÞÔÅÎÉÑ ÎÅ ÐÒÉÎÑÔÏÊ (× ÒÅÖÉÍÅ READ UNCOMMITTED) ÔÒÁÎÚÁËÃÉÉ" + serbian "Komanda 'DROP DATABASE' nije dozvoljena dok thread globalno zakljuèava èitanje podataka" + spa "Bloqueos de actualización no pueden ser adqueridos durante una transición READ UNCOMMITTED" + swe "Updateringslås kan inte göras när man använder READ UNCOMMITTED" + ukr "ïÎÏ×ÉÔÉ ÂÌÏËÕ×ÁÎÎÑ ÎÅ ÍÏÖÌÉ×Ï ÎÁ ÐÒÏÔÑÚ¦ ÔÒÁÎÚÁËæ§ READ UNCOMMITTED" +ER_DROP_DB_WITH_READ_LOCK + dan "DROP DATABASE er ikke tilladt mens en tråd holder på globalt read lock" + nla "DROP DATABASE niet toegestaan terwijl thread een globale 'read lock' bezit" + eng "DROP DATABASE not allowed while thread is holding global read lock" + est "DROP DATABASE ei ole lubatud kui lõim omab globaalset READ lukku" + fre "DROP DATABASE n'est pas autorisée pendant qu'une tâche possède un verrou global en lecture" + ger "DROP DATABASE ist nicht erlaubt, solange der Thread eine globale Lesesperre hält" + ita "DROP DATABASE non e' permesso mentre il thread ha un lock globale di lettura" + por "DROP DATABASE não permitido enquanto uma 'thread' está mantendo um travamento global de leitura" + rus "îÅ ÄÏÐÕÓËÁÅÔÓÑ DROP DATABASE, ÐÏËÁ ÐÏÔÏË ÄÅÒÖÉÔ ÇÌÏÂÁÌØÎÕÀ ÂÌÏËÉÒÏ×ËÕ ÞÔÅÎÉÑ" + serbian "Komanda 'CREATE DATABASE' nije dozvoljena dok thread globalno zakljuèava èitanje podataka" + spa "DROP DATABASE no permitido mientras un thread está ejerciendo un bloqueo de lectura global" + swe "DROP DATABASE är inte tillåtet när man har ett globalt läslås" + ukr "DROP DATABASE ÎÅ ÄÏÚ×ÏÌÅÎÏ ÄÏËÉ Ç¦ÌËÁ ÐÅÒÅÂÕ×Á¤ Ð¦Ä ÚÁÇÁÌØÎÉÍ ÂÌÏËÕ×ÁÎÎÑÍ ÞÉÔÁÎÎÑ" +ER_CREATE_DB_WITH_READ_LOCK + dan "CREATE DATABASE er ikke tilladt mens en tråd holder på globalt read lock" + nla "CREATE DATABASE niet toegestaan terwijl thread een globale 'read lock' bezit" + eng "CREATE DATABASE not allowed while thread is holding global read lock" + est "CREATE DATABASE ei ole lubatud kui lõim omab globaalset READ lukku" + fre "CREATE DATABASE n'est pas autorisée pendant qu'une tâche possède un verrou global en lecture" + ger "CREATE DATABASE ist nicht erlaubt, solange der Thread eine globale Lesesperre hält" + ita "CREATE DATABASE non e' permesso mentre il thread ha un lock globale di lettura" + por "CREATE DATABASE não permitido enquanto uma 'thread' está mantendo um travamento global de leitura" + rus "îÅ ÄÏÐÕÓËÁÅÔÓÑ CREATE DATABASE, ÐÏËÁ ÐÏÔÏË ÄÅÒÖÉÔ ÇÌÏÂÁÌØÎÕÀ ÂÌÏËÉÒÏ×ËÕ ÞÔÅÎÉÑ" + serbian "Pogrešni argumenti prosleðeni na %s" + spa "CREATE DATABASE no permitido mientras un thread está ejerciendo un bloqueo de lectura global" + swe "CREATE DATABASE är inte tillåtet när man har ett globalt läslås" + ukr "CREATE DATABASE ÎÅ ÄÏÚ×ÏÌÅÎÏ ÄÏËÉ Ç¦ÌËÁ ÐÅÒÅÂÕ×Á¤ Ð¦Ä ÚÁÇÁÌØÎÉÍ ÂÌÏËÕ×ÁÎÎÑÍ ÞÉÔÁÎÎÑ" +ER_WRONG_ARGUMENTS + nla "Foutieve parameters voor %s" + eng "Incorrect arguments to %s" + est "Vigased parameetrid %s-le" + fre "Mauvais arguments à %s" + ger "Falsche Argumente für %s" + ita "Argomenti errati a %s" + por "Argumentos errados para %s" + rus "îÅ×ÅÒÎÙÅ ÐÁÒÁÍÅÔÒÙ ÄÌÑ %s" + serbian "Korisniku '%-.32s'@'%-.64s' nije dozvoljeno da kreira nove korisnike" + spa "Argumentos errados para %s" + swe "Felaktiga argument till %s" + ukr "èÉÂÎÉÊ ÁÒÇÕÍÅÎÔ ÄÌÑ %s" +ER_NO_PERMISSION_TO_CREATE_USER 42000 + nla "'%-.32s'@'%-.64s' mag geen nieuwe gebruikers creeren" + eng "'%-.32s'@'%-.64s' is not allowed to create new users" + est "Kasutajal '%-.32s'@'%-.64s' ei ole lubatud luua uusi kasutajaid" + fre "'%-.32s'@'%-.64s' n'est pas autorisé à créer de nouveaux utilisateurs" + ger "'%-.32s'@'%-.64s' is nicht berechtigt, neue Benutzer hinzuzufügen" + ita "A '%-.32s'@'%-.64s' non e' permesso creare nuovi utenti" + por "Não é permitido a '%-.32s'@'%-.64s' criar novos usuários" + rus "'%-.32s'@'%-.64s' ÎÅ ÒÁÚÒÅÛÁÅÔÓÑ ÓÏÚÄÁ×ÁÔØ ÎÏ×ÙÈ ÐÏÌØÚÏ×ÁÔÅÌÅÊ" + serbian "Pogrešna definicija tabele; sve 'MERGE' tabele moraju biti u istoj bazi podataka" + spa "'%-.32s`@`%-.64s` no es permitido para crear nuevos usuarios" + swe "'%-.32s'@'%-.64s' har inte rättighet att skapa nya användare" + ukr "ëÏÒÉÓÔÕ×ÁÞÕ '%-.32s'@'%-.64s' ÎÅ ÄÏÚ×ÏÌÅÎÏ ÓÔ×ÏÒÀ×ÁÔÉ ÎÏ×ÉÈ ËÏÒÉÓÔÕ×ÁÞ¦×" +ER_UNION_TABLES_IN_DIFFERENT_DIR + nla "Incorrecte tabel definitie; alle MERGE tabellen moeten tot dezelfde database behoren" + eng "Incorrect table definition; all MERGE tables must be in the same database" + est "Vigane tabelimääratlus; kõik MERGE tabeli liikmed peavad asuma samas andmebaasis" + fre "Définition de table incorrecte; toutes les tables MERGE doivent être dans la même base de donnée" + ger "Falsche Tabellendefinition. Alle MERGE-Tabellen müssen sich in derselben Datenbank befinden" + ita "Definizione della tabella errata; tutte le tabelle di tipo MERGE devono essere nello stesso database" + por "Definição incorreta da tabela. Todas as tabelas contidas na junção devem estar no mesmo banco de dados." + rus "îÅ×ÅÒÎÏÅ ÏÐÒÅÄÅÌÅÎÉÅ ÔÁÂÌÉÃÙ; ÷ÓÅ ÔÁÂÌÉÃÙ × MERGE ÄÏÌÖÎÙ ÐÒÉÎÁÄÌÅÖÁÔØ ÏÄÎÏÊ É ÔÏÊ ÖÅ ÂÁÚÅ ÄÁÎÎÙÈ" + serbian "Unakrsno zakljuèavanje pronaðeno kada sam pokušao da dobijem pravo na zakljuèavanje; Probajte da restartujete transakciju" + spa "Incorrecta definición de la tabla; Todas las tablas MERGE deben estar en el mismo banco de datos" + swe "Felaktig tabelldefinition; alla tabeller i en MERGE-tabell måste vara i samma databas" +ER_LOCK_DEADLOCK 40001 + nla "Deadlock gevonden tijdens lock-aanvraag poging; Probeer herstart van de transactie" + eng "Deadlock found when trying to get lock; try restarting transaction" + est "Lukustamisel tekkis tupik (deadlock); alusta transaktsiooni otsast" + fre "Deadlock découvert en essayant d'obtenir les verrous : essayez de redémarrer la transaction" + ger "Beim Versuch, eine Sperre anzufordern, ist ein Deadlock aufgetreten. Versuchen Sie, die Transaktion erneut zu starten" + ita "Trovato deadlock durante il lock; Provare a far ripartire la transazione" + por "Encontrado um travamento fatal (deadlock) quando tentava obter uma trava. Tente reiniciar a transação." + rus "÷ÏÚÎÉËÌÁ ÔÕÐÉËÏ×ÁÑ ÓÉÔÕÁÃÉÑ × ÐÒÏÃÅÓÓÅ ÐÏÌÕÞÅÎÉÑ ÂÌÏËÉÒÏ×ËÉ; ðÏÐÒÏÂÕÊÔÅ ÐÅÒÅÚÁÐÕÓÔÉÔØ ÔÒÁÎÚÁËÃÉÀ" + serbian "Upotrebljeni tip tabele ne podržava 'FULLTEXT' indekse" + spa "Encontrado deadlock cuando tentando obtener el bloqueo; Tente recomenzar la transición" + swe "Fick 'DEADLOCK' vid låsförsök av block/rad. Försök att starta om transaktionen" + ukr "Deadlock found when trying to get lock; Try restarting transaction" +ER_TABLE_CANT_HANDLE_FT + nla "Het gebruikte tabel type ondersteund geen FULLTEXT indexen" + eng "The used table type doesn't support FULLTEXT indexes" + est "Antud tabelitüüp ei toeta FULLTEXT indekseid" + fre "Le type de table utilisé ne supporte pas les index FULLTEXT" + ger "Der verwendete Tabellentyp unterstützt keine FULLTEXT-Indizes" + ita "La tabella usata non supporta gli indici FULLTEXT" + por "O tipo de tabela utilizado não suporta índices de texto completo (fulltext indexes)" + rus "éÓÐÏÌØÚÕÅÍÙÊ ÔÉÐ ÔÁÂÌÉà ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔ ÐÏÌÎÏÔÅËÓÔÏ×ÙÈ ÉÎÄÅËÓÏ×" + serbian "Ne mogu da dodam proveru spoljnog kljuèa" + spa "El tipo de tabla usada no soporta índices FULLTEXT" + swe "Tabelltypen har inte hantering av FULLTEXT-index" + ukr "÷ÉËÏÒÉÓÔÁÎÉÊ ÔÉÐ ÔÁÂÌÉæ ΊЦÄÔÒÉÍÕ¤ FULLTEXT ¦ÎÄÅËÓ¦×" +ER_CANNOT_ADD_FOREIGN + nla "Kan foreign key beperking niet toevoegen" + eng "Cannot add foreign key constraint" + fre "Impossible d'ajouter des contraintes d'index externe" + ger "Fremdschlüssel-Beschränkung konnte nicht hinzugefügt werden" + ita "Impossibile aggiungere il vincolo di integrita' referenziale (foreign key constraint)" + por "Não pode acrescentar uma restrição de chave estrangeira" + rus "îÅ×ÏÚÍÏÖÎÏ ÄÏÂÁ×ÉÔØ ÏÇÒÁÎÉÞÅÎÉÑ ×ÎÅÛÎÅÇÏ ËÌÀÞÁ" + serbian "Ne mogu da dodam slog: provera spoljnog kljuèa je neuspela" + spa "No puede adicionar clave extranjera constraint" + swe "Kan inte lägga till 'FOREIGN KEY constraint'" +ER_NO_REFERENCED_ROW 23000 + dan "Cannot add a child row: a foreign key constraint fails" + nla "Kan onderliggende rij niet toevoegen: foreign key beperking gefaald" + eng "Cannot add or update a child row: a foreign key constraint fails" + est "Cannot add a child row: a foreign key constraint fails" + fre "Impossible d'ajouter un enregistrement fils : une constrainte externe l'empèche" + ger "Hinzufügen eines Kind-Datensatzes schlug aufgrund einer Fremdschlüssel-Beschränkung fehl" + greek "Cannot add a child row: a foreign key constraint fails" + hun "Cannot add a child row: a foreign key constraint fails" + ita "Impossibile aggiungere la riga: un vincolo d'integrita' referenziale non e' soddisfatto" + jpn "Cannot add a child row: a foreign key constraint fails" + kor "Cannot add a child row: a foreign key constraint fails" + nor "Cannot add a child row: a foreign key constraint fails" + norwegian-ny "Cannot add a child row: a foreign key constraint fails" + pol "Cannot add a child row: a foreign key constraint fails" + por "Não pode acrescentar uma linha filha: uma restrição de chave estrangeira falhou" + rum "Cannot add a child row: a foreign key constraint fails" + rus "îÅ×ÏÚÍÏÖÎÏ ÄÏÂÁ×ÉÔØ ÉÌÉ ÏÂÎÏ×ÉÔØ ÄÏÞÅÒÎÀÀ ÓÔÒÏËÕ: ÐÒÏ×ÅÒËÁ ÏÇÒÁÎÉÞÅÎÉÊ ×ÎÅÛÎÅÇÏ ËÌÀÞÁ ÎÅ ×ÙÐÏÌÎÑÅÔÓÑ" + serbian "Ne mogu da izbrišem roditeljski slog: provera spoljnog kljuèa je neuspela" + slo "Cannot add a child row: a foreign key constraint fails" + spa "No puede adicionar una línea hijo: falla de clave extranjera constraint" + swe "FOREIGN KEY-konflikt: Kan inte skriva barn" + ukr "Cannot add a child row: a foreign key constraint fails" +ER_ROW_IS_REFERENCED 23000 + dan "Cannot delete a parent row: a foreign key constraint fails" + nla "Kan bovenliggende rij nite verwijderen: foreign key beperking gefaald" + eng "Cannot delete or update a parent row: a foreign key constraint fails" + est "Cannot delete a parent row: a foreign key constraint fails" + fre "Impossible de supprimer un enregistrement père : une constrainte externe l'empèche" + ger "Löschen eines Eltern-Datensatzes schlug aufgrund einer Fremdschlüssel-Beschränkung fehl" + greek "Cannot delete a parent row: a foreign key constraint fails" + hun "Cannot delete a parent row: a foreign key constraint fails" + ita "Impossibile cancellare la riga: un vincolo d'integrita' referenziale non e' soddisfatto" + jpn "Cannot delete a parent row: a foreign key constraint fails" + kor "Cannot delete a parent row: a foreign key constraint fails" + nor "Cannot delete a parent row: a foreign key constraint fails" + norwegian-ny "Cannot delete a parent row: a foreign key constraint fails" + pol "Cannot delete a parent row: a foreign key constraint fails" + por "Não pode apagar uma linha pai: uma restrição de chave estrangeira falhou" + rum "Cannot delete a parent row: a foreign key constraint fails" + rus "îÅ×ÏÚÍÏÖÎÏ ÕÄÁÌÉÔØ ÉÌÉ ÏÂÎÏ×ÉÔØ ÒÏÄÉÔÅÌØÓËÕÀ ÓÔÒÏËÕ: ÐÒÏ×ÅÒËÁ ÏÇÒÁÎÉÞÅÎÉÊ ×ÎÅÛÎÅÇÏ ËÌÀÞÁ ÎÅ ×ÙÐÏÌÎÑÅÔÓÑ" + serbian "Greška pri povezivanju sa glavnim serverom u klasteru: %-.128s" + slo "Cannot delete a parent row: a foreign key constraint fails" + spa "No puede deletar una línea padre: falla de clave extranjera constraint" + swe "FOREIGN KEY-konflikt: Kan inte radera fader" + ukr "Cannot delete a parent row: a foreign key constraint fails" +ER_CONNECT_TO_MASTER 08S01 + nla "Fout bij opbouwen verbinding naar master: %-.128s" + eng "Error connecting to master: %-.128s" + ger "Fehler bei der Verbindung zum Master: %-.128s" + ita "Errore durante la connessione al master: %-.128s" + por "Erro conectando com o master: %-.128s" + rus "ïÛÉÂËÁ ÓÏÅÄÉÎÅÎÉÑ Ó ÇÏÌÏ×ÎÙÍ ÓÅÒ×ÅÒÏÍ: %-.128s" + serbian "Greška pri izvršavanju upita na glavnom serveru u klasteru: %-.128s" + spa "Error de coneccion a master: %-.128s" + swe "Fick fel vid anslutning till master: %-.128s" +ER_QUERY_ON_MASTER + nla "Fout bij uitvoeren query op master: %-.128s" + eng "Error running query on master: %-.128s" + ger "Beim Ausführen einer Abfrage auf dem Master trat ein Fehler auf: %-.128s" + ita "Errore eseguendo una query sul master: %-.128s" + por "Erro rodando consulta no master: %-.128s" + rus "ïÛÉÂËÁ ×ÙÐÏÌÎÅÎÉÑ ÚÁÐÒÏÓÁ ÎÁ ÇÏÌÏ×ÎÏÍ ÓÅÒ×ÅÒÅ: %-.128s" + serbian "Greška pri izvršavanju komande %s: %-.128s" + spa "Error executando el query en master: %-.128s" + swe "Fick fel vid utförande av command på mastern: %-.128s" +ER_ERROR_WHEN_EXECUTING_COMMAND + nla "Fout tijdens uitvoeren van commando %s: %-.128s" + eng "Error when executing command %s: %-.128s" + est "Viga käsu %s täitmisel: %-.128s" + ger "Fehler beim Ausführen des Befehls %s: %-.128s" + ita "Errore durante l'esecuzione del comando %s: %-.128s" + por "Erro quando executando comando %s: %-.128s" + rus "ïÛÉÂËÁ ÐÒÉ ×ÙÐÏÌÎÅÎÉÉ ËÏÍÁÎÄÙ %s: %-.128s" + serbian "Pogrešna upotreba %s i %s" + spa "Error de %s: %-.128s" + swe "Fick fel vid utförande av %s: %-.128s" +ER_WRONG_USAGE + nla "Foutief gebruik van %s en %s" + eng "Incorrect usage of %s and %s" + est "Vigane %s ja %s kasutus" + ger "Falsche Verwendung von %s und %s" + ita "Uso errato di %s e %s" + por "Uso errado de %s e %s" + rus "îÅ×ÅÒÎÏÅ ÉÓÐÏÌØÚÏ×ÁÎÉÅ %s É %s" + serbian "Upotrebljene 'SELECT' komande adresiraju razlièit broj kolona" + spa "Equivocado uso de %s y %s" + swe "Felaktig använding av %s and %s" + ukr "Wrong usage of %s and %s" +ER_WRONG_NUMBER_OF_COLUMNS_IN_SELECT 21000 + nla "De gebruikte SELECT commando's hebben een verschillend aantal kolommen" + eng "The used SELECT statements have a different number of columns" + est "Tulpade arv kasutatud SELECT lausetes ei kattu" + ger "Die verwendeten SELECT-Befehle liefern eine unterschiedliche Anzahl von Spalten zurück" + ita "La SELECT utilizzata ha un numero di colonne differente" + por "Os comandos SELECT usados têm diferente número de colunas" + rus "éÓÐÏÌØÚÏ×ÁÎÎÙÅ ÏÐÅÒÁÔÏÒÙ ×ÙÂÏÒËÉ (SELECT) ÄÁÀÔ ÒÁÚÎÏÅ ËÏÌÉÞÅÓÔ×Ï ÓÔÏÌÂÃÏ×" + serbian "Ne mogu da izvršim upit zbog toga što imate zakljuèavanja èitanja podataka u konfliktu" + spa "El comando SELECT usado tiene diferente número de columnas" + swe "SELECT-kommandona har olika antal kolumner" +ER_CANT_UPDATE_WITH_READLOCK + nla "Kan de query niet uitvoeren vanwege een conflicterende read lock" + eng "Can't execute the query because you have a conflicting read lock" + est "Ei suuda täita päringut konfliktse luku tõttu" + ger "Augrund eines READ LOCK-Konflikts kann die Abfrage nicht ausgeführt werden" + ita "Impossibile eseguire la query perche' c'e' un conflitto con in lock di lettura" + por "Não posso executar a consulta porque você tem um conflito de travamento de leitura" + rus "îÅ×ÏÚÍÏÖÎÏ ÉÓÐÏÌÎÉÔØ ÚÁÐÒÏÓ, ÐÏÓËÏÌØËÕ Õ ×ÁÓ ÕÓÔÁÎÏ×ÌÅÎÙ ËÏÎÆÌÉËÔÕÀÝÉÅ ÂÌÏËÉÒÏ×ËÉ ÞÔÅÎÉÑ" + serbian "Mešanje tabela koje podržavaju transakcije i onih koje ne podržavaju transakcije je iskljuèeno" + spa "No puedo ejecutar el query porque usted tiene conflicto de traba de lectura" + swe "Kan inte utföra kommandot emedan du har ett READ-lås" +ER_MIXING_NOT_ALLOWED + nla "Het combineren van transactionele en niet-transactionele tabellen is uitgeschakeld." + eng "Mixing of transactional and non-transactional tables is disabled" + est "Transaktsioone toetavate ning mittetoetavate tabelite kooskasutamine ei ole lubatud" + ger "Die gleichzeitige Verwendung von Tabellen mit und ohne Transaktionsunterstützung ist deaktiviert" + ita "E' disabilitata la possibilita' di mischiare tabelle transazionali e non-transazionali" + por "Mistura de tabelas transacional e não-transacional está desabilitada" + rus "éÓÐÏÌØÚÏ×ÁÎÉÅ ÔÒÁÎÚÁËÃÉÏÎÎÙÈ ÔÁÂÌÉà ÎÁÒÑÄÕ Ó ÎÅÔÒÁÎÚÁËÃÉÏÎÎÙÍÉ ÚÁÐÒÅÝÅÎÏ" + serbian "Opcija '%s' je upotrebljena dva puta u istom iskazu" + spa "Mezla de transancional y no-transancional tablas está deshabilitada" + swe "Blandning av transaktionella och icke-transaktionella tabeller är inaktiverat" +ER_DUP_ARGUMENT + nla "Optie '%s' tweemaal gebruikt in opdracht" + eng "Option '%s' used twice in statement" + est "Määrangut '%s' on lauses kasutatud topelt" + ger "Option '%s' wird im Befehl zweimal verwendet" + ita "L'opzione '%s' e' stata usata due volte nel comando" + por "Opção '%s' usada duas vezes no comando" + rus "ïÐÃÉÑ '%s' Ä×ÁÖÄÙ ÉÓÐÏÌØÚÏ×ÁÎÁ × ×ÙÒÁÖÅÎÉÉ" + serbian "User '%-.64s' has exceeded the '%s' resource (current value: %ld)" + spa "Opción '%s' usada dos veces en el comando" + swe "Option '%s' användes två gånger" +ER_USER_LIMIT_REACHED 42000 + nla "Gebruiker '%-.64s' heeft het maximale gebruik van de '%s' faciliteit overschreden (huidige waarde: %ld)" + eng "User '%-.64s' has exceeded the '%s' resource (current value: %ld)" + ger "Benutzer '%-.64s' hat die Ressourcenbeschränkung '%s' überschritten (aktueller Wert: %ld)" + ita "L'utente '%-.64s' ha ecceduto la risorsa '%s' (valore corrente: %ld)" + por "Usuário '%-.64s' tem excedido o '%s' recurso (atual valor: %ld)" + rus "ðÏÌØÚÏ×ÁÔÅÌØ '%-.64s' ÐÒÅ×ÙÓÉÌ ÉÓÐÏÌØÚÏ×ÁÎÉÅ ÒÅÓÕÒÓÁ '%s' (ÔÅËÕÝÅÅ ÚÎÁÞÅÎÉÅ: %ld)" + serbian "Access denied; you need the %-.128s privilege for this operation" + spa "Usuario '%-.64s' ha excedido el recurso '%s' (actual valor: %ld)" + swe "Användare '%-.64s' har överskridit '%s' (nuvarande värde: %ld)" +ER_SPECIFIC_ACCESS_DENIED_ERROR + nla "Toegang geweigerd. U moet het %-.128s privilege hebben voor deze operatie" + eng "Access denied; you need the %-.128s privilege for this operation" + ger "Befehl nicht zulässig. Hierfür wird die Berechtigung %-.128s benötigt" + ita "Accesso non consentito. Serve il privilegio %-.128s per questa operazione" + por "Acesso negado. Você precisa o privilégio %-.128s para essa operação" + rus "÷ ÄÏÓÔÕÐÅ ÏÔËÁÚÁÎÏ. ÷ÁÍ ÎÕÖÎÙ ÐÒÉ×ÉÌÅÇÉÉ %-.128s ÄÌÑ ÜÔÏÊ ÏÐÅÒÁÃÉÉ" + serbian "Variable '%-.64s' is a SESSION variable and can't be used with SET GLOBAL" + spa "Acceso negado. Usted necesita el privilegio %-.128s para esta operación" + swe "Du har inte privlegiet '%-.128s' som behövs för denna operation" + ukr "Access denied. You need the %-.128s privilege for this operation" +ER_LOCAL_VARIABLE + nla "Variabele '%-.64s' is SESSION en kan niet worden gebruikt met SET GLOBAL" + eng "Variable '%-.64s' is a SESSION variable and can't be used with SET GLOBAL" + ger "Variable '%-.64s' ist eine lokale Variable und kann nicht mit SET GLOBAL verändert werden" + ita "La variabile '%-.64s' e' una variabile locale ( SESSION ) e non puo' essere cambiata usando SET GLOBAL" + por "Variável '%-.64s' é uma SESSION variável e não pode ser usada com SET GLOBAL" + rus "ðÅÒÅÍÅÎÎÁÑ '%-.64s' Ñ×ÌÑÅÔÓÑ ÐÏÔÏËÏ×ÏÊ (SESSION) ÐÅÒÅÍÅÎÎÏÊ É ÎÅ ÍÏÖÅÔ ÂÙÔØ ÉÚÍÅÎÅÎÁ Ó ÐÏÍÏÝØÀ SET GLOBAL" + serbian "Variable '%-.64s' is a GLOBAL variable and should be set with SET GLOBAL" + spa "Variable '%-.64s' es una SESSION variable y no puede ser usada con SET GLOBAL" + swe "Variabel '%-.64s' är en SESSION variabel och kan inte ändrad med SET GLOBAL" +ER_GLOBAL_VARIABLE + nla "Variabele '%-.64s' is GLOBAL en dient te worden gewijzigd met SET GLOBAL" + eng "Variable '%-.64s' is a GLOBAL variable and should be set with SET GLOBAL" + ger "Variable '%-.64s' ist eine globale Variable und muss mit SET GLOBAL verändert werden" + ita "La variabile '%-.64s' e' una variabile globale ( GLOBAL ) e deve essere cambiata usando SET GLOBAL" + por "Variável '%-.64s' é uma GLOBAL variável e deve ser configurada com SET GLOBAL" + rus "ðÅÒÅÍÅÎÎÁÑ '%-.64s' Ñ×ÌÑÅÔÓÑ ÇÌÏÂÁÌØÎÏÊ (GLOBAL) ÐÅÒÅÍÅÎÎÏÊ, É ÅÅ ÓÌÅÄÕÅÔ ÉÚÍÅÎÑÔØ Ó ÐÏÍÏÝØÀ SET GLOBAL" + serbian "Variable '%-.64s' doesn't have a default value" + spa "Variable '%-.64s' es una GLOBAL variable y no puede ser configurada con SET GLOBAL" + swe "Variabel '%-.64s' är en GLOBAL variabel och bör sättas med SET GLOBAL" +ER_NO_DEFAULT 42000 + nla "Variabele '%-.64s' heeft geen standaard waarde" + eng "Variable '%-.64s' doesn't have a default value" + ger "Variable '%-.64s' hat keinen Vorgabewert" + ita "La variabile '%-.64s' non ha un valore di default" + por "Variável '%-.64s' não tem um valor padrão" + rus "ðÅÒÅÍÅÎÎÁÑ '%-.64s' ÎÅ ÉÍÅÅÔ ÚÎÁÞÅÎÉÑ ÐÏ ÕÍÏÌÞÁÎÉÀ" + serbian "Variable '%-.64s' can't be set to the value of '%-.64s'" + spa "Variable '%-.64s' no tiene un valor patrón" + swe "Variabel '%-.64s' har inte ett DEFAULT-värde" +ER_WRONG_VALUE_FOR_VAR 42000 + nla "Variabele '%-.64s' kan niet worden gewijzigd naar de waarde '%-.64s'" + eng "Variable '%-.64s' can't be set to the value of '%-.64s'" + ger "Variable '%-.64s' kann nicht auf '%-.64s' gesetzt werden" + ita "Alla variabile '%-.64s' non puo' essere assegato il valore '%-.64s'" + por "Variável '%-.64s' não pode ser configurada para o valor de '%-.64s'" + rus "ðÅÒÅÍÅÎÎÁÑ '%-.64s' ÎÅ ÍÏÖÅÔ ÂÙÔØ ÕÓÔÁÎÏ×ÌÅÎÁ × ÚÎÁÞÅÎÉÅ '%-.64s'" + serbian "Incorrect argument type to variable '%-.64s'" + spa "Variable '%-.64s' no puede ser configurada para el valor de '%-.64s'" + swe "Variabel '%-.64s' kan inte sättas till '%-.64s'" +ER_WRONG_TYPE_FOR_VAR 42000 + nla "Foutief argumenttype voor variabele '%-.64s'" + eng "Incorrect argument type to variable '%-.64s'" + ger "Falscher Argumenttyp für Variable '%-.64s'" + ita "Tipo di valore errato per la variabile '%-.64s'" + por "Tipo errado de argumento para variável '%-.64s'" + rus "îÅ×ÅÒÎÙÊ ÔÉÐ ÁÒÇÕÍÅÎÔÁ ÄÌÑ ÐÅÒÅÍÅÎÎÏÊ '%-.64s'" + serbian "Variable '%-.64s' can only be set, not read" + spa "Tipo de argumento equivocado para variable '%-.64s'" + swe "Fel typ av argument till variabel '%-.64s'" + ukr "Wrong argument type to variable '%-.64s'" +ER_VAR_CANT_BE_READ + nla "Variabele '%-.64s' kan alleen worden gewijzigd, niet gelezen" + eng "Variable '%-.64s' can only be set, not read" + ger "Variable '%-.64s' kann nur verändert, nicht gelesen werden" + ita "Alla variabile '%-.64s' e' di sola scrittura quindi puo' essere solo assegnato un valore, non letto" + por "Variável '%-.64s' somente pode ser configurada, não lida" + rus "ðÅÒÅÍÅÎÎÁÑ '%-.64s' ÍÏÖÅÔ ÂÙÔØ ÔÏÌØËÏ ÕÓÔÁÎÏ×ÌÅÎÁ, ÎÏ ÎÅ ÓÞÉÔÁÎÁ" + serbian "Incorrect usage/placement of '%s'" + spa "Variable '%-.64s' solamente puede ser configurada, no leída" + swe "Variabeln '%-.64s' kan endast sättas, inte läsas" +ER_CANT_USE_OPTION_HERE 42000 + nla "Foutieve toepassing/plaatsing van '%s'" + eng "Incorrect usage/placement of '%s'" + ger "Falsche Verwendung oder Platzierung von '%s'" + ita "Uso/posizione di '%s' sbagliato" + por "Errado uso/colocação de '%s'" + rus "îÅ×ÅÒÎÏÅ ÉÓÐÏÌØÚÏ×ÁÎÉÅ ÉÌÉ × ÎÅ×ÅÒÎÏÍ ÍÅÓÔÅ ÕËÁÚÁÎ '%s'" + serbian "This version of MySQL doesn't yet support '%s'" + spa "Equivocado uso/colocación de '%s'" + swe "Fel använding/placering av '%s'" + ukr "Wrong usage/placement of '%s'" +ER_NOT_SUPPORTED_YET 42000 + nla "Deze versie van MySQL ondersteunt nog geen '%s'" + eng "This version of MySQL doesn't yet support '%s'" + ger "Diese MySQL-Version unterstützt '%s' nicht" + ita "Questa versione di MySQL non supporta ancora '%s'" + por "Esta versão de MySQL não suporta ainda '%s'" + rus "üÔÁ ×ÅÒÓÉÑ MySQL ÐÏËÁ ÅÝÅ ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔ '%s'" + serbian "Got fatal error %d: '%-.128s' from master when reading data from binary log" + spa "Esta versión de MySQL no soporta todavia '%s'" + swe "Denna version av MySQL kan ännu inte utföra '%s'" +ER_MASTER_FATAL_ERROR_READING_BINLOG + nla "Kreeg fatale fout %d: '%-.128s' van master tijdens lezen van data uit binaire log" + eng "Got fatal error %d: '%-.128s' from master when reading data from binary log" + ger "Schwerer Fehler %d: '%-.128s vom Master beim Lesen des binären Logs aufgetreten" + ita "Errore fatale %d: '%-.128s' dal master leggendo i dati dal log binario" + por "Obteve fatal erro %d: '%-.128s' do master quando lendo dados do binary log" + rus "ðÏÌÕÞÅÎÁ ÎÅÉÓÐÒÁ×ÉÍÁÑ ÏÛÉÂËÁ %d: '%-.128s' ÏÔ ÇÏÌÏ×ÎÏÇÏ ÓÅÒ×ÅÒÁ × ÐÒÏÃÅÓÓÅ ×ÙÂÏÒËÉ ÄÁÎÎÙÈ ÉÚ Ä×ÏÉÞÎÏÇÏ ÖÕÒÎÁÌÁ" + serbian "Slave SQL thread ignored the query because of replicate-*-table rules" + spa "Recibió fatal error %d: '%-.128s' del master cuando leyendo datos del binary log" + swe "Fick fatalt fel %d: '%-.128s' från master vid läsning av binärloggen" +ER_SLAVE_IGNORED_TABLE + eng "Slave SQL thread ignored the query because of replicate-*-table rules" + ger "Slave-SQL-Thread hat die Abfrage aufgrund von replicate-*-table-Regeln ignoriert" + por "Slave SQL thread ignorado a consulta devido às normas de replicação-*-tabela" + serbian "Variable '%-.64s' is a %s variable" + spa "Slave SQL thread ignorado el query debido a las reglas de replicación-*-tabla" + swe "Slav SQL tråden ignorerade frågan pga en replicate-*-table regel" +ER_INCORRECT_GLOBAL_LOCAL_VAR + eng "Variable '%-.64s' is a %s variable" + serbian "Incorrect foreign key definition for '%-.64s': %s" + spa "Variable '%-.64s' es una %s variable" + swe "Variabel '%-.64s' är av typ %s" +ER_WRONG_FK_DEF 42000 + eng "Incorrect foreign key definition for '%-.64s': %s" + ger "Falsche Fremdschlüssel-Definition für '%-64s': %s" + por "Definição errada da chave estrangeira para '%-.64s': %s" + serbian "Key reference and table reference don't match" + spa "Equivocada definición de llave extranjera para '%-.64s': %s" + swe "Felaktig FOREIGN KEY-definition för '%-.64s': %s" + ukr "Wrong foreign key definition for '%-.64s': %s" +ER_KEY_REF_DO_NOT_MATCH_TABLE_REF + eng "Key reference and table reference don't match" + ger "Schlüssel- und Tabellenverweis passen nicht zusammen" + por "Referência da chave e referência da tabela não coincidem" + serbian "Operand should contain %d column(s)" + spa "Referencia de llave y referencia de tabla no coinciden" + swe "Nyckelreferensen och tabellreferensen stämmer inte överens" + ukr "Key reference and table reference doesn't match" +ER_OPERAND_COLUMNS 21000 + eng "Operand should contain %d column(s)" + ger "Operand solle %d Spalte(n) enthalten" + rus "ïÐÅÒÁÎÄ ÄÏÌÖÅÎ ÓÏÄÅÒÖÁÔØ %d ËÏÌÏÎÏË" + serbian "Subquery returns more than 1 row" + spa "Operando debe tener %d columna(s)" + ukr "ïÐÅÒÁÎÄ ÍÁ¤ ÓËÌÁÄÁÔÉÓÑ Ú %d ÓÔÏ×Âæ×" +ER_SUBQUERY_NO_1_ROW 21000 + eng "Subquery returns more than 1 row" + ger "Unterabfrage lieferte mehr als einen Datensatz zurück" + por "Subconsulta retorna mais que 1 registro" + rus "ðÏÄÚÁÐÒÏÓ ×ÏÚ×ÒÁÝÁÅÔ ÂÏÌÅÅ ÏÄÎÏÊ ÚÁÐÉÓÉ" + serbian "Unknown prepared statement handler (%ld) given to %s" + spa "Subconsulta retorna mas que 1 línea" + swe "Subquery returnerade mer än 1 rad" + ukr "ð¦ÄÚÁÐÉÔ ÐÏ×ÅÒÔÁ¤ Â¦ÌØÛ ÎiÖ 1 ÚÁÐÉÓ" +ER_UNKNOWN_STMT_HANDLER + dan "Unknown prepared statement handler (%ld) given to %s" + eng "Unknown prepared statement handler (%.*s) given to %s" + ger "Unbekannter Prepared-Statement-Handler (%.*s) für %s angegeben" + por "Desconhecido manipulador de declaração preparado (%.*s) determinado para %s" + serbian "Help database is corrupt or does not exist" + spa "Desconocido preparado comando handler (%ld) dado para %s" + swe "Okänd PREPARED STATEMENT id (%ld) var given till %s" + ukr "Unknown prepared statement handler (%ld) given to %s" +ER_CORRUPT_HELP_DB + eng "Help database is corrupt or does not exist" + ger "Die Hilfe-Datenbank ist beschädigt oder existiert nicht" + por "Banco de dado de ajuda corrupto ou não existente" + serbian "Cyclic reference on subqueries" + spa "Base de datos Help está corrupto o no existe" + swe "Hjälpdatabasen finns inte eller är skadad" +ER_CYCLIC_REFERENCE + eng "Cyclic reference on subqueries" + ger "Zyklischer Verweis in Unterabfragen" + por "Referência cíclica em subconsultas" + rus "ãÉËÌÉÞÅÓËÁÑ ÓÓÙÌËÁ ÎÁ ÐÏÄÚÁÐÒÏÓ" + serbian "Converting column '%s' from %s to %s" + spa "Cíclica referencia en subconsultas" + swe "Cyklisk referens i subqueries" + ukr "ãÉË̦ÞÎÅ ÐÏÓÉÌÁÎÎÑ ÎÁ ЦÄÚÁÐÉÔ" +ER_AUTO_CONVERT + eng "Converting column '%s' from %s to %s" + ger "Spalte '%s' wird von %s nach %s umgewandelt" + por "Convertendo coluna '%s' de %s para %s" + rus "ðÒÅÏÂÒÁÚÏ×ÁÎÉÅ ÐÏÌÑ '%s' ÉÚ %s × %s" + serbian "Reference '%-.64s' not supported (%s)" + spa "Convirtiendo columna '%s' de %s para %s" + swe "Konvertar kolumn '%s' från %s till %s" + ukr "ðÅÒÅÔ×ÏÒÅÎÎÑ ÓÔÏ×ÂÃÁ '%s' Ú %s Õ %s" +ER_ILLEGAL_REFERENCE 42S22 + eng "Reference '%-.64s' not supported (%s)" + ger "Verweis '%-.64s' wird nicht unterstützt (%s)" + por "Referência '%-.64s' não suportada (%s)" + rus "óÓÙÌËÁ '%-.64s' ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔÓÑ (%s)" + serbian "Every derived table must have its own alias" + spa "Referencia '%-.64s' no soportada (%s)" + swe "Referens '%-.64s' stöds inte (%s)" + ukr "ðÏÓÉÌÁÎÎÑ '%-.64s' ÎÅ ÐiÄÔÒÉÍÕÅÔÓÑ (%s)" +ER_DERIVED_MUST_HAVE_ALIAS 42000 + eng "Every derived table must have its own alias" + ger "Für jede abgeleitete Tabelle muss ein eigener Alias angegeben werden" + por "Cada tabela derivada deve ter seu próprio alias" + serbian "Select %u was reduced during optimization" + spa "Cada tabla derivada debe tener su propio alias" + swe "Varje 'derived table' måste ha sitt eget alias" + ukr "Every derived table must have it's own alias" +ER_SELECT_REDUCED 01000 + eng "Select %u was reduced during optimization" + ger "Select %u wurde während der Optimierung reduziert" + por "Select %u foi reduzido durante otimização" + rus "Select %u ÂÙÌ ÕÐÒÁÚÄÎÅÎ × ÐÒÏÃÅÓÓÅ ÏÐÔÉÍÉÚÁÃÉÉ" + serbian "Table '%-.64s' from one of the SELECTs cannot be used in %-.32s" + spa "Select %u fué reducido durante optimización" + swe "Select %u reducerades vid optimiering" + ukr "Select %u was ÓËÁÓÏ×ÁÎÏ ÐÒÉ ÏÐÔÉÍiÚÁÃii" +ER_TABLENAME_NOT_ALLOWED_HERE 42000 + eng "Table '%-.64s' from one of the SELECTs cannot be used in %-.32s" + ger "Tabelle '%-.64s', die in einem der SELECT-Befehle verwendet wurde, kann nicht in %-.32s verwendet werden" + por "Tabela '%-.64s' de um dos SELECTs não pode ser usada em %-.32s" + serbian "Client does not support authentication protocol requested by server; consider upgrading MySQL client" + spa "Tabla '%-.64s' de uno de los SELECT no puede ser usada en %-.32s" + swe "Tabell '%-.64s' från en SELECT kan inte användas i %-.32s" + ukr "Table '%-.64s' from one of SELECT's can not be used in %-.32s" +ER_NOT_SUPPORTED_AUTH_MODE 08004 + eng "Client does not support authentication protocol requested by server; consider upgrading MySQL client" + ger "Client unterstützt das vom Server erwartete Authentifizierungsprotokoll nicht. Bitte aktualisieren Sie Ihren MySQL-Client" + por "Cliente não suporta o protocolo de autenticação exigido pelo servidor; considere a atualização do cliente MySQL" + serbian "All parts of a SPATIAL index must be NOT NULL" + spa "Cliente no soporta protocolo de autenticación solicitado por el servidor; considere actualizar el cliente MySQL" + swe "Klienten stöder inte autentiseringsprotokollet som begärts av servern; överväg uppgradering av klientprogrammet." +ER_SPATIAL_CANT_HAVE_NULL 42000 + eng "All parts of a SPATIAL index must be NOT NULL" + ger "Alle Teile eines SPATIAL KEY müssen als NOT NULL deklariert sein" + por "Todas as partes de uma SPATIAL KEY devem ser NOT NULL" + serbian "COLLATION '%s' is not valid for CHARACTER SET '%s'" + spa "Todas las partes de una SPATIAL KEY deben ser NOT NULL" + swe "Alla delar av en SPATIAL KEY måste vara NOT NULL" + ukr "All parts of a SPATIAL KEY must be NOT NULL" +ER_COLLATION_CHARSET_MISMATCH 42000 + eng "COLLATION '%s' is not valid for CHARACTER SET '%s'" + ger "COLLATION '%s' ist für CHARACTER SET '%s' ungültig" + por "COLLATION '%s' não é válida para CHARACTER SET '%s'" + serbian "Slave is already running" + spa "COLLATION '%s' no es válido para CHARACTER SET '%s'" + swe "COLLATION '%s' är inte tillåtet för CHARACTER SET '%s'" +ER_SLAVE_WAS_RUNNING + eng "Slave is already running" + ger "Slave läuft bereits" + por "O slave já está rodando" + serbian "Slave has already been stopped" + spa "Slave ya está funcionando" + swe "Slaven har redan startat" +ER_SLAVE_WAS_NOT_RUNNING + eng "Slave has already been stopped" + ger "Slave wurde bereits angehalten" + por "O slave já está parado" + serbian "Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)" + spa "Slave ya fué parado" + swe "Slaven har redan stoppat" +ER_TOO_BIG_FOR_UNCOMPRESS + eng "Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)" + ger "Unkomprimierte Daten sind zu groß. Die maximale Größe beträgt %d" + por "Tamanho muito grande dos dados des comprimidos. O máximo tamanho é %d. (provavelmente, o comprimento dos dados descomprimidos está corrupto)" + serbian "ZLIB: Not enough memory" + spa "Tamaño demasiado grande para datos descomprimidos. El máximo tamaño es %d. (probablemente, extensión de datos descomprimidos fué corrompida)" + swe "Too big size of uncompressed data. The maximum size is %d. (probably, length of uncompressed data was corrupted)" + ukr "Too big size of uncompressed data. The maximum size is %d. (probably, length of uncompressed data was corrupted)" +ER_ZLIB_Z_MEM_ERROR + eng "ZLIB: Not enough memory" + ger "ZLIB: Steht nicht genug Speicher zur Verfügung" + por "ZLIB: Não suficiente memória disponível" + serbian "ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)" + spa "Z_MEM_ERROR: No suficiente memoria para zlib" + swe "Z_MEM_ERROR: Not enough memory available for zlib" + ukr "Z_MEM_ERROR: Not enough memory available for zlib" +ER_ZLIB_Z_BUF_ERROR + eng "ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)" + ger "ZLIB: Im Ausgabepuffer ist nicht genug Platz vorhanden (wahrscheinlich wurde die Länge der unkomprimierten Daten beschädigt)" + por "ZLIB: Não suficiente espaço no buffer emissor (provavelmente, o comprimento dos dados descomprimidos está corrupto)" + serbian "ZLIB: Input data corrupted" + spa "Z_BUF_ERROR: No suficiente espacio en el búfer de salida para zlib (probablemente, extensión de datos descomprimidos fué corrompida)" + swe "Z_BUF_ERROR: Not enough room in the output buffer for zlib (probably, length of uncompressed data was corrupted)" + ukr "Z_BUF_ERROR: Not enough room in the output buffer for zlib (probably, length of uncompressed data was corrupted)" +ER_ZLIB_Z_DATA_ERROR + eng "ZLIB: Input data corrupted" + ger "ZLIB: Eingabedaten beschädigt" + por "ZLIB: Dados de entrada está corrupto" + serbian "%d line(s) were cut by GROUP_CONCAT()" + spa "Z_DATA_ERROR: Dato de entrada fué corrompido para zlib" + swe "Z_DATA_ERROR: Input data was corrupted for zlib" + ukr "Z_DATA_ERROR: Input data was corrupted for zlib" +ER_CUT_VALUE_GROUP_CONCAT + eng "%d line(s) were cut by GROUP_CONCAT()" + ger "%d Zeile(n) durch GROUP_CONCAT() abgeschnitten" + por "%d linha(s) foram cortada(s) por GROUP_CONCAT()" + serbian "Row %ld doesn't contain data for all columns" + spa "%d línea(s) fue(fueron) cortadas por group_concat()" + swe "%d rad(er) kapades av group_concat()" + ukr "%d line(s) was(were) cut by group_concat()" +ER_WARN_TOO_FEW_RECORDS 01000 + eng "Row %ld doesn't contain data for all columns" + ger "Anzahl der Datensätze in Zeile %ld geringer als Anzahl der Spalten" + por "Conta de registro é menor que a conta de coluna na linha %ld" + serbian "Row %ld was truncated; it contained more data than there were input columns" + spa "Línea %ld no contiene datos para todas las columnas" +ER_WARN_TOO_MANY_RECORDS 01000 + eng "Row %ld was truncated; it contained more data than there were input columns" + ger "Anzahl der Datensätze in Zeile %ld größer als Anzahl der Spalten" + por "Conta de registro é maior que a conta de coluna na linha %ld" + serbian "Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld" + spa "Línea %ld fué truncada; La misma contine mas datos que las que existen en las columnas de entrada" + swe "Row %ld was truncated; It contained more data than there were input columns" + ukr "Row %ld was truncated; It contained more data than there were input columns" +ER_WARN_NULL_TO_NOTNULL 22004 + eng "Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld" + ger "Daten abgeschnitten, NULL für NOT NULL-Spalte '%s' in Zeile %ld angegeben" + por "Dado truncado, NULL fornecido para NOT NULL coluna '%s' na linha %ld" + serbian "Out of range value adjusted for column '%s' at row %ld" + spa "Datos truncado, NULL suministrado para NOT NULL columna '%s' en la línea %ld" + swe "Data truncated, NULL supplied to NOT NULL column '%s' at row %ld" + ukr "Data truncated, NULL supplied to NOT NULL column '%s' at row %ld" +ER_WARN_DATA_OUT_OF_RANGE 22003 + eng "Out of range value adjusted for column '%s' at row %ld" + ger "Daten abgeschnitten, außerhalb des Wertebereichs für Spalte '%s' in Zeile %ld" + por "Dado truncado, fora de alcance para coluna '%s' na linha %ld" + serbian "Data truncated for column '%s' at row %ld" + spa "Datos truncados, fuera de gama para columna '%s' en la línea %ld" + swe "Data truncated, out of range for column '%s' at row %ld" + ukr "Data truncated, out of range for column '%s' at row %ld" +ER_WARN_DATA_TRUNCATED 01000 + eng "Data truncated for column '%s' at row %ld" + ger "Daten abgeschnitten für Spalte '%s' in Zeile %ld" + por "Dado truncado para coluna '%s' na linha %ld" + serbian "Using storage engine %s for table '%s'" + spa "Datos truncados para columna '%s' en la línea %ld" +ER_WARN_USING_OTHER_HANDLER + eng "Using storage engine %s for table '%s'" + ger "Für Tabelle '%s' wird Speicher-Engine %s benutzt" + por "Usando engine de armazenamento %s para tabela '%s'" + serbian "Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'" + spa "Usando motor de almacenamiento %s para tabla '%s'" + swe "Använder handler %s för tabell '%s'" +ER_CANT_AGGREGATE_2COLLATIONS + eng "Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'" + ger "Unerlaubte Vermischung der Kollationen (%s,%s) und (%s,%s) für die Operation '%s'" + por "Combinação ilegal de collations (%s,%s) e (%s,%s) para operação '%s'" + serbian "Cannot drop one or more of the requested users" + spa "Ilegal mezcla de collations (%s,%s) y (%s,%s) para operación '%s'" +ER_DROP_USER + eng "Cannot drop one or more of the requested users" + ger "Kann einen oder mehrere der angegebenen Benutzer nicht löschen" + serbian "Can't revoke all privileges, grant for one or more of the requested users" +ER_REVOKE_GRANTS + eng "Can't revoke all privileges, grant for one or more of the requested users" + ger "Kann nicht alle Berechtigungen widerrufen, grant for one or more of the requested users" + por "Não pode revocar todos os privilégios, grant para um ou mais dos usuários pedidos" + serbian "Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'" + spa "No puede revocar todos los privilegios, derecho para uno o mas de los usuarios solicitados" +ER_CANT_AGGREGATE_3COLLATIONS + eng "Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'" + ger "Unerlaubte Vermischung der Kollationen (%s,%s), (%s,%s), (%s,%s) für die Operation '%s'" + por "Ilegal combinação de collations (%s,%s), (%s,%s), (%s,%s) para operação '%s'" + serbian "Illegal mix of collations for operation '%s'" + spa "Ilegal mezcla de collations (%s,%s), (%s,%s), (%s,%s) para operación '%s'" +ER_CANT_AGGREGATE_NCOLLATIONS + eng "Illegal mix of collations for operation '%s'" + ger "Unerlaubte Vermischung der Kollationen für die Operation '%s'" + por "Ilegal combinação de collations para operação '%s'" + serbian "Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)" + spa "Ilegal mezcla de collations para operación '%s'" +ER_VARIABLE_IS_NOT_STRUCT + eng "Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)" + ger "Variable '%-.64s' ist keine Variablen-Komponenten (kann nicht als XXXX.variablen_name verwendet werden)" + por "Variável '%-.64s' não é uma variável componente (Não pode ser usada como XXXX.variável_nome)" + serbian "Unknown collation: '%-.64s'" + spa "Variable '%-.64s' no es una variable componente (No puede ser usada como XXXX.variable_name)" + swe "Variable '%-.64s' is not a variable component (Can't be used as XXXX.variable_name)" + ukr "Variable '%-.64s' is not a variable component (Can't be used as XXXX.variable_name)" +ER_UNKNOWN_COLLATION + eng "Unknown collation: '%-.64s'" + ger "Unbekannte Kollation: '%-.64s'" + por "Collation desconhecida: '%-.64s'" + serbian "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" + spa "Collation desconocida: '%-.64s'" +ER_SLAVE_IGNORED_SSL_PARAMS + eng "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" + ger "SSL-Parameter in CHANGE MASTER werden ignoriert, weil dieser MySQL-Slave ohne SSL-Unterstützung kompiliert wurde. Sie können aber später verwendet werden, wenn der MySQL-Slave mit SSL gestartet wird" + por "SSL parâmetros em CHANGE MASTER são ignorados porque este escravo MySQL foi compilado sem o SSL suporte. Os mesmos podem ser usados mais tarde quando o escravo MySQL com SSL seja iniciado." + serbian "Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format" + spa "Parametros SSL en CHANGE MASTER son ignorados porque este slave MySQL fue compilado sin soporte SSL; pueden ser usados despues cuando el slave MySQL con SSL sea inicializado" + swe "SSL parameters in CHANGE MASTER are ignored because this MySQL slave was compiled without SSL support; they can be used later when MySQL slave with SSL will be started" + ukr "SSL parameters in CHANGE MASTER are ignored because this MySQL slave was compiled without SSL support; they can be used later when MySQL slave with SSL will be started" +ER_SERVER_IS_IN_SECURE_AUTH_MODE + eng "Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format" + ger "Server läuft im Modus --secure-auth, aber '%s'@'%s' hat ein Passwort im alten Format. Bitte Passwort ins neue Format ändern" + por "Servidor está rodando em --secure-auth modo, porêm '%s'@'%s' tem senha no formato antigo; por favor troque a senha para o novo formato" + rus "óÅÒ×ÅÒ ÚÁÐÕÝÅÎ × ÒÅÖÉÍÅ --secure-auth (ÂÅÚÏÐÁÓÎÏÊ Á×ÔÏÒÉÚÁÃÉÉ), ÎÏ ÄÌÑ ÐÏÌØÚÏ×ÁÔÅÌÑ '%s'@'%s' ÐÁÒÏÌØ ÓÏÈÒÁÎ£Î × ÓÔÁÒÏÍ ÆÏÒÍÁÔÅ; ÎÅÏÂÈÏÄÉÍÏ ÏÂÎÏ×ÉÔØ ÆÏÒÍÁÔ ÐÁÒÏÌÑ" + serbian "Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d" + spa "Servidor está rodando en modo --secure-auth, pero '%s'@'%s' tiene clave en el antiguo formato; por favor cambie la clave para el nuevo formato" +ER_WARN_FIELD_RESOLVED + eng "Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d" + ger "Feld oder Verweis '%-.64s%s%-.64s%s%-.64s' im SELECT-Befehl Nr. %d wurde im SELECT-Befehl Nr. %d aufgelöst" + por "Campo ou referência '%-.64s%s%-.64s%s%-.64s' de SELECT #%d foi resolvido em SELECT #%d" + rus "ðÏÌÅ ÉÌÉ ÓÓÙÌËÁ '%-.64s%s%-.64s%s%-.64s' ÉÚ SELECTÁ #%d ÂÙÌÁ ÎÁÊÄÅÎÁ × SELECTÅ #%d" + serbian "Incorrect parameter or combination of parameters for START SLAVE UNTIL" + spa "Campo o referencia '%-.64s%s%-.64s%s%-.64s' de SELECT #%d fue resolvido en SELECT #%d" + ukr "óÔÏ×ÂÅÃØ ÁÂÏ ÐÏÓÉÌÁÎÎÑ '%-.64s%s%-.64s%s%-.64s' ¦Ú SELECTÕ #%d ÂÕÌÏ ÚÎÁÊÄÅÎÅ Õ SELECT¦ #%d" +ER_BAD_SLAVE_UNTIL_COND + eng "Incorrect parameter or combination of parameters for START SLAVE UNTIL" + ger "Falscher Parameter oder falsche Kombination von Parametern für START SLAVE UNTIL" + por "Parâmetro ou combinação de parâmetros errado para START SLAVE UNTIL" + serbian "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" + spa "Parametro equivocado o combinación de parametros para START SLAVE UNTIL" + swe "Wrong parameter or combination of parameters for START SLAVE UNTIL" + ukr "Wrong parameter or combination of parameters for START SLAVE UNTIL" +ER_MISSING_SKIP_SLAVE + dan "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" + nla "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" + eng "It is recommended to use --skip-slave-start when doing step-by-step replication with START SLAVE UNTIL; otherwise, you will get problems if you get an unexpected slave's mysqld restart" + est "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" + fre "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" + ger "Es wird empfohlen, mit --skip-slave-start zu starten, wenn mit START SLAVE UNTIL eine Schritt-für-Schritt-Replikation ausgeführt wird. Ansonsten gibt es Probleme, wenn der Slave-Server unerwartet neu startet" + greek "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" + hun "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" + ita "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" + jpn "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" + kor "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" + nor "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" + norwegian-ny "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" + pol "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" + por "É recomendado para rodar com --skip-slave-start quando fazendo replicação passo-por-passo com START SLAVE UNTIL, de outra forma você não está seguro em caso de inesperada reinicialição do mysqld escravo" + rum "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" + rus "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" + serbian "SQL thread is not to be started so UNTIL options are ignored" + slo "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" + spa "Es recomendado rodar con --skip-slave-start cuando haciendo replicación step-by-step con START SLAVE UNTIL, a menos que usted no esté seguro en caso de inesperada reinicialización del mysqld slave" + swe "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" + ukr "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" +ER_UNTIL_COND_IGNORED + eng "SQL thread is not to be started so UNTIL options are ignored" + ger "SQL-Thread soll nicht gestartet werden. Daher werden UNTIL-Optionen ignoriert" + por "Thread SQL não pode ser inicializado tal que opções UNTIL são ignoradas" + serbian "Incorrect index name '%-.100s'" + spa "SQL thread no es inicializado tal que opciones UNTIL son ignoradas" +ER_WRONG_NAME_FOR_INDEX 42000 + eng "Incorrect index name '%-.100s'" + por "Incorreto nome de índice '%-.100s'" + serbian "Incorrect catalog name '%-.100s'" + spa "Nombre de índice incorrecto '%-.100s'" + swe "Felaktigt index namn '%-.100s'" +ER_WRONG_NAME_FOR_CATALOG 42000 + eng "Incorrect catalog name '%-.100s'" + por "Incorreto nome de catálogo '%-.100s'" + serbian "Query cache failed to set size %lu, new query cache size is %lu" + spa "Nombre de catalog incorrecto '%-.100s'" + swe "Felaktigt katalog namn '%-.100s'" +ER_WARN_QC_RESIZE + dan "Query cache failed to set size %lu, new query cache size is %lu" + nla "Query cache failed to set size %lu, new query cache size is %lu" + eng "Query cache failed to set size %lu; new query cache size is %lu" + est "Query cache failed to set size %lu, new query cache size is %lu" + fre "Query cache failed to set size %lu, new query cache size is %lu" + ger "Query cache failed to set size %lu, new query cache size is %lu" + greek "Query cache failed to set size %lu, new query cache size is %lu" + hun "Query cache failed to set size %lu, new query cache size is %lu" + ita "Query cache failed to set size %lu, new query cache size is %lu" + jpn "Query cache failed to set size %lu, new query cache size is %lu" + kor "Query cache failed to set size %lu, new query cache size is %lu" + nor "Query cache failed to set size %lu, new query cache size is %lu" + norwegian-ny "Query cache failed to set size %lu, new query cache size is %lu" + pol "Query cache failed to set size %lu, new query cache size is %lu" + por "Falha em Query cache para configurar tamanho %lu, novo tamanho de query cache é %lu" + rum "Query cache failed to set size %lu, new query cache size is %lu" + rus "ëÅÛ ÚÁÐÒÏÓÏ× ÎÅ ÍÏÖÅÔ ÕÓÔÁÎÏ×ÉÔØ ÒÁÚÍÅÒ %lu, ÎÏ×ÙÊ ÒÁÚÍÅÒ ËÅÛÁ ÚÐÒÏÓÏ× - %lu" + serbian "Column '%-.64s' cannot be part of FULLTEXT index" + slo "Query cache failed to set size %lu, new query cache size is %lu" + spa "Query cache fallada para configurar tamaño %lu, nuevo tamaño de query cache es %lu" + swe "Storleken av "Query cache" kunde inte sättas till %lu, ny storlek är %lu" + ukr "ëÅÛ ÚÁÐÉÔ¦× ÎÅÓÐÒÏÍÏÖÅÎ ×ÓÔÁÎÏ×ÉÔÉ ÒÏÚÍ¦Ò %lu, ÎÏ×ÉÊ ÒÏÚÍ¦Ò ËÅÛÁ ÚÁÐÉÔ¦× - %lu" +ER_BAD_FT_COLUMN + eng "Column '%-.64s' cannot be part of FULLTEXT index" + por "Coluna '%-.64s' não pode ser parte de índice FULLTEXT" + serbian "Unknown key cache '%-.100s'" + spa "Columna '%-.64s' no puede ser parte de FULLTEXT index" + swe "Kolumn '%-.64s' kan inte vara del av ett FULLTEXT index" +ER_UNKNOWN_KEY_CACHE + eng "Unknown key cache '%-.100s'" + por "Key cache desconhecida '%-.100s'" + serbian "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" + spa "Desconocida key cache '%-.100s'" + swe "Okänd nyckel cache '%-.100s'" +ER_WARN_HOSTNAME_WONT_WORK + dan "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" + nla "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" + eng "MySQL is started in --skip-name-resolve mode; you must restart it without this switch for this grant to work" + est "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" + fre "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" + ger "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" + greek "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" + hun "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" + ita "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" + jpn "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" + kor "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" + nor "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" + norwegian-ny "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" + pol "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" + por "MySQL foi inicializado em modo --skip-name-resolve. Você necesita reincializá-lo sem esta opção para este grant funcionar" + rum "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" + rus "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" + serbian "Unknown table engine '%s'" + slo "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" + spa "MySQL esta inicializado en modo --skip-name-resolve. Usted necesita reinicializarlo sin esta opción para este derecho funcionar" + swe "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" + ukr "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" +ER_UNKNOWN_STORAGE_ENGINE 42000 + eng "Unknown table engine '%s'" + por "Motor de tabela desconhecido '%s'" + serbian "'%s' is deprecated, use '%s' instead" + spa "Desconocido motor de tabla '%s'" +ER_WARN_DEPRECATED_SYNTAX + dan "'%s' is deprecated, use '%s' instead" + nla "'%s' is deprecated, use '%s' instead" + eng "'%s' is deprecated; use '%s' instead" + est "'%s' is deprecated, use '%s' instead" + fre "'%s' is deprecated, use '%s' instead" + ger "'%s' is deprecated, use '%s' instead" + greek "'%s' is deprecated, use '%s' instead" + hun "'%s' is deprecated, use '%s' instead" + ita "'%s' is deprecated, use '%s' instead" + jpn "'%s' is deprecated, use '%s' instead" + kor "'%s' is deprecated, use '%s' instead" + nor "'%s' is deprecated, use '%s' instead" + norwegian-ny "'%s' is deprecated, use '%s' instead" + pol "'%s' is deprecated, use '%s' instead" + por "'%s' é desatualizado. Use '%s' em seu lugar" + rum "'%s' is deprecated, use '%s' instead" + rus "'%s' is deprecated, use '%s' instead" + serbian "The target table %-.100s of the %s is not updatable" + slo "'%s' is deprecated, use '%s' instead" + spa "'%s' está desaprobado, use '%s' en su lugar" + swe "'%s' is deprecated, use '%s' instead" + ukr "'%s' is deprecated, use '%s' instead" +ER_NON_UPDATABLE_TABLE + dan "The target table %-.100s of the %s is not updateable" + nla "The target table %-.100s of the %s is not updateable" + eng "The target table %-.100s of the %s is not updatable" + est "The target table %-.100s of the %s is not updateable" + fre "The target table %-.100s of the %s is not updateable" + ger "The target table %-.100s of the %s is not updateable" + greek "The target table %-.100s of the %s is not updateable" + hun "The target table %-.100s of the %s is not updateable" + ita "The target table %-.100s of the %s is not updateable" + jpn "The target table %-.100s of the %s is not updateable" + kor "The target table %-.100s of the %s is not updateable" + nor "The target table %-.100s of the %s is not updateable" + norwegian-ny "The target table %-.100s of the %s is not updateable" + pol "The target table %-.100s of the %s is not updateable" + por "A tabela destino %-.100s do %s não é atualizável" + rum "The target table %-.100s of the %s is not updateable" + rus "ôÁÂÌÉÃÁ %-.100s × %s ÎÅ ÍÏÖÅÔ ÉÚÍÅÎÑÔÓÑ" + serbian "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" + slo "The target table %-.100s of the %s is not updateable" + spa "La tabla destino %-.100s del %s no es actualizable" + swe "Tabel %-.100s använd med '%s' är inte uppdateringsbar" + ukr "ôÁÂÌÉÃÑ %-.100s Õ %s ÎÅ ÍÏÖÅ ÏÎÏ×ÌÀ×ÁÔÉÓØ" +ER_FEATURE_DISABLED + dan "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" + nla "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" + eng "The '%s' feature is disabled; you need MySQL built with '%s' to have it working" + est "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" + fre "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" + ger "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" + greek "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" + hun "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" + ita "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" + jpn "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" + kor "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" + nor "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" + norwegian-ny "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" + pol "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" + por "O recurso '%s' foi desativado; você necessita MySQL construído com '%s' para ter isto funcionando" + rum "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" + rus "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" + serbian "The MySQL server is running with the %s option so it cannot execute this statement" + slo "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" + spa "El recurso '%s' fue deshabilitado; usted necesita construir MySQL con '%s' para tener eso funcionando" + swe "'%s' är inte aktiverad; För att aktivera detta måste du bygga om MySQL med '%s' definerad" + ukr "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" +ER_OPTION_PREVENTS_STATEMENT + eng "The MySQL server is running with the %s option so it cannot execute this statement" + por "O servidor MySQL está rodando com a opção %s razão pela qual não pode executar esse commando" + serbian "Column '%-.100s' has duplicated value '%-.64s' in %s" + spa "El servidor MySQL está rodando con la opción %s tal que no puede ejecutar este comando" + swe "MySQL är startad med --skip-grant-tables. Pga av detta kan du inte använda detta kommando" +ER_DUPLICATED_VALUE_IN_TYPE + eng "Column '%-.100s' has duplicated value '%-.64s' in %s" + por "Coluna '%-.100s' tem valor duplicado '%-.64s' em %s" + serbian "Truncated wrong %-.32s value: '%-.128s'" + spa "Columna '%-.100s' tiene valor doblado '%-.64s' en %s" +ER_TRUNCATED_WRONG_VALUE 22007 + dan "Truncated wrong %-.32s value: '%-.128s'" + nla "Truncated wrong %-.32s value: '%-.128s'" + eng "Truncated incorrect %-.32s value: '%-.128s'" + est "Truncated wrong %-.32s value: '%-.128s'" + fre "Truncated wrong %-.32s value: '%-.128s'" + ger "Truncated wrong %-.32s value: '%-.128s'" + greek "Truncated wrong %-.32s value: '%-.128s'" + hun "Truncated wrong %-.32s value: '%-.128s'" + ita "Truncated wrong %-.32s value: '%-.128s'" + jpn "Truncated wrong %-.32s value: '%-.128s'" + kor "Truncated wrong %-.32s value: '%-.128s'" + nor "Truncated wrong %-.32s value: '%-.128s'" + norwegian-ny "Truncated wrong %-.32s value: '%-.128s'" + pol "Truncated wrong %-.32s value: '%-.128s'" + por "Truncado errado %-.32s valor: '%-.128s'" + rum "Truncated wrong %-.32s value: '%-.128s'" + rus "Truncated wrong %-.32s value: '%-.128s'" + serbian "Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" + slo "Truncated wrong %-.32s value: '%-.128s'" + spa "Equivocado truncado %-.32s valor: '%-.128s'" + swe "Truncated wrong %-.32s value: '%-.128s'" + ukr "Truncated wrong %-.32s value: '%-.128s'" +ER_TOO_MUCH_AUTO_TIMESTAMP_COLS + eng "Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" + jpn "Incorrect table definition; There can only be one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" + por "Incorreta definição de tabela; Pode ter somente uma coluna TIMESTAMP com CURRENT_TIMESTAMP em DEFAULT ou ON UPDATE cláusula" + serbian "Invalid ON UPDATE clause for '%-.64s' column" + spa "Incorrecta definición de tabla; Solamente debe haber una columna TIMESTAMP con CURRENT_TIMESTAMP en DEFAULT o ON UPDATE cláusula" + swe "Incorrect table definition; There can only be one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" + ukr "Incorrect table definition; There can only be one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" +ER_INVALID_ON_UPDATE + eng "Invalid ON UPDATE clause for '%-.64s' column" + por "Inválida cláusula ON UPDATE para campo '%-.64s'" + serbian "This command is not supported in the prepared statement protocol yet" + spa "Inválido ON UPDATE cláusula para campo '%-.64s'" + swe "Invalid ON UPDATE clause for '%-.64s' field" + ukr "Invalid ON UPDATE clause for '%-.64s' field" +ER_UNSUPPORTED_PS + eng "This command is not supported in the prepared statement protocol yet" + serbian "Got error %d '%-.100s' from %s" +ER_GET_ERRMSG + dan "Modtog fejl %d '%-.100s' fra %s" + eng "Got error %d '%-.100s' from %s" + jpn "Got NDB error %d '%-.100s'" + nor "Mottok feil %d '%-.100s' fa %s" + norwegian-ny "Mottok feil %d '%-.100s' fra %s" + serbian "Got temporary error %d '%-.100s' from %s" +ER_GET_TEMPORARY_ERRMSG + dan "Modtog temporary fejl %d '%-.100s' fra %s" + eng "Got temporary error %d '%-.100s' from %s" + jpn "Got temporary NDB error %d '%-.100s'" + nor "Mottok temporary feil %d '%-.100s' fra %s" + norwegian-ny "Mottok temporary feil %d '%-.100s' fra %s" + serbian "Unknown or incorrect time zone: '%-.64s'" +ER_UNKNOWN_TIME_ZONE + eng "Unknown or incorrect time zone: '%-.64s'" + serbian "Invalid TIMESTAMP value in column '%s' at row %ld" +ER_WARN_INVALID_TIMESTAMP + eng "Invalid TIMESTAMP value in column '%s' at row %ld" + serbian "Invalid %s character string: '%.64s'" +ER_INVALID_CHARACTER_STRING + eng "Invalid %s character string: '%.64s'" + serbian "Result of %s() was larger than max_allowed_packet (%ld) - truncated" +ER_WARN_ALLOWED_PACKET_OVERFLOWED + eng "Result of %s() was larger than max_allowed_packet (%ld) - truncated" + serbian "Conflicting declarations: '%s%s' and '%s%s'" +ER_CONFLICTING_DECLARATIONS + eng "Conflicting declarations: '%s%s' and '%s%s'" + serbian "Can't create a %s from within another stored routine" +ER_SP_NO_RECURSIVE_CREATE 2F003 + eng "Can't create a %s from within another stored routine" + serbian "%s %s already exists" +ER_SP_ALREADY_EXISTS 42000 + eng "%s %s already exists" + serbian "%s %s does not exist" +ER_SP_DOES_NOT_EXIST 42000 + eng "%s %s does not exist" + serbian "Failed to DROP %s %s" +ER_SP_DROP_FAILED + eng "Failed to DROP %s %s" + serbian "Failed to CREATE %s %s" +ER_SP_STORE_FAILED + eng "Failed to CREATE %s %s" + serbian "%s with no matching label: %s" +ER_SP_LILABEL_MISMATCH 42000 + eng "%s with no matching label: %s" + serbian "Redefining label %s" +ER_SP_LABEL_REDEFINE 42000 + eng "Redefining label %s" + serbian "End-label %s without match" +ER_SP_LABEL_MISMATCH 42000 + eng "End-label %s without match" + serbian "Referring to uninitialized variable %s" +ER_SP_UNINIT_VAR 01000 + eng "Referring to uninitialized variable %s" + serbian "SELECT in a stored procedure must have INTO" +ER_SP_BADSELECT 0A000 + eng "SELECT in a stored procedure must have INTO" + serbian "RETURN is only allowed in a FUNCTION" +ER_SP_BADRETURN 42000 + eng "RETURN is only allowed in a FUNCTION" + serbian "Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" +ER_SP_BADSTATEMENT 0A000 + eng "Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" + serbian "The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" +ER_UPDATE_LOG_DEPRECATED_IGNORED 42000 + eng "The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" + serbian "The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" +ER_UPDATE_LOG_DEPRECATED_TRANSLATED 42000 + eng "The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" + rus "The update log is deprecated and replaced by the binary log SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" + serbian "Query execution was interrupted" +ER_QUERY_INTERRUPTED 70100 + eng "Query execution was interrupted" + serbian "Incorrect number of arguments for %s %s; expected %u, got %u" +ER_SP_WRONG_NO_OF_ARGS 42000 + eng "Incorrect number of arguments for %s %s; expected %u, got %u" + ger "Incorrect number of arguments for %s %s, expected %u, got %u" + serbian "Undefined CONDITION: %s" +ER_SP_COND_MISMATCH 42000 + eng "Undefined CONDITION: %s" + serbian "No RETURN found in FUNCTION %s" +ER_SP_NORETURN 42000 + eng "No RETURN found in FUNCTION %s" + serbian "FUNCTION %s ended without RETURN" +ER_SP_NORETURNEND 2F005 + eng "FUNCTION %s ended without RETURN" + serbian "Cursor statement must be a SELECT" +ER_SP_BAD_CURSOR_QUERY 42000 + eng "Cursor statement must be a SELECT" + serbian "Cursor SELECT must not have INTO" +ER_SP_BAD_CURSOR_SELECT 42000 + eng "Cursor SELECT must not have INTO" + serbian "Undefined CURSOR: %s" +ER_SP_CURSOR_MISMATCH 42000 + eng "Undefined CURSOR: %s" + serbian "Cursor is already open" +ER_SP_CURSOR_ALREADY_OPEN 24000 + eng "Cursor is already open" + serbian "Cursor is not open" +ER_SP_CURSOR_NOT_OPEN 24000 + eng "Cursor is not open" + serbian "Undeclared variable: %s" +ER_SP_UNDECLARED_VAR 42000 + eng "Undeclared variable: %s" + serbian "Incorrect number of FETCH variables" +ER_SP_WRONG_NO_OF_FETCH_ARGS + eng "Incorrect number of FETCH variables" + serbian "No data to FETCH" +ER_SP_FETCH_NO_DATA 02000 + eng "No data to FETCH" + serbian "Duplicate parameter: %s" +ER_SP_DUP_PARAM 42000 + eng "Duplicate parameter: %s" + serbian "Duplicate variable: %s" +ER_SP_DUP_VAR 42000 + eng "Duplicate variable: %s" + serbian "Duplicate condition: %s" +ER_SP_DUP_COND 42000 + eng "Duplicate condition: %s" + serbian "Duplicate cursor: %s" +ER_SP_DUP_CURS 42000 + eng "Duplicate cursor: %s" + serbian "Failed to ALTER %s %s" +ER_SP_CANT_ALTER + eng "Failed to ALTER %s %s" + serbian "Subselect value not supported" +ER_SP_SUBSELECT_NYI 0A000 + eng "Subselect value not supported" + serbian "USE is not allowed in a stored procedure" +ER_SP_NO_USE 42000 + eng "USE is not allowed in a stored procedure" + serbian "Variable or condition declaration after cursor or handler declaration" +ER_SP_VARCOND_AFTER_CURSHNDLR 42000 + eng "Variable or condition declaration after cursor or handler declaration" + serbian "Cursor declaration after handler declaration" +ER_SP_CURSOR_AFTER_HANDLER 42000 + eng "Cursor declaration after handler declaration" + serbian "Case not found for CASE statement" +ER_SP_CASE_NOT_FOUND 20000 + eng "Case not found for CASE statement" + serbian "Configuration file '%-.64s' is too big" +ER_FPARSER_TOO_BIG_FILE + eng "Configuration file '%-.64s' is too big" + rus "óÌÉÛËÏÍ ÂÏÌØÛÏÊ ËÏÎÆÉÇÕÒÁÃÉÏÎÎÙÊ ÆÁÊÌ '%-.64s'" + serbian "Malformed file type header in file '%-.64s'" + ukr "úÁÎÁÄÔÏ ×ÅÌÉËÉÊ ËÏÎÆ¦ÇÕÒÁæÊÎÉÊ ÆÁÊÌ '%-.64s'" +ER_FPARSER_BAD_HEADER + eng "Malformed file type header in file '%-.64s'" + rus "îÅ×ÅÒÎÙÊ ÚÁÇÏÌÏ×ÏË ÔÉÐÁ ÆÁÊÌÁ '%-.64s'" + serbian "Unexpected end of file while parsing comment '%-.64s'" + ukr "îÅצÒÎÉÊ ÚÁÇÏÌÏ×ÏË ÔÉÐÕ Õ ÆÁÊ̦ '%-.64s'" +ER_FPARSER_EOF_IN_COMMENT + eng "Unexpected end of file while parsing comment '%-.64s'" + rus "îÅÏÖÉÄÁÎÎÙÊ ËÏÎÅà ÆÁÊÌÁ × ËÏÍÅÎÔÁÒÉÉ '%-.64s'" + serbian "Error while parsing parameter '%-.64s' (line: '%-.64s')" + ukr "îÅÓÐÏĦ×ÁÎÎÉÊ Ë¦ÎÅÃØ ÆÁÊÌÕ Õ ËÏÍÅÎÔÁÒ¦ '%-.64s'" +ER_FPARSER_ERROR_IN_PARAMETER + eng "Error while parsing parameter '%-.64s' (line: '%-.64s')" + rus "ïÛÉÂËÁ ÐÒÉ ÒÁÓÐÏÚÎÁ×ÁÎÉÉ ÐÁÒÁÍÅÔÒÁ '%-.64s' (ÓÔÒÏËÁ: '%-.64s')" + serbian "Unexpected end of file while skipping unknown parameter '%-.64s'" + ukr "ðÏÍÉÌËÁ × ÒÏÓЦÚÎÁ×ÁÎΦ ÐÁÒÁÍÅÔÒÕ '%-.64s' (ÒÑÄÏË: '%-.64s')" +ER_FPARSER_EOF_IN_UNKNOWN_PARAMETER + eng "Unexpected end of file while skipping unknown parameter '%-.64s'" + rus "îÅÏÖÉÄÁÎÎÙÊ ËÏÎÅà ÆÁÊÌÁ ÐÒÉ ÐÒÏÐÕÓËÅ ÎÅÉÚ×ÅÓÔÎÏÇÏ ÐÁÒÁÍÅÔÒÁ '%-.64s'" + serbian "EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" + ukr "îÅÓÐÏĦ×ÁÎÎÉÊ Ë¦ÎÅÃØ ÆÁÊÌÕ Õ ÓÐÒϦ ÐÒÏÍÉÎÕÔÉ ÎÅצÄÏÍÉÊ ÐÁÒÁÍÅÔÒ '%-.64s'" +ER_VIEW_NO_EXPLAIN + eng "EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" + rus "EXPLAIN/SHOW ÎÅ ÍÏÖÅÔ ÂÙÔØ ×ÙÐÏÌÎÅÎÎÏ; ÎÅÄÏÓÔÁÔÏÞÎÏ ÐÒÁ× ÎÁ ÔÁËÂÌÉÃÙ ÚÁÐÒÏÓÁ" + serbian "File '%-.64s' has unknown type '%-.64s' in its header" + ukr "EXPLAIN/SHOW ÎÅ ÍÏÖÅ ÂÕÔÉ ×¦ËÏÎÁÎÏ; ÎÅÍÁ¤ ÐÒÁ× ÎÁ ÔÉÂÌÉæ ÚÁÐÉÔÕ" +ER_FRM_UNKNOWN_TYPE + eng "File '%-.64s' has unknown type '%-.64s' in its header" + rus "æÁÊÌ '%-.64s' ÓÏÄÅÒÖÉÔ ÎÅÉÚ×ÅÓÔÎÙÊ ÔÉÐ '%-.64s' × ÚÁÇÏÌÏ×ËÅ" + serbian "'%-.64s.%-.64s' is not %s" + ukr "æÁÊÌ '%-.64s' ÍÁ¤ ÎÅצÄÏÍÉÊ ÔÉÐ '%-.64s' Õ ÚÁÇÏÌÏ×ËÕ" +ER_WRONG_OBJECT + eng "'%-.64s.%-.64s' is not %s" + rus "'%-.64s.%-.64s' - ÎÅ %s" + serbian "Column '%-.64s' is not updatable" + ukr "'%-.64s.%-.64s' ÎÅ ¤ %s" +ER_NONUPDATEABLE_COLUMN + eng "Column '%-.64s' is not updatable" + rus "óÔÏÌÂÅà '%-.64s' ÎÅ ÏÂÎÏ×ÌÑÅÍÙÊ" + serbian "View's SELECT contains a subquery in the FROM clause" + ukr "óÔÏ×ÂÅÃØ '%-.64s' ÎÅ ÍÏÖÅ ÂÕÔÉ ÚÍÉÎÅÎÉÊ" +ER_VIEW_SELECT_DERIVED + eng "View's SELECT contains a subquery in the FROM clause" + rus "View SELECT ÓÏÄÅÒÖÉÔ ÐÏÄÚÁÐÒÏÓ × ËÏÎÓÔÒÕËÃÉÉ FROM" + serbian "View's SELECT contains a '%s' clause" + ukr "View SELECT ÍÁ¤ ЦÄÚÁÐÉÔ Õ ËÏÎÓÔÒÕËæ§ FROM" +ER_VIEW_SELECT_CLAUSE + eng "View's SELECT contains a '%s' clause" + rus "View SELECT ÓÏÄÅÒÖÉÔ ËÏÎÓÔÒÕËÃÉÀ '%s'" + serbian "View's SELECT contains a variable or parameter" + ukr "View SELECT ÍÁ¤ ËÏÎÓÔÒÕËæÀ '%s'" +ER_VIEW_SELECT_VARIABLE + eng "View's SELECT contains a variable or parameter" + rus "View SELECT ÓÏÄÅÒÖÉÔ ÐÅÒÅÍÅÎÎÕÀ ÉÌÉ ÐÁÒÁÍÅÔÒ" + serbian "View's SELECT contains a temporary table '%-.64s'" + ukr "View SELECT ÍÁ¤ ÚÍÉÎÎÕ ÁÂÏ ÐÁÒÁÍÅÔÅÒ" +ER_VIEW_SELECT_TMPTABLE + eng "View's SELECT contains a temporary table '%-.64s'" + rus "View SELECT ÓÏÄÅÒÖÉÔ ÓÓÙÌËÕ ÎÁ ×ÒÅÍÅÎÎÕÀ ÔÁÂÌÉÃÕ '%-.64s'" + serbian "View's SELECT and view's field list have different column counts" + ukr "View SELECT ×ÉËÏÒÉÓÔÏ×Õ¤ ÔÉÍÞÁÓÏ×Õ ÔÁÂÌÉÃÀ '%-.64s'" +ER_VIEW_WRONG_LIST + eng "View's SELECT and view's field list have different column counts" + rus "View SELECT É ÓÐÉÓÏË ÐÏÌÅÊ view ÉÍÅÀÔ ÒÁÚÎÏÅ ËÏÌÉÞÅÓÔ×Ï ÓÔÏÌÂÃÏ×" + serbian "View merge algorithm can't be used here for now (assumed undefined algorithm)" + ukr "View SELECT ¦ ÐÅÒÅÌ¦Ë ÓÔÏ×ÂÃ¦× view ÍÁÀÔØ Ò¦ÚÎÕ Ë¦ÌØË¦ÓÔØ ÓËÏ×Âæ×" +ER_WARN_VIEW_MERGE + eng "View merge algorithm can't be used here for now (assumed undefined algorithm)" + rus "áÌÇÏÒÉÔÍ ÓÌÉÑÎÉÑ view ÎÅ ÍÏÖÅÔ ÂÙÔØ ÉÓÐÏÌØÚÏ×ÁÎ ÓÅÊÞÁÓ (ÁÌÇÏÒÉÔÍ ÂÕÄÅÔ ÎÅÏÐÅÒÅÄÅÌÅÎÎÙÍ)" + serbian "View being updated does not have complete key of underlying table in it" + ukr "áÌÇÏÒÉÔÍ ÚÌÉ×ÁÎÎÑ view ÎÅ ÍÏÖÅ ÂÕÔÉ ×ÉËÏÒÉÓÔÁÎÉÊ ÚÁÒÁÚ (ÁÌÇÏÒÉÔÍ ÂÕÄÅ ÎÅ×ÉÚÎÁÞÅÎÉÊ)" +ER_WARN_VIEW_WITHOUT_KEY + eng "View being updated does not have complete key of underlying table in it" + rus "ïÂÎÏ×ÌÑÅÍÙÊ view ÎÅ ÓÏÄÅÒÖÉÔ ËÌÀÞÁ ÉÓÐÏÌØÚÏ×ÁÎÎÙÈ(ÏÊ) × ÎÅÍ ÔÁÂÌÉÃ(Ù)" + serbian "View '%-.64s.%-.64s' references invalid table(s) or column(s)" + ukr "View, ÝÏ ÏÎÏ×ÌÀÅÔØÓÑ, ΊͦÓÔÉÔØ ÐÏ×ÎÏÇÏ ËÌÀÞÁ ÔÁÂÌÉæ(Ø), ÝÏ ×ÉËÏÒ¦ÓÔÁÎÁ × ÎØÀÏÍÕ" +ER_VIEW_INVALID + eng "View '%-.64s.%-.64s' references invalid table(s) or column(s)" + rus "View '%-.64s.%-.64s' ÓÓÙÌÁÅÔÓÑ ÎÁ ÎÅÓÕÝÅÓÔ×ÕÀÝÉÅ ÔÁÂÌÉÃÙ ÉÌÉ ÓÔÏÌÂÃÙ" + serbian "Can't drop a %s from within another stored routine" + ukr "View '%-.64s.%-.64s' ÐÏÓÉÌÁ¤ÔÓÑ ÎÁ ÎŦÓÎÕÀÞ¦ ÔÁÂÌÉæ ÁÂÏ ÓÔÏ×Âæ" +ER_SP_NO_DROP_SP + eng "Can't drop a %s from within another stored routine" + serbian "GOTO is not allowed in a stored procedure handler" +ER_SP_GOTO_IN_HNDLR + eng "GOTO is not allowed in a stored procedure handler" + serbian "Trigger already exists" +ER_TRG_ALREADY_EXISTS + eng "Trigger already exists" + serbian "Trigger does not exist" +ER_TRG_DOES_NOT_EXIST + eng "Trigger does not exist" + serbian "Trigger's '%-.64s' is view or temporary table" +ER_TRG_ON_VIEW_OR_TEMP_TABLE + eng "Trigger's '%-.64s' is view or temporary table" + serbian "Updating of %s row is not allowed in %strigger" +ER_TRG_CANT_CHANGE_ROW + eng "Updating of %s row is not allowed in %strigger" + serbian "There is no %s row in %s trigger" +ER_TRG_NO_SUCH_ROW_IN_TRG + eng "There is no %s row in %s trigger" + serbian "Field '%-.64s' doesn't have a default value" +ER_NO_DEFAULT_FOR_FIELD + eng "Field '%-.64s' doesn't have a default value" + serbian "Division by 0" +ER_DIVISION_BY_ZERO 22012 + eng "Division by 0" + serbian "Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld" +ER_TRUNCATED_WRONG_VALUE_FOR_FIELD + eng "Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld" + serbian "Illegal %s '%-.64s' value found during parsing" +ER_ILLEGAL_VALUE_FOR_TYPE 22007 + eng "Illegal %s '%-.64s' value found during parsing" + serbian "CHECK OPTION on non-updatable view '%-.64s.%-.64s'" +ER_VIEW_NONUPD_CHECK + eng "CHECK OPTION on non-updatable view '%-.64s.%-.64s'" + rus "CHECK OPTION ÄÌÑ ÎÅÏÂÎÏ×ÌÑÅÍÏÇÏ VIEW '%-.64s.%-.64s'" + serbian "CHECK OPTION failed '%-.64s.%-.64s'" + ukr "CHECK OPTION ÄÌÑ VIEW '%-.64s.%-.64s' ÝÏ ÎÅ ÍÏÖÅ ÂÕÔÉ ÏÎÏ×ÌÅÎÎÉÍ" +ER_VIEW_CHECK_FAILED + eng "CHECK OPTION failed '%-.64s.%-.64s'" + rus "ÐÒÏ×ÅÒËÁ CHECK OPTION ÄÌÑ VIEW '%-.64s.%-.64s' ÐÒÏ×ÁÌÉÌÁÓØ" + serbian "Access denied; you are not the procedure/function definer of '%s'" + ukr "ðÅÒÅצÒËÁ CHECK OPTION ÄÌÑ VIEW '%-.64s.%-.64s' ÎÅ ÐÒÏÊÛÌÁ" +ER_SP_ACCESS_DENIED_ERROR 42000 + eng "Access denied; you are not the procedure/function definer of '%s'" + serbian "Failed purging old relay logs: %s" +ER_RELAY_LOG_FAIL + eng "Failed purging old relay logs: %s" + serbian "Password hash should be a %d-digit hexadecimal number" +ER_PASSWD_LENGTH + eng "Password hash should be a %d-digit hexadecimal number" + serbian "Target log not found in binlog index" +ER_UNKNOWN_TARGET_BINLOG + eng "Target log not found in binlog index" + serbian "I/O error reading log index file" +ER_IO_ERR_LOG_INDEX_READ + eng "I/O error reading log index file" + serbian "Server configuration does not permit binlog purge" +ER_BINLOG_PURGE_PROHIBITED + eng "Server configuration does not permit binlog purge" + serbian "Failed on fseek()" +ER_FSEEK_FAIL + eng "Failed on fseek()" + serbian "Fatal error during log purge" +ER_BINLOG_PURGE_FATAL_ERR + eng "Fatal error during log purge" + serbian "A purgeable log is in use, will not purge" +ER_LOG_IN_USE + eng "A purgeable log is in use, will not purge" + serbian "Unknown error during log purge" +ER_LOG_PURGE_UNKNOWN_ERR + eng "Unknown error during log purge" + serbian "Failed initializing relay log position: %s" +ER_RELAY_LOG_INIT + eng "Failed initializing relay log position: %s" + serbian "You are not using binary logging" +ER_NO_BINARY_LOGGING + eng "You are not using binary logging" + serbian "The '%-.64s' syntax is reserved for purposes internal to the MySQL server" +ER_RESERVED_SYNTAX + eng "The '%-.64s' syntax is reserved for purposes internal to the MySQL server" + serbian "WSAStartup Failed" +ER_WSAS_FAILED + eng "WSAStartup Failed" + serbian "Can't handle procedures with differents groups yet" +ER_DIFF_GROUPS_PROC + eng "Can't handle procedures with differents groups yet" + serbian "Select must have a group with this procedure" +ER_NO_GROUP_FOR_PROC + eng "Select must have a group with this procedure" + serbian "Can't use ORDER clause with this procedure" +ER_ORDER_WITH_PROC + eng "Can't use ORDER clause with this procedure" + serbian "Binary logging and replication forbid changing the global server %s" +ER_LOGING_PROHIBIT_CHANGING_OF + eng "Binary logging and replication forbid changing the global server %s" + serbian "Can't map file: %-.64s, errno: %d" +ER_NO_FILE_MAPPING + eng "Can't map file: %-.64s, errno: %d" + serbian "Wrong magic in %-.64s" +ER_WRONG_MAGIC + eng "Wrong magic in %-.64s" + serbian "Prepared statement contains too many placeholders" +ER_PS_MANY_PARAM + eng "Prepared statement contains too many placeholders" + serbian "Key part '%-.64s' length cannot be 0" +ER_KEY_PART_0 + eng "Key part '%-.64s' length cannot be 0" + serbian "View text checksum failed" +ER_VIEW_CHECKSUM + eng "View text checksum failed" + rus "ðÒÏ×ÅÒËÁ ËÏÎÔÒÏÌØÎÏÊ ÓÕÍÍÙ ÔÅËÓÔÁ VIEW ÐÒÏ×ÁÌÉÌÁÓØ" + serbian "Can not modify more than one base table through a join view '%-.64s.%-.64s'" + ukr "ðÅÒÅצÒËÁ ËÏÎÔÒÏÌØÎϧ ÓÕÍÉ ÔÅËÓÔÕ VIEW ÎÅ ÐÒÏÊÛÌÁ" +ER_VIEW_MULTIUPDATE + eng "Can not modify more than one base table through a join view '%-.64s.%-.64s'" + rus "îÅÌØÚÑ ÉÚÍÅÎÉÔØ ÂÏÌØÛÅ ÞÅÍ ÏÄÎÕ ÂÁÚÏ×ÕÀ ÔÁÂÌÉÃÕ ÉÓÐÏÌØÚÕÑ ÍÎÏÇÏÔÁÂÌÉÞÎÙÊ VIEW '%-.64s.%-.64s'" + serbian "Can not insert into join view '%-.64s.%-.64s' without fields list" + ukr "îÅÍÏÖÌÉ×Ï ÏÎÏ×ÉÔÉ Â¦ÌØÛ ÎÉÖ ÏÄÎÕ ÂÁÚÏ×Õ ÔÁÂÌÉÃÀ ×ÙËÏÒÉÓÔÏ×ÕÀÞÉ VIEW '%-.64s.%-.64s', ÝÏ Í¦ÓÔ¦ÔØ ÄÅË¦ÌØËÁ ÔÁÂÌÉÃØ" +ER_VIEW_NO_INSERT_FIELD_LIST + eng "Can not insert into join view '%-.64s.%-.64s' without fields list" + rus "îÅÌØÚÑ ×ÓÔÁ×ÌÑÔØ ÚÁÐÉÓÉ × ÍÎÏÇÏÔÁÂÌÉÞÎÙÊ VIEW '%-.64s.%-.64s' ÂÅÚ ÓÐÉÓËÁ ÐÏÌÅÊ" + serbian "Can not delete from join view '%-.64s.%-.64s'" + ukr "îÅÍÏÖÌÉ×Ï ÕÓÔÁ×ÉÔÉ ÒÑÄËÉ Õ VIEW '%-.64s.%-.64s', ÝÏ Í¦ÓÔÉÔØ ÄÅË¦ÌØËÁ ÔÁÂÌÉÃØ, ÂÅÚ ÓÐÉÓËÕ ÓÔÏ×Âæ×" +ER_VIEW_DELETE_MERGE_VIEW + eng "Can not delete from join view '%-.64s.%-.64s'" + rus "îÅÌØÚÑ ÕÄÁÌÑÔØ ÉÚ ÍÎÏÇÏÔÁÂÌÉÞÎÏÇÏ VIEW '%-.64s.%-.64s'" + serbian "Operation %s failed for '%.256s'" + ukr "îÅÍÏÖÌÉ×Ï ×ÉÄÁÌÉÔÉ ÒÑÄËÉ Õ VIEW '%-.64s.%-.64s', ÝÏ Í¦ÓÔÉÔØ ÄÅË¦ÌØËÁ ÔÁÂÌÉÃØ" +ER_CANNOT_USER + cze "Operation %s failed for '%.256s'" + dan "Operation %s failed for '%.256s'" + nla "Operation %s failed for '%.256s'" + eng "Operation %s failed for %.256s" + est "Operation %s failed for '%.256s'" + fre "Operation %s failed for '%.256s'" + ger "Das Kommando %s scheiterte für %.256s" + greek "Operation %s failed for '%.256s'" + hun "Operation %s failed for '%.256s'" + ita "Operation %s failed for '%.256s'" + jpn "Operation %s failed for '%.256s'" + kor "Operation %s failed for '%.256s'" + nor "Operation %s failed for '%.256s'" + norwegian-ny "Operation %s failed for '%.256s'" + pol "Operation %s failed for '%.256s'" + por "Operation %s failed for '%.256s'" + rum "Operation %s failed for '%.256s'" + rus "Operation %s failed for '%.256s'" + serbian "" + slo "Operation %s failed for '%.256s'" + spa "Operation %s failed for '%.256s'" + swe "Operation %s failed for '%.256s'" + ukr "Operation %s failed for '%.256s'" From 0a09408da22189597da42cf7fd7bed2a02dfc73b Mon Sep 17 00:00:00 2001 From: unknown Date: Tue, 14 Dec 2004 01:54:16 +0200 Subject: [PATCH 06/24] Added pathes to mysqld_error.h and sql_state.h; fixed segfault bug; BitKeeper/etc/ignore: added extra/created_include_files extra/Makefile.am: Make sure that mysqld_error.h and sql_state.h are not build in the same time. extra/comp_err.c: Fixed segfault bug libmysqld/Makefile.am: Added path to mysqld_error.h and sql_state.h libmysqld/examples/Makefile.am: Added path to mysqld_error.h and sql_state.h scripts/make_win_src_distribution.sh: Windows version fix --- .bzrignore | 1 + extra/Makefile.am | 17 ++++++++++++----- extra/comp_err.c | 9 ++------- libmysqld/Makefile.am | 4 +++- libmysqld/examples/Makefile.am | 2 +- scripts/make_win_src_distribution.sh | 2 ++ 6 files changed, 21 insertions(+), 14 deletions(-) diff --git a/.bzrignore b/.bzrignore index 4f0845f03cd..0d5a8647198 100644 --- a/.bzrignore +++ b/.bzrignore @@ -985,3 +985,4 @@ vio/test-sslserver vio/viotest-ssl extra/mysqld_error.h extra/sql_state.h +extra/created_include_files diff --git a/extra/Makefile.am b/extra/Makefile.am index 1ca7c9fb692..7bb401f0729 100644 --- a/extra/Makefile.am +++ b/extra/Makefile.am @@ -19,14 +19,21 @@ INCLUDES = @MT_INCLUDES@ -I$(top_srcdir)/include \ -I$(top_srcdir)/extra LDADD = @CLIENT_EXTRA_LDFLAGS@ ../mysys/libmysys.a \ ../dbug/libdbug.a ../strings/libmystrings.a -BUILT_SOURCES=mysqld_error.h sql_state.h -pkginclude_HEADERS=$(BUILT_SOURCES) +BUILT_SOURCES= mysqld_error.h sql_state.h +pkginclude_HEADERS= $(BUILT_SOURCES) +created_sources = created_include_files +CLEANFILES = $(created_sources) +SUPERCLEANFILES = $(BUILT_SOURCES) -mysqld_error.h: comp_err - $(top_builddir)/extra/comp_err --charset=$(srcdir)/../sql/share/charsets --out-dir=$(top_builddir)/sql/share/ --header_file=$(top_builddir)/extra/mysqld_error.h --state_file=$(top_builddir)/extra/sql_state.h --in_file=$(srcdir)/../sql/share/errmsg.txt +all: $(created_sources) -sql_state.h: comp_err +# This will build mysqld_error.h and sql_state.h +mysqld_error.h: created_include_files +sql_state.h: created_include_files + +created_include_files: comp_err $(top_builddir)/extra/comp_err --charset=$(srcdir)/../sql/share/charsets --out-dir=$(top_builddir)/sql/share/ --header_file=$(top_builddir)/extra/mysqld_error.h --state_file=$(top_builddir)/extra/sql_state.h --in_file=$(srcdir)/../sql/share/errmsg.txt + touch created_include_files bin_PROGRAMS = replace comp_err perror resolveip my_print_defaults \ resolve_stack_dump mysql_waitpid diff --git a/extra/comp_err.c b/extra/comp_err.c index fb5da3a066a..9bd0a1ec7a2 100644 --- a/extra/comp_err.c +++ b/extra/comp_err.c @@ -156,10 +156,8 @@ int main(int argc, char *argv[]) uint row_count; struct errors *error_head; struct languages *lang_head; - DBUG_ENTER("main"); - LINT_INIT(error_head); - LINT_INIT(lang_head); + charsets_dir= DEFAULT_CHARSET_DIR; if (get_options(&argc, &argv)) DBUG_RETURN(1); @@ -751,13 +749,10 @@ static struct errors *parse_error_string(char *str, int er_count) static struct languages *parse_charset_string(char *str) { - struct languages *head, *new_lang; - + struct languages *head=0, *new_lang; DBUG_ENTER("parse_charset_string"); DBUG_PRINT("enter", ("str: %s", str)); - LINT_INIT(head); - /* skip over keyword */ str= find_end_of_word(str); if (!*str) diff --git a/libmysqld/Makefile.am b/libmysqld/Makefile.am index aaf1bb54ecc..17410f02fe2 100644 --- a/libmysqld/Makefile.am +++ b/libmysqld/Makefile.am @@ -26,7 +26,9 @@ DEFS = -DEMBEDDED_LIBRARY -DMYSQL_SERVER \ -DDATADIR="\"$(MYSQLDATAdir)\"" \ -DSHAREDIR="\"$(MYSQLSHAREdir)\"" INCLUDES= @MT_INCLUDES@ @bdb_includes@ -I$(top_srcdir)/include \ - -I$(top_srcdir)/sql -I$(top_srcdir)/sql/examples -I$(top_srcdir)/regex \ + -I$(top_srcdir)/sql -I$(top_srcdir)/sql/examples \ + -I$(top_srcdir)/regex \ + -I$(top_srcdir)/extra \ $(openssl_includes) @ZLIB_INCLUDES@ noinst_LIBRARIES = libmysqld_int.a diff --git a/libmysqld/examples/Makefile.am b/libmysqld/examples/Makefile.am index 5b0a86e679c..ba646e282b5 100644 --- a/libmysqld/examples/Makefile.am +++ b/libmysqld/examples/Makefile.am @@ -15,7 +15,7 @@ link_sources: DEFS = -DEMBEDDED_LIBRARY INCLUDES = @MT_INCLUDES@ -I$(top_srcdir)/include -I$(srcdir) \ -I$(top_srcdir) -I$(top_srcdir)/client -I$(top_srcdir)/regex \ - $(openssl_includes) + -I$(top_srcdir)/extra $(openssl_includes) LIBS = @LIBS@ @WRAPLIBS@ @CLIENT_LIBS@ LDADD = @CLIENT_EXTRA_LDFLAGS@ ../libmysqld.a @innodb_system_libs@ @LIBDL@ $(CXXLDFLAGS) diff --git a/scripts/make_win_src_distribution.sh b/scripts/make_win_src_distribution.sh index fd7884068ba..e68b5bebbd4 100644 --- a/scripts/make_win_src_distribution.sh +++ b/scripts/make_win_src_distribution.sh @@ -281,6 +281,8 @@ do fi done +cp extra/sql_state.h extra/mysqld_error.h $BASE/include + # # support files # From b601f1200bedb0185efe3b18dbb01ed9e5af4c9c Mon Sep 17 00:00:00 2001 From: unknown Date: Tue, 14 Dec 2004 13:21:38 +0300 Subject: [PATCH 07/24] Fixed typo --- sql/sql_show.cc | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/sql/sql_show.cc b/sql/sql_show.cc index 71467664085..c61d82ae690 100644 --- a/sql/sql_show.cc +++ b/sql/sql_show.cc @@ -2857,12 +2857,12 @@ void store_constraints(TABLE *table, const char*db, const char *tname, } -static int get_schema_constarints_record(THD *thd, struct st_table_list *tables, +static int get_schema_constraints_record(THD *thd, struct st_table_list *tables, TABLE *table, bool res, const char *base_name, const char *file_name) { - DBUG_ENTER("get_schema_constarints_record"); + DBUG_ENTER("get_schema_constraints_record"); if (!res && !tables->view) { List f_key_list; @@ -3647,7 +3647,7 @@ ST_SCHEMA_TABLE schema_tables[]= {"COLUMN_PRIVILEGES", column_privileges_fields_info, create_schema_table, fill_schema_column_privileges, 0, 0, -1, -1}, {"TABLE_CONSTRAINTS", table_constraints_fields_info, create_schema_table, - get_all_tables, 0, get_schema_constarints_record, 3, 4}, + get_all_tables, 0, get_schema_constraints_record, 3, 4}, {"KEY_COLUMN_USAGE", key_column_usage_fields_info, create_schema_table, get_all_tables, 0, get_schema_key_column_usage_record, 4, 5}, {"TABLE_NAMES", table_names_fields_info, create_schema_table, From a9973c1b9244486cf16cc24a5dd70265155f202c Mon Sep 17 00:00:00 2001 From: unknown Date: Tue, 14 Dec 2004 13:41:32 +0300 Subject: [PATCH 08/24] Fix for bug #7223: information_schema: error in "views" --- mysql-test/r/information_schema.result | 6 +++--- sql/sql_show.cc | 6 +++--- 2 files changed, 6 insertions(+), 6 deletions(-) diff --git a/mysql-test/r/information_schema.result b/mysql-test/r/information_schema.result index ab6e180e6b7..3580a7f4f18 100644 --- a/mysql-test/r/information_schema.result +++ b/mysql-test/r/information_schema.result @@ -410,9 +410,9 @@ create view v2 (c) as select a from t1 WITH LOCAL CHECK OPTION; create view v3 (c) as select a from t1 WITH CASCADED CHECK OPTION; select * from information_schema.views; TABLE_CATALOG TABLE_SCHEMA TABLE_NAME VIEW_DEFINITION CHECK_OPTION IS_UPDATABLE -NULL test v1 select `test`.`t1`.`a` AS `c` from `test`.`t1` WITH CASCADED CHECK OPTION YES -NULL test v2 select `test`.`t1`.`a` AS `c` from `test`.`t1` WITH LOCAL CHECK OPTION YES -NULL test v3 select `test`.`t1`.`a` AS `c` from `test`.`t1` WITH CASCADED CHECK OPTION YES +NULL test v1 select `test`.`t1`.`a` AS `c` from `test`.`t1` CASCADED YES +NULL test v2 select `test`.`t1`.`a` AS `c` from `test`.`t1` LOCAL YES +NULL test v3 select `test`.`t1`.`a` AS `c` from `test`.`t1` CASCADED YES grant select (a) on test.t1 to joe@localhost with grant option; select * from INFORMATION_SCHEMA.COLUMN_PRIVILEGES; GRANTEE TABLE_CATALOG TABLE_SCHEMA TABLE_NAME COLUMN_NAME PRIVILEGE_TYPE IS_GRANTABLE diff --git a/sql/sql_show.cc b/sql/sql_show.cc index c61d82ae690..383b16cca18 100644 --- a/sql/sql_show.cc +++ b/sql/sql_show.cc @@ -2824,9 +2824,9 @@ static int get_schema_views_record(THD *thd, struct st_table_list *tables, if (tables->with_check != VIEW_CHECK_NONE) { if (tables->with_check == VIEW_CHECK_LOCAL) - table->field[4]->store("WITH LOCAL CHECK OPTION", 23, cs); + table->field[4]->store("LOCAL", 5, cs); else - table->field[4]->store("WITH CASCADED CHECK OPTION", 26, cs); + table->field[4]->store("CASCADED", 8, cs); } else table->field[4]->store("NONE", 4, cs); @@ -3522,7 +3522,7 @@ ST_FIELD_INFO view_fields_info[]= {"TABLE_SCHEMA", NAME_LEN, MYSQL_TYPE_STRING, 0, 0, 0}, {"TABLE_NAME", NAME_LEN, MYSQL_TYPE_STRING, 0, 0, 0}, {"VIEW_DEFINITION", 65535, MYSQL_TYPE_STRING, 0, 0, 0}, - {"CHECK_OPTION", 30, MYSQL_TYPE_STRING, 0, 0, 0}, + {"CHECK_OPTION", 8, MYSQL_TYPE_STRING, 0, 0, 0}, {"IS_UPDATABLE", 3, MYSQL_TYPE_STRING, 0, 0, 0}, {0, 0, MYSQL_TYPE_STRING, 0, 0, 0} }; From b603cbc3ba0e25d7e1fc27e796a8956551f40f55 Mon Sep 17 00:00:00 2001 From: unknown Date: Tue, 14 Dec 2004 14:55:28 +0300 Subject: [PATCH 09/24] Fix bug#7222 information_schema: errors in "routines" --- mysql-test/r/information_schema.result | 5 +++++ mysql-test/t/information_schema.test | 6 ++++++ sql/sql_show.cc | 25 +++++++++++++++---------- 3 files changed, 26 insertions(+), 10 deletions(-) diff --git a/mysql-test/r/information_schema.result b/mysql-test/r/information_schema.result index 3580a7f4f18..1237bae9d71 100644 --- a/mysql-test/r/information_schema.result +++ b/mysql-test/r/information_schema.result @@ -252,6 +252,11 @@ begin select * from t1; select * from t2; end| +select parameter_style, sql_data_access, dtd_identifier +from information_schema.routines; +parameter_style sql_data_access dtd_identifier +SQL CONTAINS SQL NULL +SQL CONTAINS SQL int show procedure status; Db Name Type Definer Modified Created Security_type Comment test sel2 PROCEDURE root@localhost # # DEFINER diff --git a/mysql-test/t/information_schema.test b/mysql-test/t/information_schema.test index 123967f1c4a..b909e8b8e53 100644 --- a/mysql-test/t/information_schema.test +++ b/mysql-test/t/information_schema.test @@ -92,6 +92,12 @@ begin end| delimiter ;| +# +# Bug#7222 information_schema: errors in "routines" +# +select parameter_style, sql_data_access, dtd_identifier +from information_schema.routines; + --replace_column 5 # 6 # show procedure status; --replace_column 5 # 6 # diff --git a/sql/sql_show.cc b/sql/sql_show.cc index 383b16cca18..421669c3121 100644 --- a/sql/sql_show.cc +++ b/sql/sql_show.cc @@ -2661,20 +2661,25 @@ void store_schema_proc(THD *thd, TABLE *table, tmp_string.length(0); get_field(thd->mem_root, proc_table->field[2], &tmp_string); table->field[4]->store(tmp_string.ptr(), tmp_string.length(), cs); - tmp_string.length(0); - get_field(thd->mem_root, proc_table->field[9], &tmp_string); - table->field[5]->store(tmp_string.ptr(), tmp_string.length(), cs); + if (proc_table->field[2]->val_int() == TYPE_ENUM_FUNCTION) + { + tmp_string.length(0); + get_field(thd->mem_root, proc_table->field[9], &tmp_string); + table->field[5]->store(tmp_string.ptr(), tmp_string.length(), cs); + table->field[5]->set_notnull(); + } table->field[6]->store("SQL", 3, cs); tmp_string.length(0); get_field(thd->mem_root, proc_table->field[10], &tmp_string); table->field[7]->store(tmp_string.ptr(), tmp_string.length(), cs); - table->field[8]->store("SQL", 3, cs); + table->field[10]->store("SQL", 3, cs); tmp_string.length(0); get_field(thd->mem_root, proc_table->field[6], &tmp_string); table->field[11]->store(tmp_string.ptr(), tmp_string.length(), cs); - tmp_string.length(0); - get_field(thd->mem_root, proc_table->field[5], &tmp_string); - table->field[12]->store(tmp_string.ptr(), tmp_string.length(), cs); + if (proc_table->field[5]->val_int() == SP_CONTAINS_SQL) + { + table->field[12]->store("CONTAINS SQL", 12 , cs); + } tmp_string.length(0); get_field(thd->mem_root, proc_table->field[7], &tmp_string); table->field[14]->store(tmp_string.ptr(), tmp_string.length(), cs); @@ -3476,12 +3481,12 @@ ST_FIELD_INFO proc_fields_info[]= {"ROUTINE_SCHEMA", NAME_LEN, MYSQL_TYPE_STRING, 0, 0, "Db"}, {"ROUTINE_NAME", NAME_LEN, MYSQL_TYPE_STRING, 0, 0, "Name"}, {"ROUTINE_TYPE", 9, MYSQL_TYPE_STRING, 0, 0, "Type"}, - {"DTD_IDENTIFIER", NAME_LEN, MYSQL_TYPE_STRING, 0, 0, 0}, - {"ROUTINE_BODY", 3, MYSQL_TYPE_STRING, 0, 0, 0}, + {"DTD_IDENTIFIER", NAME_LEN, MYSQL_TYPE_STRING, 0, 1, 0}, + {"ROUTINE_BODY", 8, MYSQL_TYPE_STRING, 0, 0, 0}, {"ROUTINE_DEFINITION", 65535, MYSQL_TYPE_STRING, 0, 0, 0}, {"EXTERNAL_NAME", NAME_LEN, MYSQL_TYPE_STRING, 0, 1, 0}, {"EXTERNAL_LANGUAGE", NAME_LEN, MYSQL_TYPE_STRING, 0, 1, 0}, - {"PARAMETER_STYLE", 3, MYSQL_TYPE_STRING, 0, 0, 0}, + {"PARAMETER_STYLE", 8, MYSQL_TYPE_STRING, 0, 0, 0}, {"IS_DETERMINISTIC", 3, MYSQL_TYPE_STRING, 0, 0, 0}, {"SQL_DATA_ACCESS", NAME_LEN, MYSQL_TYPE_STRING, 0, 0, 0}, {"SQL_PATH", NAME_LEN, MYSQL_TYPE_STRING, 0, 1, 0}, From 0d9ac947b07277aa909142a706a06b249cd97adc Mon Sep 17 00:00:00 2001 From: unknown Date: Tue, 14 Dec 2004 15:20:46 +0300 Subject: [PATCH 10/24] Fx for bug#7221: information_schema: errors in "key_column_usage" --- mysql-test/r/information_schema.result | 12 ++++++------ mysql-test/r/information_schema_inno.result | 10 +++++----- sql/sql_show.cc | 11 ----------- 3 files changed, 11 insertions(+), 22 deletions(-) diff --git a/mysql-test/r/information_schema.result b/mysql-test/r/information_schema.result index 1237bae9d71..d2099ed4b22 100644 --- a/mysql-test/r/information_schema.result +++ b/mysql-test/r/information_schema.result @@ -390,11 +390,11 @@ NULL test key_1 test t1 UNIQUE NULL test key_2 test t1 UNIQUE select * from information_schema.KEY_COLUMN_USAGE where TABLE_SCHEMA= "test"; -CONSTRAINT_CATALOG CONSTRAINT_SCHEMA CONSTRAINT_NAME TABLE_CATALOG TABLE_SCHEMA TABLE_NAME COLUMN_NAME ORDINAL_POSITION POSITION_IN_UNIQUE_CONSTRAINT REFERENCED_TABLE_SCHEMA REFERENCED_TABLE_NAME REFERENCED_COLUMN_NAME -NULL test PRIMARY NULL test t1 a 1 NULL NULL NULL NULL -NULL test constraint_1 NULL test t1 a 1 NULL NULL NULL NULL -NULL test key_1 NULL test t1 a 1 NULL NULL NULL NULL -NULL test key_2 NULL test t1 a 1 NULL NULL NULL NULL +CONSTRAINT_CATALOG CONSTRAINT_SCHEMA CONSTRAINT_NAME TABLE_CATALOG TABLE_SCHEMA TABLE_NAME COLUMN_NAME ORDINAL_POSITION POSITION_IN_UNIQUE_CONSTRAINT +NULL test PRIMARY NULL test t1 a 1 NULL +NULL test constraint_1 NULL test t1 a 1 NULL +NULL test key_1 NULL test t1 a 1 NULL +NULL test key_2 NULL test t1 a 1 NULL select table_name from information_schema.TABLES where table_schema like "test%"; table_name t1 @@ -559,7 +559,7 @@ TABLE_NAME= "vo"; CONSTRAINT_CATALOG CONSTRAINT_SCHEMA CONSTRAINT_NAME TABLE_SCHEMA TABLE_NAME CONSTRAINT_TYPE select * from information_schema.KEY_COLUMN_USAGE where TABLE_NAME= "vo"; -CONSTRAINT_CATALOG CONSTRAINT_SCHEMA CONSTRAINT_NAME TABLE_CATALOG TABLE_SCHEMA TABLE_NAME COLUMN_NAME ORDINAL_POSITION POSITION_IN_UNIQUE_CONSTRAINT REFERENCED_TABLE_SCHEMA REFERENCED_TABLE_NAME REFERENCED_COLUMN_NAME +CONSTRAINT_CATALOG CONSTRAINT_SCHEMA CONSTRAINT_NAME TABLE_CATALOG TABLE_SCHEMA TABLE_NAME COLUMN_NAME ORDINAL_POSITION POSITION_IN_UNIQUE_CONSTRAINT drop view vo; select TABLE_NAME,TABLE_TYPE,ENGINE from information_schema.tables diff --git a/mysql-test/r/information_schema_inno.result b/mysql-test/r/information_schema_inno.result index cdbdda5fd43..4784c5e6106 100644 --- a/mysql-test/r/information_schema_inno.result +++ b/mysql-test/r/information_schema_inno.result @@ -11,9 +11,9 @@ NULL test t2_ibfk_1 test t2 FOREIGN KEY NULL test t2_ibfk_2 test t2 FOREIGN KEY select * from information_schema.KEY_COLUMN_USAGE where TABLE_SCHEMA= "test"; -CONSTRAINT_CATALOG CONSTRAINT_SCHEMA CONSTRAINT_NAME TABLE_CATALOG TABLE_SCHEMA TABLE_NAME COLUMN_NAME ORDINAL_POSITION POSITION_IN_UNIQUE_CONSTRAINT REFERENCED_TABLE_SCHEMA REFERENCED_TABLE_NAME REFERENCED_COLUMN_NAME -NULL test PRIMARY NULL test t1 id 1 NULL NULL NULL NULL -NULL test PRIMARY NULL test t2 id 1 NULL NULL NULL NULL -NULL test t2_ibfk_1 NULL test t2 t1_id 1 1 test t1 id -NULL test t2_ibfk_2 NULL test t2 t1_id 1 1 test t1 id +CONSTRAINT_CATALOG CONSTRAINT_SCHEMA CONSTRAINT_NAME TABLE_CATALOG TABLE_SCHEMA TABLE_NAME COLUMN_NAME ORDINAL_POSITION POSITION_IN_UNIQUE_CONSTRAINT +NULL test PRIMARY NULL test t1 id 1 NULL +NULL test PRIMARY NULL test t2 id 1 NULL +NULL test t2_ibfk_1 NULL test t2 t1_id 1 1 +NULL test t2_ibfk_2 NULL test t2 t1_id 1 1 drop table t2, t1; diff --git a/sql/sql_show.cc b/sql/sql_show.cc index 421669c3121..f2d636d4d82 100644 --- a/sql/sql_show.cc +++ b/sql/sql_show.cc @@ -2979,14 +2979,6 @@ static int get_schema_key_column_usage_record(THD *thd, (longlong) f_idx); table->field[8]->store((longlong) f_idx); table->field[8]->set_notnull(); - table->field[9]->store(f_key_info->referenced_db->str, - f_key_info->referenced_db->length, cs); - table->field[9]->set_notnull(); - table->field[10]->store(f_key_info->referenced_table->str, - f_key_info->referenced_table->length, cs); - table->field[10]->set_notnull(); - table->field[11]->store(r_info->str, r_info->length, cs); - table->field[11]->set_notnull(); table->file->write_row(table->record[0]); } } @@ -3602,9 +3594,6 @@ ST_FIELD_INFO key_column_usage_fields_info[]= {"COLUMN_NAME", NAME_LEN, MYSQL_TYPE_STRING, 0, 0, 0}, {"ORDINAL_POSITION", 10 ,MYSQL_TYPE_LONG, 0, 0, 0}, {"POSITION_IN_UNIQUE_CONSTRAINT", 10 ,MYSQL_TYPE_LONG, 0, 1, 0}, - {"REFERENCED_TABLE_SCHEMA", NAME_LEN, MYSQL_TYPE_STRING, 0, 1, 0}, - {"REFERENCED_TABLE_NAME", NAME_LEN, MYSQL_TYPE_STRING, 0, 1, 0}, - {"REFERENCED_COLUMN_NAME", NAME_LEN, MYSQL_TYPE_STRING, 0, 1, 0}, {0, 0, MYSQL_TYPE_STRING, 0, 0, 0} }; From 8d45c5f9d0ed290bb0bb880488b5ff1d5c2c7619 Mon Sep 17 00:00:00 2001 From: unknown Date: Tue, 14 Dec 2004 16:18:59 +0300 Subject: [PATCH 11/24] Fix for bug #7220: information_schema: errors in "character_sets" --- mysql-test/r/information_schema.result | 22 +++++++++---------- sql/sql_show.cc | 30 ++++++++++++++++++++++---- 2 files changed, 37 insertions(+), 15 deletions(-) diff --git a/mysql-test/r/information_schema.result b/mysql-test/r/information_schema.result index d2099ed4b22..6c427f7fe1d 100644 --- a/mysql-test/r/information_schema.result +++ b/mysql-test/r/information_schema.result @@ -156,14 +156,14 @@ drop tables testtets.t4, testtets.t1, t2, t3; drop database testtets; select * from information_schema.CHARACTER_SETS where CHARACTER_SET_NAME like 'latin1%'; -CHARACTER_SET_NAME DESCRIPTION DEFAULT_COLLATE_NAME MAXLEN -latin1 ISO 8859-1 West European latin1_swedish_ci 1 +CHARACTER_SET_NAME DEFAULT_COLLATE_NAME DESCRIPTION MAXLEN +latin1 latin1_swedish_ci ISO 8859-1 West European 1 SHOW CHARACTER SET LIKE 'latin1%'; Charset Description Default collation Maxlen latin1 ISO 8859-1 West European latin1_swedish_ci 1 SHOW CHARACTER SET * LIKE 'latin1%'; -CHARACTER_SET_NAME DESCRIPTION DEFAULT_COLLATE_NAME MAXLEN -latin1 ISO 8859-1 West European latin1_swedish_ci 1 +CHARACTER_SET_NAME DEFAULT_COLLATE_NAME DESCRIPTION MAXLEN +latin1 latin1_swedish_ci ISO 8859-1 West European 1 SHOW CHARACTER SET WHERE CHARACTER_SET_NAME like 'latin1%'; Charset Description Default collation Maxlen latin1 ISO 8859-1 West European latin1_swedish_ci 1 @@ -171,8 +171,8 @@ SHOW CHARACTER SET CHARACTER_SET_NAME WHERE CHARACTER_SET_NAME like 'latin1%'; CHARACTER_SET_NAME latin1 SHOW CHARACTER SET * WHERE CHARACTER_SET_NAME like 'latin1%'; -CHARACTER_SET_NAME DESCRIPTION DEFAULT_COLLATE_NAME MAXLEN -latin1 ISO 8859-1 West European latin1_swedish_ci 1 +CHARACTER_SET_NAME DEFAULT_COLLATE_NAME DESCRIPTION MAXLEN +latin1 latin1_swedish_ci ISO 8859-1 West European 1 select * from information_schema.COLLATIONS where COLLATION_NAME like 'latin1%'; COLLATION_NAME CHARSET ID DEFAULT COMPILED SORTLEN @@ -471,8 +471,8 @@ SHOW CREATE TABLE INFORMATION_SCHEMA.character_sets; Table Create Table character_sets CREATE TEMPORARY TABLE `character_sets` ( `CHARACTER_SET_NAME` varchar(30) NOT NULL default '', - `DESCRIPTION` varchar(60) NOT NULL default '', `DEFAULT_COLLATE_NAME` varchar(60) NOT NULL default '', + `DESCRIPTION` varchar(60) NOT NULL default '', `MAXLEN` bigint(3) NOT NULL default '0' ) ENGINE=HEAP DEFAULT CHARSET=utf8 MAX_ROWS=2252 set names latin2; @@ -480,23 +480,23 @@ SHOW CREATE TABLE INFORMATION_SCHEMA.character_sets; Table Create Table character_sets CREATE TEMPORARY TABLE `character_sets` ( `CHARACTER_SET_NAME` varchar(30) NOT NULL default '', - `DESCRIPTION` varchar(60) NOT NULL default '', `DEFAULT_COLLATE_NAME` varchar(60) NOT NULL default '', + `DESCRIPTION` varchar(60) NOT NULL default '', `MAXLEN` bigint(3) NOT NULL default '0' ) ENGINE=HEAP DEFAULT CHARSET=utf8 MAX_ROWS=2252 set names latin1; create table t1 select * from information_schema.CHARACTER_SETS where CHARACTER_SET_NAME like "latin1"; select * from t1; -CHARACTER_SET_NAME DESCRIPTION DEFAULT_COLLATE_NAME MAXLEN -latin1 ISO 8859-1 West European latin1_swedish_ci 1 +CHARACTER_SET_NAME DEFAULT_COLLATE_NAME DESCRIPTION MAXLEN +latin1 latin1_swedish_ci ISO 8859-1 West European 1 alter table t1 default character set utf8; show create table t1; Table Create Table t1 CREATE TABLE `t1` ( `CHARACTER_SET_NAME` varchar(30) NOT NULL default '', - `DESCRIPTION` varchar(60) NOT NULL default '', `DEFAULT_COLLATE_NAME` varchar(60) NOT NULL default '', + `DESCRIPTION` varchar(60) NOT NULL default '', `MAXLEN` bigint(3) NOT NULL default '0' ) ENGINE=MyISAM DEFAULT CHARSET=utf8 drop table t1; diff --git a/sql/sql_show.cc b/sql/sql_show.cc index f2d636d4d82..e50c68dd289 100644 --- a/sql/sql_show.cc +++ b/sql/sql_show.cc @@ -2551,10 +2551,10 @@ int fill_schema_charsets(THD *thd, TABLE_LIST *tables, COND *cond) { restore_record(table, default_values); table->field[0]->store(tmp_cs->csname, strlen(tmp_cs->csname), scs); - table->field[1]->store(tmp_cs->comment ? tmp_cs->comment : "", + table->field[1]->store(tmp_cs->name, strlen(tmp_cs->name), scs); + table->field[2]->store(tmp_cs->comment ? tmp_cs->comment : "", strlen(tmp_cs->comment ? tmp_cs->comment : ""), scs); - table->field[2]->store(tmp_cs->name, strlen(tmp_cs->name), scs); table->field[3]->store((longlong) tmp_cs->mbmaxlen); table->file->write_row(table->record[0]); } @@ -3216,6 +3216,28 @@ int make_columns_old_format(THD *thd, ST_SCHEMA_TABLE *schema_table) } +int make_character_sets_old_format(THD *thd, ST_SCHEMA_TABLE *schema_table) +{ + int fields_arr[]= {0, 2, 1, 3, -1}; + int *field_num= fields_arr; + ST_FIELD_INFO *field_info; + for (; *field_num >= 0; field_num++) + { + field_info= &schema_table->fields_info[*field_num]; + Item_field *field= new Item_field(NullS, NullS, field_info->field_name); + if (field) + { + field->set_name(field_info->old_name, + strlen(field_info->old_name), + system_charset_info); + if (add_item_to_list(thd, field)) + return 1; + } + } + return 0; +} + + int make_proc_old_format(THD *thd, ST_SCHEMA_TABLE *schema_table) { int fields_arr[]= {2, 3, 4, 19, 16, 15, 14, 18, -1}; @@ -3439,8 +3461,8 @@ ST_FIELD_INFO columns_fields_info[]= ST_FIELD_INFO charsets_fields_info[]= { {"CHARACTER_SET_NAME", 30, MYSQL_TYPE_STRING, 0, 0, "Charset"}, - {"DESCRIPTION", 60, MYSQL_TYPE_STRING, 0, 0, "Description"}, {"DEFAULT_COLLATE_NAME", 60, MYSQL_TYPE_STRING, 0, 0, "Default collation"}, + {"DESCRIPTION", 60, MYSQL_TYPE_STRING, 0, 0, "Description"}, {"MAXLEN", 3 ,MYSQL_TYPE_LONG, 0, 0, "Maxlen"}, {0, 0, MYSQL_TYPE_STRING, 0, 0, 0} }; @@ -3621,7 +3643,7 @@ ST_SCHEMA_TABLE schema_tables[]= {"COLUMNS", columns_fields_info, create_schema_table, get_all_tables, make_columns_old_format, get_schema_column_record, 1, 2}, {"CHARACTER_SETS", charsets_fields_info, create_schema_table, - fill_schema_charsets, make_old_format, 0, -1, -1}, + fill_schema_charsets, make_character_sets_old_format, 0, -1, -1}, {"COLLATIONS", collation_fields_info, create_schema_table, fill_schema_collation, make_old_format, 0, -1, -1}, {"COLLATION_CHARACTER_SET_APPLICABILITY", coll_charset_app_fields_info, From 9a3de9447460e33a9f318c9b33bc96558eabe5d1 Mon Sep 17 00:00:00 2001 From: unknown Date: Tue, 14 Dec 2004 17:02:24 +0100 Subject: [PATCH 12/24] Fixed compile error in extra/comp_err.c with -debug for some compilers. extra/comp_err.c: Fixed compile error with -debug for some compilers. --- extra/comp_err.c | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/extra/comp_err.c b/extra/comp_err.c index 9bd0a1ec7a2..9ddd1d7d971 100644 --- a/extra/comp_err.c +++ b/extra/comp_err.c @@ -869,8 +869,7 @@ static int get_options(int *argc, char ***argv) static char *parse_text_line(char *pos) { int i, nr; - char *row; - row= pos; + char *row= pos; DBUG_ENTER("parse_text_line"); while (*pos) From e87d4e6d18452dddc520bbb0b53b2b3ee9973fa8 Mon Sep 17 00:00:00 2001 From: unknown Date: Wed, 15 Dec 2004 20:29:17 +0300 Subject: [PATCH 13/24] Fix for IM compilation failure (reported be Ramil). server-tools/instance-manager/thread_registry.h: Fix for the problem, encountered by Ramil --- server-tools/instance-manager/thread_registry.h | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/server-tools/instance-manager/thread_registry.h b/server-tools/instance-manager/thread_registry.h index 0836f44345d..a25c692b77f 100644 --- a/server-tools/instance-manager/thread_registry.h +++ b/server-tools/instance-manager/thread_registry.h @@ -100,7 +100,7 @@ private: bool shutdown_in_progress; pthread_mutex_t LOCK_thread_registry; pthread_cond_t COND_thread_registry_is_empty; - pid_t sigwait_thread_pid; + pthread_t sigwait_thread_pid; }; From 7845f99abf1d36e972970c0fc9431956a8f4b63a Mon Sep 17 00:00:00 2001 From: unknown Date: Thu, 16 Dec 2004 03:15:06 +0300 Subject: [PATCH 14/24] Data truncation reporting implementation (libmysql) + post review fixes. Still to do: - deploy my_strtoll10 in limbysql.c - add mysql_options option to switch MYSQL_DATA_TRUNCATED on and off. include/my_time.h: More calls are shared between client and server (libmysql now performs more intelligent date->number and number->date conversions). TODO: rename those which are not starting with 'my_' include/mysql.h: MYSQL_BIND: - more elaborated comment - some of the ex-private members were given public names - it's sometimes convenient to set bind->error to &bind->error_value. However Monty questions the idea, so it should be given more thought in future. - added new members to support data truncation. Added new return value of mysql_stmt_fetch, MYSQL_DATA_TRUNCATED. libmysql/libmysql.c: - added support for data truncation during fetch - implementation for is_binary_compatible: now conversion functions are used less frequently - we now use number_to_datetime and TIME_to_ulonglong for date->number and number->date conversions sql-common/my_time.c: - added implementation of date->number and number->date calls shared between client and server (moved from time.cc). sql/field.cc: - implemented Field_time::store_time() to better support date->time conversions in prepared mode. After-review fixes. sql/field.h: - Field::store_time now returns int sql/mysql_priv.h: - removed date->number and number->date conversion functions headers (moved to my_time.h) sql/time.cc: - removed implementation of date->number and number->date conversion functions (moved to my_time.c) tests/client_test.c: - added a test case for data truncation; other test cases adjusted. - fixed my_process_stmt_result to set STMT_ATTR_UPDATE_MAX_LENGTH (tables are now printed out prettier). --- include/my_time.h | 7 + include/mysql.h | 86 +++++- libmysql/libmysql.c | 652 +++++++++++++++++++++++++++++++------------ sql-common/my_time.c | 164 +++++++++++ sql/field.cc | 28 +- sql/field.h | 7 +- sql/mysql_priv.h | 6 - sql/time.cc | 162 ----------- tests/client_test.c | 366 ++++++++++++++++++++---- 9 files changed, 1050 insertions(+), 428 deletions(-) diff --git a/include/my_time.h b/include/my_time.h index 1635c55fdc9..8058df8fe4e 100644 --- a/include/my_time.h +++ b/include/my_time.h @@ -52,6 +52,13 @@ typedef long my_time_t; enum enum_mysql_timestamp_type str_to_datetime(const char *str, uint length, MYSQL_TIME *l_time, uint flags, int *was_cut); +longlong number_to_datetime(longlong nr, MYSQL_TIME *time_res, + my_bool fuzzy_date, int *was_cut); +ulonglong TIME_to_ulonglong_datetime(const MYSQL_TIME *time); +ulonglong TIME_to_ulonglong_date(const MYSQL_TIME *time); +ulonglong TIME_to_ulonglong_time(const MYSQL_TIME *time); +ulonglong TIME_to_ulonglong(const MYSQL_TIME *time); + bool str_to_time(const char *str,uint length, MYSQL_TIME *l_time, int *was_cut); diff --git a/include/mysql.h b/include/mysql.h index 0edd3873192..cb7b4629ec0 100644 --- a/include/mysql.h +++ b/include/mysql.h @@ -537,26 +537,91 @@ enum enum_mysql_stmt_state }; -/* bind structure */ +/* + This structure is used to define bind information, and + internally by the client library. + Public members with their descriptions are listed below + (conventionally `On input' refers to the binds given to + mysql_stmt_bind_param, `On output' refers to the binds given + to mysql_stmt_bind_result): + + buffer_type - One of the MYSQL_* types, used to describe + the host language type of buffer. + On output: if column type is different from + buffer_type, column value is automatically converted + to buffer_type before it is stored in the buffer. + buffer - On input: points to the buffer with input data. + On output: points to the buffer capable to store + output data. + The type of memory pointed by buffer must correspond + to buffer_type. See the correspondence table in + the comment to mysql_stmt_bind_param. + + The two above members are mandatory for any kind of bind. + + buffer_length - the length of the buffer. You don't have to set + it for any fixed length buffer: float, double, + int, etc. It must be set however for variable-length + types, such as BLOBs or STRINGs. + + length - On input: in case when lengths of input values + are different for each execute, you can set this to + point at a variable containining value length. This + way the value length can be different in each execute. + If length is not NULL, buffer_length is not used. + Note, length can even point at buffer_length if + you keep bind structures around while fetching: + this way you can change buffer_length before + each execution, everything will work ok. + On output: if length is set, mysql_stmt_fetch will + write column length into it. + + is_null - On input: points to a boolean variable that should + be set to TRUE for NULL values. + This member is useful only if your data may be + NULL in some but not all cases. + If your data is never NULL, is_null should be set to 0. + If your data is always NULL, set buffer_type + to MYSQL_TYPE_NULL, and is_null will not be used. + + is_unsigned - On input: used to signify that values provided for one + of numeric types are unsigned. + On output describes signedness of the output buffer. + If, taking into account is_unsigned flag, column data + is out of range of the output buffer, data for this column + is regarded truncated. Note that this has no correspondence + to the sign of result set column, if you need to find it out + use mysql_stmt_result_metadata. + error - where to write a truncation error if it is present. + possible error value is: + 0 no truncation + 1 value is out of range or buffer is too small + + Please note that MYSQL_BIND also has internals members. +*/ + typedef struct st_mysql_bind { unsigned long *length; /* output length pointer */ my_bool *is_null; /* Pointer to null indicator */ void *buffer; /* buffer to get/put data */ + /* set this if you want to track data truncations happened during fetch */ + my_bool *error; enum enum_field_types buffer_type; /* buffer type */ - unsigned long buffer_length; /* buffer length, must be set for str/binary */ - - /* Following are for internal use. Set by mysql_stmt_bind_param */ - unsigned char *inter_buffer; /* for the current data position */ + /* output buffer length, must be set when fetching str/binary */ + unsigned long buffer_length; + unsigned char *row_ptr; /* for the current data position */ unsigned long offset; /* offset position for char/binary fetch */ - unsigned long internal_length; /* Used if length is 0 */ + unsigned long length_value; /* Used if length is 0 */ unsigned int param_number; /* For null count and error messages */ unsigned int pack_length; /* Internal length for packed data */ + my_bool error_value; /* used if error is 0 */ my_bool is_unsigned; /* set if integer type is unsigned */ my_bool long_data_used; /* If used with mysql_send_long_data */ - my_bool internal_is_null; /* Used if is_null is 0 */ + my_bool is_null_value; /* Used if is_null is 0 */ void (*store_param_func)(NET *net, struct st_mysql_bind *param); - void (*fetch_result)(struct st_mysql_bind *, unsigned char **row); + void (*fetch_result)(struct st_mysql_bind *, MYSQL_FIELD *, + unsigned char **row); void (*skip_result)(struct st_mysql_bind *, MYSQL_FIELD *, unsigned char **row); } MYSQL_BIND; @@ -598,7 +663,7 @@ typedef struct st_mysql_stmt /* Types of input parameters should be sent to server */ my_bool send_types_to_server; my_bool bind_param_done; /* input buffers were supplied */ - my_bool bind_result_done; /* output buffers were supplied */ + unsigned char bind_result_done; /* output buffers were supplied */ /* mysql_stmt_close() had to cancel this result */ my_bool unbuffered_fetch_cancelled; /* @@ -704,7 +769,8 @@ void STDCALL mysql_close(MYSQL *sock); /* status return codes */ -#define MYSQL_NO_DATA 100 +#define MYSQL_NO_DATA 100 +#define MYSQL_DATA_TRUNCATED 101 #define mysql_reload(mysql) mysql_refresh((mysql),REFRESH_GRANT) diff --git a/libmysql/libmysql.c b/libmysql/libmysql.c index fbaa22cff14..68568f97dea 100644 --- a/libmysql/libmysql.c +++ b/libmysql/libmysql.c @@ -1737,6 +1737,7 @@ static int stmt_read_row_no_data(MYSQL_STMT *stmt, unsigned char **row); STMT_ATTR_UPDATE_MAX_LENGTH attribute is set. */ static void stmt_update_metadata(MYSQL_STMT *stmt, MYSQL_ROWS *data); +static bool setup_one_fetch_function(MYSQL_BIND *bind, MYSQL_FIELD *field); /* Maximum sizes of MYSQL_TYPE_DATE, MYSQL_TYPE_TIME, MYSQL_TYPE_DATETIME @@ -1760,6 +1761,20 @@ static void stmt_update_metadata(MYSQL_STMT *stmt, MYSQL_ROWS *data); #define MAX_DOUBLE_STRING_REP_LENGTH 331 +/* A macro to check truncation errors */ + +#define IS_TRUNCATED(value, is_unsigned, min, max, umax) \ + ((is_unsigned) ? (((value) > (umax) || (value) < 0) ? 1 : 0) : \ + (((value) > (max) || (value) < (min)) ? 1 : 0)) + +#define BIND_RESULT_DONE 1 +/* + We report truncations only if at least one of MYSQL_BIND::error + pointers is set. In this case stmt->bind_result_done |-ed with + this flag. +*/ +#define REPORT_DATA_TRUNCATION 2 + /**************** Misc utility functions ****************************/ /* @@ -2121,6 +2136,7 @@ static void update_stmt_fields(MYSQL_STMT *stmt) MYSQL_FIELD *field= stmt->mysql->fields; MYSQL_FIELD *field_end= field + stmt->field_count; MYSQL_FIELD *stmt_field= stmt->fields; + MYSQL_BIND *bind= stmt->bind_result_done ? stmt->bind : 0; DBUG_ASSERT(stmt->field_count == stmt->mysql->field_count); @@ -2131,6 +2147,11 @@ static void update_stmt_fields(MYSQL_STMT *stmt) stmt_field->type = field->type; stmt_field->flags = field->flags; stmt_field->decimals = field->decimals; + if (bind) + { + /* Ignore return value: it should be 0 if bind_result succeeded. */ + (void) setup_one_fetch_function(bind++, stmt_field); + } } } @@ -3407,6 +3428,7 @@ static void fetch_string_with_conversion(MYSQL_BIND *param, char *value, { char *buffer= (char *)param->buffer; int err= 0; + char *endptr; /* This function should support all target buffer types: the rest @@ -3417,42 +3439,54 @@ static void fetch_string_with_conversion(MYSQL_BIND *param, char *value, break; case MYSQL_TYPE_TINY: { - uchar data= (uchar) my_strntol(&my_charset_latin1, value, length, 10, - NULL, &err); - *buffer= data; + longlong data= my_strntoll(&my_charset_latin1, value, length, 10, + &endptr, &err); + *param->error= (IS_TRUNCATED(data, param->is_unsigned, + INT8_MIN, INT8_MAX, UINT8_MAX) | + test(err)); + *buffer= (uchar) data; break; } case MYSQL_TYPE_SHORT: { - short data= (short) my_strntol(&my_charset_latin1, value, length, 10, - NULL, &err); - shortstore(buffer, data); + longlong data= my_strntoll(&my_charset_latin1, value, length, 10, + &endptr, &err); + *param->error= (IS_TRUNCATED(data, param->is_unsigned, + INT16_MIN, INT16_MAX, UINT16_MAX) | + test(err)); + shortstore(buffer, (short) data); break; } case MYSQL_TYPE_LONG: { - int32 data= (int32)my_strntol(&my_charset_latin1, value, length, 10, - NULL, &err); - longstore(buffer, data); + longlong data= my_strntoll(&my_charset_latin1, value, length, 10, + &endptr, &err); + *param->error= (IS_TRUNCATED(data, param->is_unsigned, + INT32_MIN, INT32_MAX, UINT32_MAX) | + test(err)); + longstore(buffer, (int32) data); break; } case MYSQL_TYPE_LONGLONG: { longlong data= my_strntoll(&my_charset_latin1, value, length, 10, - NULL, &err); + &endptr, &err); + *param->error= test(err); longlongstore(buffer, data); break; } case MYSQL_TYPE_FLOAT: { - float data = (float) my_strntod(&my_charset_latin1, value, length, - NULL, &err); - floatstore(buffer, data); + double data= my_strntod(&my_charset_latin1, value, length, &endptr, &err); + float fdata= (float) data; + *param->error= (fdata != data) | test(err); + floatstore(buffer, fdata); break; } case MYSQL_TYPE_DOUBLE: { - double data= my_strntod(&my_charset_latin1, value, length, NULL, &err); + double data= my_strntod(&my_charset_latin1, value, length, &endptr, &err); + *param->error= test(err); doublestore(buffer, data); break; } @@ -3460,6 +3494,7 @@ static void fetch_string_with_conversion(MYSQL_BIND *param, char *value, { MYSQL_TIME *tm= (MYSQL_TIME *)buffer; str_to_time(value, length, tm, &err); + *param->error= test(err); break; } case MYSQL_TYPE_DATE: @@ -3467,7 +3502,9 @@ static void fetch_string_with_conversion(MYSQL_BIND *param, char *value, case MYSQL_TYPE_TIMESTAMP: { MYSQL_TIME *tm= (MYSQL_TIME *)buffer; - str_to_datetime(value, length, tm, 0, &err); + (void) str_to_datetime(value, length, tm, 0, &err); + *param->error= test(err) && (param->buffer_type == MYSQL_TYPE_DATE && + tm->time_type != MYSQL_TIMESTAMP_DATE); break; } case MYSQL_TYPE_TINY_BLOB: @@ -3494,6 +3531,7 @@ static void fetch_string_with_conversion(MYSQL_BIND *param, char *value, copy_length= 0; if (copy_length < param->buffer_length) buffer[copy_length]= '\0'; + *param->error= copy_length > param->buffer_length; /* param->length will always contain length of entire column; number of copied bytes may be way different: @@ -3525,31 +3563,66 @@ static void fetch_long_with_conversion(MYSQL_BIND *param, MYSQL_FIELD *field, case MYSQL_TYPE_NULL: /* do nothing */ break; case MYSQL_TYPE_TINY: + *param->error= IS_TRUNCATED(value, param->is_unsigned, + INT8_MIN, INT8_MAX, UINT8_MAX); *(uchar *)param->buffer= (uchar) value; break; case MYSQL_TYPE_SHORT: - shortstore(buffer, value); + *param->error= IS_TRUNCATED(value, param->is_unsigned, + INT16_MIN, INT16_MAX, UINT16_MAX); + shortstore(buffer, (short) value); break; case MYSQL_TYPE_LONG: - longstore(buffer, value); + *param->error= IS_TRUNCATED(value, param->is_unsigned, + INT32_MIN, INT32_MAX, UINT32_MAX); + longstore(buffer, (int32) value); break; case MYSQL_TYPE_LONGLONG: longlongstore(buffer, value); break; case MYSQL_TYPE_FLOAT: { - float data= field_is_unsigned ? (float) ulonglong2double(value) : - (float) value; + float data; + if (field_is_unsigned) + { + data= (float) ulonglong2double(value); + *param->error= (ulonglong) data != (ulonglong) value; + } + else + { + data= (float) value; + /* printf("%lld, %f\n", value, data); */ + *param->error= value != ((longlong) data); + } floatstore(buffer, data); break; } case MYSQL_TYPE_DOUBLE: { - double data= field_is_unsigned ? ulonglong2double(value) : - (double) value; + double data; + if (field_is_unsigned) + { + data= ulonglong2double(value); + *param->error= (ulonglong) data != (ulonglong) value; + } + else + { + data= value; + *param->error= (longlong) data != value; + } doublestore(buffer, data); break; } + case MYSQL_TYPE_TIME: + case MYSQL_TYPE_DATE: + case MYSQL_TYPE_TIMESTAMP: + case MYSQL_TYPE_DATETIME: + { + int error; + value= number_to_datetime(value, (MYSQL_TIME *) buffer, 1, &error); + *param->error= test(error); + break; + } default: { char buff[22]; /* Enough for longlong */ @@ -3592,23 +3665,73 @@ static void fetch_float_with_conversion(MYSQL_BIND *param, MYSQL_FIELD *field, case MYSQL_TYPE_NULL: /* do nothing */ break; case MYSQL_TYPE_TINY: - *buffer= (uchar)value; + { + if (param->is_unsigned) + { + int8 data= (int8) value; + *param->error= (double) data != value; + *buffer= (uchar) data; + } + else + { + uchar data= (uchar) value; + *param->error= (double) data != value; + *buffer= data; + } break; + } case MYSQL_TYPE_SHORT: - shortstore(buffer, (short)value); + { + if (param->is_unsigned) + { + ushort data= (ushort) value; + *param->error= (double) data != value; + shortstore(buffer, data); + } + else + { + short data= (short) value; + *param->error= (double) data != value; + shortstore(buffer, data); + } break; + } case MYSQL_TYPE_LONG: - longstore(buffer, (long)value); + { + if (param->is_unsigned) + { + uint32 data= (uint32) value; + *param->error= (double) data != value; + longstore(buffer, data); + } + else + { + int32 data= (int32) value; + *param->error= (double) data != value; + longstore(buffer, data); + } break; + } case MYSQL_TYPE_LONGLONG: { - longlong val= (longlong) value; - longlongstore(buffer, val); + if (param->is_unsigned) + { + ulonglong data= (ulonglong) value; + *param->error= (double) data != value; + longlongstore(buffer, data); + } + else + { + longlong data= (longlong) value; + *param->error= (double) data != value; + longlongstore(buffer, data); + } break; } case MYSQL_TYPE_FLOAT: { float data= (float) value; + *param->error= data != value; floatstore(buffer, data); break; } @@ -3663,18 +3786,45 @@ static void fetch_float_with_conversion(MYSQL_BIND *param, MYSQL_FIELD *field, */ static void fetch_datetime_with_conversion(MYSQL_BIND *param, + MYSQL_FIELD *field, MYSQL_TIME *time) { switch (param->buffer_type) { case MYSQL_TYPE_NULL: /* do nothing */ break; case MYSQL_TYPE_DATE: + *(MYSQL_TIME *)(param->buffer)= *time; + *param->error= time->time_type != MYSQL_TIMESTAMP_DATE; + break; case MYSQL_TYPE_TIME: + *(MYSQL_TIME *)(param->buffer)= *time; + *param->error= time->time_type != MYSQL_TIMESTAMP_TIME; + break; case MYSQL_TYPE_DATETIME: case MYSQL_TYPE_TIMESTAMP: - /* XXX: should we copy only relevant members here? */ *(MYSQL_TIME *)(param->buffer)= *time; + /* No error: time and date are compatible with datetime */ break; + case MYSQL_TYPE_YEAR: + shortstore(param->buffer, time->year); + *param->error= 1; + break; + case MYSQL_TYPE_FLOAT: + case MYSQL_TYPE_DOUBLE: + { + ulonglong value= TIME_to_ulonglong(time); + return fetch_float_with_conversion(param, field, + ulonglong2double(value), DBL_DIG); + } + case MYSQL_TYPE_TINY: + case MYSQL_TYPE_SHORT: + case MYSQL_TYPE_INT24: + case MYSQL_TYPE_LONG: + case MYSQL_TYPE_LONGLONG: + { + longlong value= (longlong) TIME_to_ulonglong(time); + return fetch_long_with_conversion(param, field, value); + } default: { /* @@ -3772,7 +3922,7 @@ static void fetch_result_with_conversion(MYSQL_BIND *param, MYSQL_FIELD *field, MYSQL_TIME tm; read_binary_date(&tm, row); - fetch_datetime_with_conversion(param, &tm); + fetch_datetime_with_conversion(param, field, &tm); break; } case MYSQL_TYPE_TIME: @@ -3780,7 +3930,7 @@ static void fetch_result_with_conversion(MYSQL_BIND *param, MYSQL_FIELD *field, MYSQL_TIME tm; read_binary_time(&tm, row); - fetch_datetime_with_conversion(param, &tm); + fetch_datetime_with_conversion(param, field, &tm); break; } case MYSQL_TYPE_DATETIME: @@ -3789,7 +3939,7 @@ static void fetch_result_with_conversion(MYSQL_BIND *param, MYSQL_FIELD *field, MYSQL_TIME tm; read_binary_datetime(&tm, row); - fetch_datetime_with_conversion(param, &tm); + fetch_datetime_with_conversion(param, field, &tm); break; } default: @@ -3822,34 +3972,51 @@ static void fetch_result_with_conversion(MYSQL_BIND *param, MYSQL_FIELD *field, none */ -static void fetch_result_tinyint(MYSQL_BIND *param, uchar **row) +static void fetch_result_tinyint(MYSQL_BIND *param, MYSQL_FIELD *field, + uchar **row) { - *(uchar *)param->buffer= **row; + my_bool field_is_unsigned= test(field->flags & UNSIGNED_FLAG); + uchar data= **row; + *(uchar *)param->buffer= data; + *param->error= param->is_unsigned != field_is_unsigned && data > INT8_MAX; (*row)++; } -static void fetch_result_short(MYSQL_BIND *param, uchar **row) +static void fetch_result_short(MYSQL_BIND *param, MYSQL_FIELD *field, + uchar **row) { - short value = (short)sint2korr(*row); - shortstore(param->buffer, value); + my_bool field_is_unsigned= test(field->flags & UNSIGNED_FLAG); + ushort data= (ushort) sint2korr(*row); + shortstore(param->buffer, data); + *param->error= param->is_unsigned != field_is_unsigned && data > INT16_MAX; *row+= 2; } -static void fetch_result_int32(MYSQL_BIND *param, uchar **row) +static void fetch_result_int32(MYSQL_BIND *param, + MYSQL_FIELD *field __attribute__((unused)), + uchar **row) { - int32 value= (int32)sint4korr(*row); - longstore(param->buffer, value); + my_bool field_is_unsigned= test(field->flags & UNSIGNED_FLAG); + uint32 data= (uint32) sint4korr(*row); + longstore(param->buffer, data); + *param->error= param->is_unsigned != field_is_unsigned && data > INT32_MAX; *row+= 4; } -static void fetch_result_int64(MYSQL_BIND *param, uchar **row) +static void fetch_result_int64(MYSQL_BIND *param, + MYSQL_FIELD *field __attribute__((unused)), + uchar **row) { - longlong value= (longlong)sint8korr(*row); - longlongstore(param->buffer, value); + my_bool field_is_unsigned= test(field->flags & UNSIGNED_FLAG); + ulonglong data= (ulonglong) sint8korr(*row); + *param->error= param->is_unsigned != field_is_unsigned && data > INT64_MAX; + longlongstore(param->buffer, data); *row+= 8; } -static void fetch_result_float(MYSQL_BIND *param, uchar **row) +static void fetch_result_float(MYSQL_BIND *param, + MYSQL_FIELD *field __attribute__((unused)), + uchar **row) { float value; float4get(value,*row); @@ -3857,7 +4024,9 @@ static void fetch_result_float(MYSQL_BIND *param, uchar **row) *row+= 4; } -static void fetch_result_double(MYSQL_BIND *param, uchar **row) +static void fetch_result_double(MYSQL_BIND *param, + MYSQL_FIELD *field __attribute__((unused)), + uchar **row) { double value; float8get(value,*row); @@ -3865,34 +4034,45 @@ static void fetch_result_double(MYSQL_BIND *param, uchar **row) *row+= 8; } -static void fetch_result_time(MYSQL_BIND *param, uchar **row) +static void fetch_result_time(MYSQL_BIND *param, + MYSQL_FIELD *field __attribute__((unused)), + uchar **row) { MYSQL_TIME *tm= (MYSQL_TIME *)param->buffer; read_binary_time(tm, row); } -static void fetch_result_date(MYSQL_BIND *param, uchar **row) +static void fetch_result_date(MYSQL_BIND *param, + MYSQL_FIELD *field __attribute__((unused)), + uchar **row) { MYSQL_TIME *tm= (MYSQL_TIME *)param->buffer; read_binary_date(tm, row); } -static void fetch_result_datetime(MYSQL_BIND *param, uchar **row) +static void fetch_result_datetime(MYSQL_BIND *param, + MYSQL_FIELD *field __attribute__((unused)), + uchar **row) { MYSQL_TIME *tm= (MYSQL_TIME *)param->buffer; read_binary_datetime(tm, row); } -static void fetch_result_bin(MYSQL_BIND *param, uchar **row) +static void fetch_result_bin(MYSQL_BIND *param, + MYSQL_FIELD *field __attribute__((unused)), + uchar **row) { ulong length= net_field_length(row); ulong copy_length= min(length, param->buffer_length); memcpy(param->buffer, (char *)*row, copy_length); *param->length= length; + *param->error= copy_length < length; *row+= length; } -static void fetch_result_str(MYSQL_BIND *param, uchar **row) +static void fetch_result_str(MYSQL_BIND *param, + MYSQL_FIELD *field __attribute__((unused)), + uchar **row) { ulong length= net_field_length(row); ulong copy_length= min(length, param->buffer_length); @@ -3901,6 +4081,7 @@ static void fetch_result_str(MYSQL_BIND *param, uchar **row) if (copy_length != param->buffer_length) ((uchar *)param->buffer)[copy_length]= '\0'; *param->length= length; /* return total length */ + *param->error= copy_length < length; *row+= length; } @@ -3941,6 +4122,214 @@ static void skip_result_string(MYSQL_BIND *param __attribute__((unused)), } +/* + Check that two field types are binary compatible i. e. + have equal representation in the binary protocol and + require client-side buffers of the same type. + + SYNOPSIS + is_binary_compatible() + type1 parameter type supplied by user + type2 field type, obtained from result set metadata + + RETURN + TRUE or FALSE +*/ + +static my_bool is_binary_compatible(enum enum_field_types type1, + enum enum_field_types type2) +{ + static const enum enum_field_types + range1[]= { MYSQL_TYPE_SHORT, MYSQL_TYPE_YEAR, 0 }, + range2[]= { MYSQL_TYPE_INT24, MYSQL_TYPE_LONG, 0 }, + range3[]= { MYSQL_TYPE_DATETIME, MYSQL_TYPE_TIMESTAMP, 0 }, + range4[]= { MYSQL_TYPE_ENUM, MYSQL_TYPE_SET, MYSQL_TYPE_TINY_BLOB, + MYSQL_TYPE_MEDIUM_BLOB, MYSQL_TYPE_LONG_BLOB, MYSQL_TYPE_BLOB, + MYSQL_TYPE_VAR_STRING, MYSQL_TYPE_STRING, MYSQL_TYPE_GEOMETRY, + MYSQL_TYPE_DECIMAL, 0 }, + *range_list[]= { range1, range2, range3, range4 }, + **range_list_end= range_list + sizeof(range_list)/sizeof(*range_list); + enum enum_field_types **range, *type; + + if (type1 == type2) + return TRUE; + for (range= range_list; range != range_list_end; ++range) + { + /* check that both type1 and type2 are in the same range */ + bool type1_found= FALSE, type2_found= FALSE; + for (type= *range; *type; type++) + { + type1_found|= type1 == *type; + type2_found|= type2 == *type; + } + if (type1_found || type2_found) + return type1_found && type2_found; + } + return FALSE; +} + + +/* + Setup a fetch function for one column of a result set. + + SYNOPSIS + setup_one_fetch_function() + param output buffer descriptor + field column descriptor + + DESCRIPTION + When user binds result set buffers or when result set + metadata is changed, we need to setup fetch (and possibly + conversion) functions for all columns of the result set. + In addition to that here we set up skip_result function, used + to update result set metadata in case when + STMT_ATTR_UPDATE_MAX_LENGTH attribute is set. + Notice that while fetch_result is chosen depending on both + field->type and param->type, skip_result depends on field->type + only. + + RETURN + TRUE fetch function for this typecode was not found (typecode + is not supported by the client library) + FALSE success +*/ + +static my_bool setup_one_fetch_function(MYSQL_BIND *param, MYSQL_FIELD *field) +{ + /* Setup data copy functions for the different supported types */ + switch (param->buffer_type) { + case MYSQL_TYPE_NULL: /* for dummy binds */ + /* + It's not binary compatible with anything the server can return: + no need to setup fetch_result, as it'll be reset anyway + */ + *param->length= 0; + break; + case MYSQL_TYPE_TINY: + param->fetch_result= fetch_result_tinyint; + *param->length= 1; + break; + case MYSQL_TYPE_SHORT: + case MYSQL_TYPE_YEAR: + param->fetch_result= fetch_result_short; + *param->length= 2; + break; + case MYSQL_TYPE_INT24: + case MYSQL_TYPE_LONG: + param->fetch_result= fetch_result_int32; + *param->length= 4; + break; + case MYSQL_TYPE_LONGLONG: + param->fetch_result= fetch_result_int64; + *param->length= 8; + break; + case MYSQL_TYPE_FLOAT: + param->fetch_result= fetch_result_float; + *param->length= 4; + break; + case MYSQL_TYPE_DOUBLE: + param->fetch_result= fetch_result_double; + *param->length= 8; + break; + case MYSQL_TYPE_TIME: + param->fetch_result= fetch_result_time; + *param->length= sizeof(MYSQL_TIME); + break; + case MYSQL_TYPE_DATE: + param->fetch_result= fetch_result_date; + *param->length= sizeof(MYSQL_TIME); + break; + case MYSQL_TYPE_DATETIME: + case MYSQL_TYPE_TIMESTAMP: + param->fetch_result= fetch_result_datetime; + *param->length= sizeof(MYSQL_TIME); + break; + case MYSQL_TYPE_TINY_BLOB: + case MYSQL_TYPE_MEDIUM_BLOB: + case MYSQL_TYPE_LONG_BLOB: + case MYSQL_TYPE_BLOB: + DBUG_ASSERT(param->buffer_length != 0); + param->fetch_result= fetch_result_bin; + break; + case MYSQL_TYPE_VAR_STRING: + case MYSQL_TYPE_STRING: + DBUG_ASSERT(param->buffer_length != 0); + param->fetch_result= fetch_result_str; + break; + default: + return TRUE; + } + if (! is_binary_compatible(param->buffer_type, field->type)) + param->fetch_result= fetch_result_with_conversion; + + /* Setup skip_result functions (to calculate max_length) */ + param->skip_result= skip_result_fixed; + switch (field->type) { + case MYSQL_TYPE_NULL: /* for dummy binds */ + param->pack_length= 0; + field->max_length= 0; + break; + case MYSQL_TYPE_TINY: + param->pack_length= 1; + field->max_length= 4; /* as in '-127' */ + break; + case MYSQL_TYPE_YEAR: + case MYSQL_TYPE_SHORT: + param->pack_length= 2; + field->max_length= 6; /* as in '-32767' */ + break; + case MYSQL_TYPE_INT24: + field->max_length= 9; /* as in '16777216' or in '-8388607' */ + param->pack_length= 4; + break; + case MYSQL_TYPE_LONG: + field->max_length= 11; /* '-2147483647' */ + param->pack_length= 4; + break; + case MYSQL_TYPE_LONGLONG: + field->max_length= 21; /* '18446744073709551616' */ + param->pack_length= 8; + break; + case MYSQL_TYPE_FLOAT: + param->pack_length= 4; + field->max_length= MAX_DOUBLE_STRING_REP_LENGTH; + break; + case MYSQL_TYPE_DOUBLE: + param->pack_length= 8; + field->max_length= MAX_DOUBLE_STRING_REP_LENGTH; + break; + case MYSQL_TYPE_TIME: + field->max_length= 15; /* 19:23:48.123456 */ + param->skip_result= skip_result_with_length; + case MYSQL_TYPE_DATE: + field->max_length= 10; /* 2003-11-11 */ + param->skip_result= skip_result_with_length; + break; + break; + case MYSQL_TYPE_DATETIME: + case MYSQL_TYPE_TIMESTAMP: + param->skip_result= skip_result_with_length; + field->max_length= MAX_DATE_STRING_REP_LENGTH; + break; + case MYSQL_TYPE_DECIMAL: + case MYSQL_TYPE_ENUM: + case MYSQL_TYPE_SET: + case MYSQL_TYPE_GEOMETRY: + case MYSQL_TYPE_TINY_BLOB: + case MYSQL_TYPE_MEDIUM_BLOB: + case MYSQL_TYPE_LONG_BLOB: + case MYSQL_TYPE_BLOB: + case MYSQL_TYPE_VAR_STRING: + case MYSQL_TYPE_STRING: + param->skip_result= skip_result_string; + break; + default: + return TRUE; + } + return FALSE; +} + + /* Setup the bind buffers for resultset processing */ @@ -3951,6 +4340,7 @@ my_bool STDCALL mysql_stmt_bind_result(MYSQL_STMT *stmt, MYSQL_BIND *bind) MYSQL_FIELD *field; ulong bind_count= stmt->field_count; uint param_count= 0; + uchar report_data_truncation= 0; DBUG_ENTER("mysql_stmt_bind_result"); DBUG_PRINT("enter",("field_count: %d", bind_count)); @@ -3981,144 +4371,29 @@ my_bool STDCALL mysql_stmt_bind_result(MYSQL_STMT *stmt, MYSQL_BIND *bind) This is to make the execute code easier */ if (!param->is_null) - param->is_null= ¶m->internal_is_null; + param->is_null= ¶m->is_null_value; if (!param->length) - param->length= ¶m->internal_length; + param->length= ¶m->length_value; + + if (!param->error) + param->error= ¶m->error_value; + else + report_data_truncation= REPORT_DATA_TRUNCATION; param->param_number= param_count++; param->offset= 0; - /* Setup data copy functions for the different supported types */ - switch (param->buffer_type) { - case MYSQL_TYPE_NULL: /* for dummy binds */ - *param->length= 0; - break; - case MYSQL_TYPE_TINY: - param->fetch_result= fetch_result_tinyint; - *param->length= 1; - break; - case MYSQL_TYPE_SHORT: - case MYSQL_TYPE_YEAR: - param->fetch_result= fetch_result_short; - *param->length= 2; - break; - case MYSQL_TYPE_INT24: - case MYSQL_TYPE_LONG: - param->fetch_result= fetch_result_int32; - *param->length= 4; - break; - case MYSQL_TYPE_LONGLONG: - param->fetch_result= fetch_result_int64; - *param->length= 8; - break; - case MYSQL_TYPE_FLOAT: - param->fetch_result= fetch_result_float; - *param->length= 4; - break; - case MYSQL_TYPE_DOUBLE: - param->fetch_result= fetch_result_double; - *param->length= 8; - break; - case MYSQL_TYPE_TIME: - param->fetch_result= fetch_result_time; - *param->length= sizeof(MYSQL_TIME); - break; - case MYSQL_TYPE_DATE: - param->fetch_result= fetch_result_date; - *param->length= sizeof(MYSQL_TIME); - break; - case MYSQL_TYPE_DATETIME: - case MYSQL_TYPE_TIMESTAMP: - param->fetch_result= fetch_result_datetime; - *param->length= sizeof(MYSQL_TIME); - break; - case MYSQL_TYPE_TINY_BLOB: - case MYSQL_TYPE_MEDIUM_BLOB: - case MYSQL_TYPE_LONG_BLOB: - case MYSQL_TYPE_BLOB: - DBUG_ASSERT(param->buffer_length != 0); - param->fetch_result= fetch_result_bin; - break; - case MYSQL_TYPE_VARCHAR: - case MYSQL_TYPE_VAR_STRING: - case MYSQL_TYPE_STRING: - DBUG_ASSERT(param->buffer_length != 0); - param->fetch_result= fetch_result_str; - break; - default: + if (setup_one_fetch_function(param, field)) + { strmov(stmt->sqlstate, unknown_sqlstate); sprintf(stmt->last_error, - ER(stmt->last_errno= CR_UNSUPPORTED_PARAM_TYPE), - param->buffer_type, param_count); - DBUG_RETURN(1); - } - - /* Setup skip_result functions (to calculate max_length) */ - param->skip_result= skip_result_fixed; - switch (field->type) { - case MYSQL_TYPE_NULL: /* for dummy binds */ - param->pack_length= 0; - field->max_length= 0; - break; - case MYSQL_TYPE_TINY: - param->pack_length= 1; - field->max_length= 4; /* as in '-127' */ - break; - case MYSQL_TYPE_YEAR: - case MYSQL_TYPE_SHORT: - param->pack_length= 2; - field->max_length= 6; /* as in '-32767' */ - break; - case MYSQL_TYPE_INT24: - field->max_length= 9; /* as in '16777216' or in '-8388607' */ - param->pack_length= 4; - break; - case MYSQL_TYPE_LONG: - field->max_length= 11; /* '-2147483647' */ - param->pack_length= 4; - break; - case MYSQL_TYPE_LONGLONG: - field->max_length= 21; /* '18446744073709551616' */ - param->pack_length= 8; - break; - case MYSQL_TYPE_FLOAT: - param->pack_length= 4; - field->max_length= MAX_DOUBLE_STRING_REP_LENGTH; - break; - case MYSQL_TYPE_DOUBLE: - param->pack_length= 8; - field->max_length= MAX_DOUBLE_STRING_REP_LENGTH; - break; - case MYSQL_TYPE_TIME: - case MYSQL_TYPE_DATE: - case MYSQL_TYPE_DATETIME: - case MYSQL_TYPE_TIMESTAMP: - param->skip_result= skip_result_with_length; - field->max_length= MAX_DATE_STRING_REP_LENGTH; - break; - case MYSQL_TYPE_DECIMAL: - case MYSQL_TYPE_ENUM: - case MYSQL_TYPE_SET: - case MYSQL_TYPE_GEOMETRY: - case MYSQL_TYPE_TINY_BLOB: - case MYSQL_TYPE_MEDIUM_BLOB: - case MYSQL_TYPE_LONG_BLOB: - case MYSQL_TYPE_BLOB: - case MYSQL_TYPE_VARCHAR: - case MYSQL_TYPE_VAR_STRING: - case MYSQL_TYPE_STRING: - param->skip_result= skip_result_string; - break; - default: - strmov(stmt->sqlstate, unknown_sqlstate); - sprintf(stmt->last_error, - ER(stmt->last_errno= CR_UNSUPPORTED_PARAM_TYPE), - field->type, param_count); + ER(stmt->last_errno= CR_UNSUPPORTED_PARAM_TYPE), + field->type, param_count); DBUG_RETURN(1); } } - stmt->bind_result_done= TRUE; + stmt->bind_result_done= BIND_RESULT_DONE | report_data_truncation; DBUG_RETURN(0); } @@ -4132,6 +4407,7 @@ static int stmt_fetch_row(MYSQL_STMT *stmt, uchar *row) MYSQL_BIND *bind, *end; MYSQL_FIELD *field; uchar *null_ptr, bit; + int truncation_count= 0; /* Precondition: if stmt->field_count is zero or row is NULL, read_row_* function must return no data. @@ -4154,26 +4430,25 @@ static int stmt_fetch_row(MYSQL_STMT *stmt, uchar *row) bind < end ; bind++, field++) { + *bind->error= 0; if (*null_ptr & bit) { /* - We should set both inter_buffer and is_null to be able to see + We should set both row_ptr and is_null to be able to see nulls in mysql_stmt_fetch_column. This is because is_null may point to user data which can be overwritten between mysql_stmt_fetch and mysql_stmt_fetch_column, and in this case nullness of column will be lost. See mysql_stmt_fetch_column for details. */ - bind->inter_buffer= NULL; + bind->row_ptr= NULL; *bind->is_null= 1; } else { *bind->is_null= 0; - bind->inter_buffer= row; - if (field->type == bind->buffer_type) - (*bind->fetch_result)(bind, &row); - else - fetch_result_with_conversion(bind, field, &row); + bind->row_ptr= row; + (*bind->fetch_result)(bind, field, &row); + truncation_count+= *bind->error; } if (!((bit<<=1) & 255)) { @@ -4181,6 +4456,8 @@ static int stmt_fetch_row(MYSQL_STMT *stmt, uchar *row) null_ptr++; } } + if (truncation_count && (stmt->bind_result_done & REPORT_DATA_TRUNCATION)) + return MYSQL_DATA_TRUNCATED; return 0; } @@ -4207,7 +4484,7 @@ int STDCALL mysql_stmt_fetch(MYSQL_STMT *stmt) DBUG_ENTER("mysql_stmt_fetch"); if ((rc= (*stmt->read_row_func)(stmt, &row)) || - (rc= stmt_fetch_row(stmt, row))) + ((rc= stmt_fetch_row(stmt, row)) && rc != MYSQL_DATA_TRUNCATED)) { stmt->state= MYSQL_STMT_PREPARE_DONE; /* XXX: this is buggy */ stmt->read_row_func= stmt_read_row_no_data; @@ -4254,17 +4531,20 @@ int STDCALL mysql_stmt_fetch_column(MYSQL_STMT *stmt, MYSQL_BIND *bind, DBUG_RETURN(1); } - if (param->inter_buffer) + if (!bind->error) + bind->error= &bind->error_value; + *bind->error= 0; + if (param->row_ptr) { MYSQL_FIELD *field= stmt->fields+column; - uchar *row= param->inter_buffer; + uchar *row= param->row_ptr; bind->offset= offset; if (bind->is_null) *bind->is_null= 0; if (bind->length) /* Set the length if non char/binary types */ *bind->length= *param->length; else - bind->length= ¶m->internal_length; /* Needed for fetch_result() */ + bind->length= ¶m->length_value; /* Needed for fetch_result() */ fetch_result_with_conversion(bind, field, &row); } else diff --git a/sql-common/my_time.c b/sql-common/my_time.c index 4c5dd361061..45adb657f73 100644 --- a/sql-common/my_time.c +++ b/sql-common/my_time.c @@ -872,3 +872,167 @@ int my_TIME_to_str(const MYSQL_TIME *l_time, char *to) return 0; } } + + +/* + Convert datetime value specified as number to broken-down TIME + representation and form value of DATETIME type as side-effect. + + SYNOPSIS + number_to_datetime() + nr - datetime value as number + time_res - pointer for structure for broken-down representation + fuzzy_date - indicates whenever we allow fuzzy dates + was_cut - set ot 1 if there was some kind of error during + conversion or to 0 if everything was OK. + + DESCRIPTION + Convert a datetime value of formats YYMMDD, YYYYMMDD, YYMMDDHHMSS, + YYYYMMDDHHMMSS to broken-down TIME representation. Return value in + YYYYMMDDHHMMSS format as side-effect. + + This function also checks if datetime value fits in DATETIME range. + + RETURN VALUE + Datetime value in YYYYMMDDHHMMSS format. + If input value is not valid datetime value then 0 is returned. +*/ + +longlong number_to_datetime(longlong nr, MYSQL_TIME *time_res, + my_bool fuzzy_date, int *was_cut) +{ + long part1,part2; + + *was_cut= 0; + + if (nr == LL(0) || nr >= LL(10000101000000)) + goto ok; + if (nr < 101) + goto err; + if (nr <= (YY_PART_YEAR-1)*10000L+1231L) + { + nr= (nr+20000000L)*1000000L; // YYMMDD, year: 2000-2069 + goto ok; + } + if (nr < (YY_PART_YEAR)*10000L+101L) + goto err; + if (nr <= 991231L) + { + nr= (nr+19000000L)*1000000L; // YYMMDD, year: 1970-1999 + goto ok; + } + if (nr < 10000101L) + goto err; + if (nr <= 99991231L) + { + nr= nr*1000000L; + goto ok; + } + if (nr < 101000000L) + goto err; + if (nr <= (YY_PART_YEAR-1)*LL(10000000000)+LL(1231235959)) + { + nr= nr+LL(20000000000000); // YYMMDDHHMMSS, 2000-2069 + goto ok; + } + if (nr < YY_PART_YEAR*LL(10000000000)+ LL(101000000)) + goto err; + if (nr <= LL(991231235959)) + nr= nr+LL(19000000000000); // YYMMDDHHMMSS, 1970-1999 + + ok: + part1=(long) (nr/LL(1000000)); + part2=(long) (nr - (longlong) part1*LL(1000000)); + time_res->year= (int) (part1/10000L); part1%=10000L; + time_res->month= (int) part1 / 100; + time_res->day= (int) part1 % 100; + time_res->hour= (int) (part2/10000L); part2%=10000L; + time_res->minute=(int) part2 / 100; + time_res->second=(int) part2 % 100; + + if (time_res->year <= 9999 && time_res->month <= 12 && + time_res->day <= 31 && time_res->hour <= 23 && + time_res->minute <= 59 && time_res->second <= 59 && + (fuzzy_date || (time_res->month != 0 && time_res->day != 0) || nr==0)) + return nr; + + err: + + *was_cut= 1; + return LL(0); +} + + +/* Convert time value to integer in YYYYMMDDHHMMSS format */ + +ulonglong TIME_to_ulonglong_datetime(const MYSQL_TIME *time) +{ + return ((ulonglong) (time->year * 10000UL + + time->month * 100UL + + time->day) * ULL(1000000) + + (ulonglong) (time->hour * 10000UL + + time->minute * 100UL + + time->second)); +} + + +/* Convert TIME value to integer in YYYYMMDD format */ + +ulonglong TIME_to_ulonglong_date(const MYSQL_TIME *time) +{ + return (ulonglong) (time->year * 10000UL + time->month * 100UL + time->day); +} + + +/* + Convert TIME value to integer in HHMMSS format. + This function doesn't take into account time->day member: + it's assumed that days have been converted to hours already. +*/ + +ulonglong TIME_to_ulonglong_time(const MYSQL_TIME *time) +{ + return (ulonglong) (time->hour * 10000UL + + time->minute * 100UL + + time->second); +} + + +/* + Convert struct TIME (date and time split into year/month/day/hour/... + to a number in format YYYYMMDDHHMMSS (DATETIME), + YYYYMMDD (DATE) or HHMMSS (TIME). + + SYNOPSIS + TIME_to_ulonglong() + + DESCRIPTION + The function is used when we need to convert value of time item + to a number if it's used in numeric context, i. e.: + SELECT NOW()+1, CURDATE()+0, CURTIMIE()+0; + SELECT ?+1; + + NOTE + This function doesn't check that given TIME structure members are + in valid range. If they are not, return value won't reflect any + valid date either. +*/ + +ulonglong TIME_to_ulonglong(const MYSQL_TIME *time) +{ + switch (time->time_type) { + case MYSQL_TIMESTAMP_DATETIME: + return TIME_to_ulonglong_datetime(time); + case MYSQL_TIMESTAMP_DATE: + return TIME_to_ulonglong_date(time); + case MYSQL_TIMESTAMP_TIME: + return TIME_to_ulonglong_time(time); + case MYSQL_TIMESTAMP_NONE: + case MYSQL_TIMESTAMP_ERROR: + return ULL(0); + default: + DBUG_ASSERT(0); + } + return 0; +} + diff --git a/sql/field.cc b/sql/field.cc index dafb3dc25da..6f38bd3c85a 100644 --- a/sql/field.cc +++ b/sql/field.cc @@ -467,11 +467,11 @@ bool Field::get_time(TIME *ltime) Needs to be changed if/when we want to support different time formats */ -void Field::store_time(TIME *ltime,timestamp_type type) +int Field::store_time(TIME *ltime, timestamp_type type) { char buff[MAX_DATE_STRING_REP_LENGTH]; uint length= (uint) my_TIME_to_str(ltime, buff); - store(buff, length, &my_charset_bin); + return store(buff, length, &my_charset_bin); } @@ -3089,7 +3089,7 @@ int Field_timestamp::store(longlong nr) bool in_dst_time_gap; THD *thd= table->in_use; - if (number_to_TIME(nr, &l_time, 0, &error)) + if (number_to_datetime(nr, &l_time, 0, &error)) { if (!(timestamp= TIME_to_timestamp(thd, &l_time, &in_dst_time_gap))) { @@ -3372,6 +3372,16 @@ int Field_time::store(const char *from,uint len,CHARSET_INFO *cs) } +int Field_time::store_time(TIME *ltime, timestamp_type type) +{ + long tmp= ((ltime->month ? 0 : ltime->day * 24L) + ltime->hour) * 10000L + + (ltime->minute * 100 + ltime->second); + if (ltime->neg) + tmp= -tmp; + return Field_time::store((longlong) tmp); +} + + int Field_time::store(double nr) { long tmp; @@ -3953,17 +3963,20 @@ int Field_newdate::store(longlong nr) return error; } -void Field_newdate::store_time(TIME *ltime,timestamp_type type) +int Field_newdate::store_time(TIME *ltime,timestamp_type type) { long tmp; + int error= 0; if (type == MYSQL_TIMESTAMP_DATE || type == MYSQL_TIMESTAMP_DATETIME) tmp=ltime->year*16*32+ltime->month*32+ltime->day; else { tmp=0; + error= 1; set_warning(MYSQL_ERROR::WARN_LEVEL_WARN, ER_WARN_DATA_TRUNCATED, 1); } int3store(ptr,tmp); + return error; } bool Field_newdate::send_binary(Protocol *protocol) @@ -4112,7 +4125,7 @@ int Field_datetime::store(longlong nr) int error; longlong initial_nr= nr; - nr= number_to_TIME(nr, ¬_used, 1, &error); + nr= number_to_datetime(nr, ¬_used, 1, &error); if (error) set_datetime_warning(MYSQL_ERROR::WARN_LEVEL_WARN, @@ -4131,9 +4144,10 @@ int Field_datetime::store(longlong nr) } -void Field_datetime::store_time(TIME *ltime,timestamp_type type) +int Field_datetime::store_time(TIME *ltime,timestamp_type type) { longlong tmp; + int error= 0; /* We don't perform range checking here since values stored in TIME structure always fit into DATETIME range. @@ -4144,6 +4158,7 @@ void Field_datetime::store_time(TIME *ltime,timestamp_type type) else { tmp=0; + error= 1; set_warning(MYSQL_ERROR::WARN_LEVEL_WARN, ER_WARN_DATA_TRUNCATED, 1); } #ifdef WORDS_BIGENDIAN @@ -4154,6 +4169,7 @@ void Field_datetime::store_time(TIME *ltime,timestamp_type type) else #endif longlongstore(ptr,tmp); + return error; } bool Field_datetime::send_binary(Protocol *protocol) diff --git a/sql/field.h b/sql/field.h index 4353780f9a4..e2411fb9400 100644 --- a/sql/field.h +++ b/sql/field.h @@ -96,7 +96,7 @@ public: virtual int store(const char *to,uint length,CHARSET_INFO *cs)=0; virtual int store(double nr)=0; virtual int store(longlong nr)=0; - virtual void store_time(TIME *ltime,timestamp_type t_type); + virtual int store_time(TIME *ltime, timestamp_type t_type); virtual double val_real(void)=0; virtual longlong val_int(void)=0; inline String *val_str(String *str) { return val_str(str, str); } @@ -782,7 +782,7 @@ public: int store(const char *to,uint length,CHARSET_INFO *charset); int store(double nr); int store(longlong nr); - void store_time(TIME *ltime,timestamp_type type); + int store_time(TIME *ltime, timestamp_type type); void reset(void) { ptr[0]=ptr[1]=ptr[2]=0; } double val_real(void); longlong val_int(void); @@ -815,6 +815,7 @@ public: enum_field_types type() const { return FIELD_TYPE_TIME;} enum ha_base_keytype key_type() const { return HA_KEYTYPE_INT24; } enum Item_result cmp_type () const { return INT_RESULT; } + int store_time(TIME *ltime, timestamp_type type); int store(const char *to,uint length,CHARSET_INFO *charset); int store(double nr); int store(longlong nr); @@ -855,7 +856,7 @@ public: int store(const char *to,uint length,CHARSET_INFO *charset); int store(double nr); int store(longlong nr); - void store_time(TIME *ltime,timestamp_type type); + int store_time(TIME *ltime, timestamp_type type); void reset(void) { ptr[0]=ptr[1]=ptr[2]=ptr[3]=ptr[4]=ptr[5]=ptr[6]=ptr[7]=0; } double val_real(void); longlong val_int(void); diff --git a/sql/mysql_priv.h b/sql/mysql_priv.h index 91d15dc1125..4985a244824 100644 --- a/sql/mysql_priv.h +++ b/sql/mysql_priv.h @@ -1139,8 +1139,6 @@ my_time_t TIME_to_timestamp(THD *thd, const TIME *t, bool *not_exist); bool str_to_time_with_warn(const char *str,uint length,TIME *l_time); timestamp_type str_to_datetime_with_warn(const char *str, uint length, TIME *l_time, uint flags); -longlong number_to_TIME(longlong nr, TIME *time_res, bool fuzzy_date, - int *was_cut); void localtime_to_TIME(TIME *to, struct tm *from); void calc_time_from_sec(TIME *to, long seconds, long microseconds); @@ -1162,10 +1160,6 @@ void make_date(const DATE_TIME_FORMAT *format, const TIME *l_time, String *str); void make_time(const DATE_TIME_FORMAT *format, const TIME *l_time, String *str); -ulonglong TIME_to_ulonglong_datetime(const TIME *time); -ulonglong TIME_to_ulonglong_date(const TIME *time); -ulonglong TIME_to_ulonglong_time(const TIME *time); -ulonglong TIME_to_ulonglong(const TIME *time); int test_if_number(char *str,int *res,bool allow_wildcards); void change_byte(byte *,uint,char,char); diff --git a/sql/time.cc b/sql/time.cc index 562f9956ccc..f1d21915c23 100644 --- a/sql/time.cc +++ b/sql/time.cc @@ -262,95 +262,6 @@ str_to_time_with_warn(const char *str, uint length, TIME *l_time) } -/* - Convert datetime value specified as number to broken-down TIME - representation and form value of DATETIME type as side-effect. - - SYNOPSIS - number_to_TIME() - nr - datetime value as number - time_res - pointer for structure for broken-down representation - fuzzy_date - indicates whenever we allow fuzzy dates - was_cut - set ot 1 if there was some kind of error during - conversion or to 0 if everything was OK. - - DESCRIPTION - Convert a datetime value of formats YYMMDD, YYYYMMDD, YYMMDDHHMSS, - YYYYMMDDHHMMSS to broken-down TIME representation. Return value in - YYYYMMDDHHMMSS format as side-effect. - - This function also checks if datetime value fits in DATETIME range. - - RETURN VALUE - Datetime value in YYYYMMDDHHMMSS format. - If input value is not valid datetime value then 0 is returned. -*/ - -longlong number_to_TIME(longlong nr, TIME *time_res, bool fuzzy_date, - int *was_cut) -{ - long part1,part2; - - *was_cut= 0; - - if (nr == LL(0) || nr >= LL(10000101000000)) - goto ok; - if (nr < 101) - goto err; - if (nr <= (YY_PART_YEAR-1)*10000L+1231L) - { - nr= (nr+20000000L)*1000000L; // YYMMDD, year: 2000-2069 - goto ok; - } - if (nr < (YY_PART_YEAR)*10000L+101L) - goto err; - if (nr <= 991231L) - { - nr= (nr+19000000L)*1000000L; // YYMMDD, year: 1970-1999 - goto ok; - } - if (nr < 10000101L) - goto err; - if (nr <= 99991231L) - { - nr= nr*1000000L; - goto ok; - } - if (nr < 101000000L) - goto err; - if (nr <= (YY_PART_YEAR-1)*LL(10000000000)+LL(1231235959)) - { - nr= nr+LL(20000000000000); // YYMMDDHHMMSS, 2000-2069 - goto ok; - } - if (nr < YY_PART_YEAR*LL(10000000000)+ LL(101000000)) - goto err; - if (nr <= LL(991231235959)) - nr= nr+LL(19000000000000); // YYMMDDHHMMSS, 1970-1999 - - ok: - part1=(long) (nr/LL(1000000)); - part2=(long) (nr - (longlong) part1*LL(1000000)); - time_res->year= (int) (part1/10000L); part1%=10000L; - time_res->month= (int) part1 / 100; - time_res->day= (int) part1 % 100; - time_res->hour= (int) (part2/10000L); part2%=10000L; - time_res->minute=(int) part2 / 100; - time_res->second=(int) part2 % 100; - - if (time_res->year <= 9999 && time_res->month <= 12 && - time_res->day <= 31 && time_res->hour <= 23 && - time_res->minute <= 59 && time_res->second <= 59 && - (fuzzy_date || (time_res->month != 0 && time_res->day != 0) || nr==0)) - return nr; - - err: - - *was_cut= 1; - return LL(0); -} - - /* Convert a system time structure to TIME */ @@ -807,77 +718,4 @@ void make_truncated_value_warning(THD *thd, const char *str_val, } -/* Convert time value to integer in YYYYMMDDHHMMSS format */ - -ulonglong TIME_to_ulonglong_datetime(const TIME *time) -{ - return ((ulonglong) (time->year * 10000UL + - time->month * 100UL + - time->day) * ULL(1000000) + - (ulonglong) (time->hour * 10000UL + - time->minute * 100UL + - time->second)); -} - - -/* Convert TIME value to integer in YYYYMMDD format */ - -ulonglong TIME_to_ulonglong_date(const TIME *time) -{ - return (ulonglong) (time->year * 10000UL + time->month * 100UL + time->day); -} - - -/* - Convert TIME value to integer in HHMMSS format. - This function doesn't take into account time->day member: - it's assumed that days have been converted to hours already. -*/ - -ulonglong TIME_to_ulonglong_time(const TIME *time) -{ - return (ulonglong) (time->hour * 10000UL + - time->minute * 100UL + - time->second); -} - - -/* - Convert struct TIME (date and time split into year/month/day/hour/... - to a number in format YYYYMMDDHHMMSS (DATETIME), - YYYYMMDD (DATE) or HHMMSS (TIME). - - SYNOPSIS - TIME_to_ulonglong() - - DESCRIPTION - The function is used when we need to convert value of time item - to a number if it's used in numeric context, i. e.: - SELECT NOW()+1, CURDATE()+0, CURTIMIE()+0; - SELECT ?+1; - - NOTE - This function doesn't check that given TIME structure members are - in valid range. If they are not, return value won't reflect any - valid date either. -*/ - -ulonglong TIME_to_ulonglong(const TIME *time) -{ - switch (time->time_type) { - case MYSQL_TIMESTAMP_DATETIME: - return TIME_to_ulonglong_datetime(time); - case MYSQL_TIMESTAMP_DATE: - return TIME_to_ulonglong_date(time); - case MYSQL_TIMESTAMP_TIME: - return TIME_to_ulonglong_time(time); - case MYSQL_TIMESTAMP_NONE: - case MYSQL_TIMESTAMP_ERROR: - return ULL(0); - default: - DBUG_ASSERT(0); - } - return 0; -} - #endif diff --git a/tests/client_test.c b/tests/client_test.c index 979c1563c02..e63580ce031 100644 --- a/tests/client_test.c +++ b/tests/client_test.c @@ -517,16 +517,18 @@ int my_process_stmt_result(MYSQL_STMT *stmt) buffer[i].buffer= (void *) data[i]; buffer[i].is_null= &is_null[i]; } - my_print_result_metadata(result); rc= mysql_stmt_bind_result(stmt, buffer); check_execute(stmt, rc); + rc= 1; + mysql_stmt_attr_set(stmt, STMT_ATTR_UPDATE_MAX_LENGTH, (void*)&rc); rc= mysql_stmt_store_result(stmt); check_execute(stmt, rc); + my_print_result_metadata(result); mysql_field_seek(result, 0); - while (mysql_stmt_fetch(stmt) == 0) + while ((rc= mysql_stmt_fetch(stmt)) == 0) { if (!opt_silent) { @@ -559,6 +561,7 @@ int my_process_stmt_result(MYSQL_STMT *stmt) } row_count++; } + DIE_UNLESS(rc == MYSQL_NO_DATA); if (!opt_silent) { if (row_count) @@ -1876,6 +1879,7 @@ static void test_fetch_null() myquery(rc); /* fetch */ + bzero(bind, sizeof(bind)); for (i= 0; i < (int) array_elements(bind); i++) { bind[i].buffer_type= MYSQL_TYPE_LONG; @@ -2941,11 +2945,13 @@ static void test_long_data_str1() bind[0].buffer= (void *) &data; /* this buffer won't be altered */ bind[0].buffer_length= 16; bind[0].length= &blob_length; + bind[0].error= &bind[0].error_value; rc= mysql_stmt_bind_result(stmt, bind); data[16]= 0; rc= mysql_stmt_fetch(stmt); - DIE_UNLESS(rc == 0); + DIE_UNLESS(rc == MYSQL_DATA_TRUNCATED); + DIE_UNLESS(bind[0].error_value); DIE_UNLESS(strlen(data) == 16); DIE_UNLESS(blob_length == max_blob_length); @@ -3308,10 +3314,10 @@ static void test_bind_result() /* fetch */ + bzero(bind, sizeof(bind)); bind[0].buffer_type= MYSQL_TYPE_LONG; bind[0].buffer= (void *) &nData; /* integer data */ bind[0].is_null= &is_null[0]; - bind[0].length= 0; bind[1].buffer_type= MYSQL_TYPE_STRING; bind[1].buffer= szData; /* string data */ @@ -3402,6 +3408,7 @@ static void test_bind_result_ext() rc= mysql_commit(mysql); myquery(rc); + bzero(bind, sizeof(bind)); for (i= 0; i < (int) array_elements(bind); i++) { bind[i].length= &length[i]; @@ -3520,37 +3527,46 @@ static void test_bind_result_ext1() rc= mysql_commit(mysql); myquery(rc); + bzero(bind, sizeof(bind)); bind[0].buffer_type= MYSQL_TYPE_STRING; bind[0].buffer= (void *) t_data; bind[0].buffer_length= sizeof(t_data); + bind[0].error= &bind[0].error_value; bind[1].buffer_type= MYSQL_TYPE_FLOAT; bind[1].buffer= (void *)&s_data; bind[1].buffer_length= 0; + bind[1].error= &bind[1].error_value; bind[2].buffer_type= MYSQL_TYPE_SHORT; bind[2].buffer= (void *)&i_data; bind[2].buffer_length= 0; + bind[2].error= &bind[2].error_value; bind[3].buffer_type= MYSQL_TYPE_TINY; bind[3].buffer= (void *)&b_data; bind[3].buffer_length= 0; + bind[3].error= &bind[3].error_value; bind[4].buffer_type= MYSQL_TYPE_LONG; bind[4].buffer= (void *)&f_data; bind[4].buffer_length= 0; + bind[4].error= &bind[4].error_value; bind[5].buffer_type= MYSQL_TYPE_STRING; bind[5].buffer= (void *)d_data; bind[5].buffer_length= sizeof(d_data); + bind[5].error= &bind[5].error_value; bind[6].buffer_type= MYSQL_TYPE_LONG; bind[6].buffer= (void *)&bData; bind[6].buffer_length= 0; + bind[6].error= &bind[6].error_value; bind[7].buffer_type= MYSQL_TYPE_DOUBLE; bind[7].buffer= (void *)&szData; bind[7].buffer_length= 0; + bind[7].error= &bind[7].error_value; for (i= 0; i < array_elements(bind); i++) { @@ -3568,7 +3584,8 @@ static void test_bind_result_ext1() check_execute(stmt, rc); rc= mysql_stmt_fetch(stmt); - check_execute(stmt, rc); + DIE_UNLESS(rc == MYSQL_DATA_TRUNCATED); + DIE_UNLESS(bind[4].error_value == 1); if (!opt_silent) { @@ -3803,6 +3820,7 @@ static void test_fetch_date() rc= mysql_commit(mysql); myquery(rc); + bzero(bind, sizeof(bind)); for (i= 0; i < array_elements(bind); i++) { bind[i].is_null= &is_null[i]; @@ -4605,8 +4623,6 @@ static void test_set_variable() get_bind[1].buffer_type= MYSQL_TYPE_LONG; get_bind[1].buffer= (void *)&get_count; - get_bind[1].is_null= 0; - get_bind[1].length= 0; rc= mysql_stmt_execute(stmt1); check_execute(stmt1, rc); @@ -5522,6 +5538,7 @@ static void test_store_result() myquery(rc); /* fetch */ + bzero(bind, sizeof(bind)); bind[0].buffer_type= MYSQL_TYPE_LONG; bind[0].buffer= (void *) &nData; /* integer data */ bind[0].length= &length; @@ -5988,7 +6005,7 @@ static void test_bind_date_conv(uint row_count) for (count= 0; count < row_count; count++) { rc= mysql_stmt_fetch(stmt); - check_execute(stmt, rc); + DIE_UNLESS(rc == 0 || rc == MYSQL_DATA_TRUNCATED); if (!opt_silent) fprintf(stdout, "\n"); @@ -6004,14 +6021,8 @@ static void test_bind_date_conv(uint row_count) DIE_UNLESS(tm[i].day == 0 || tm[i].day == day+count); DIE_UNLESS(tm[i].hour == 0 || tm[i].hour == hour+count); -#ifdef NOT_USED - /* - minute causes problems from date<->time, don't assert, instead - validate separatly in another routine - */ DIE_UNLESS(tm[i].minute == 0 || tm[i].minute == minute+count); DIE_UNLESS(tm[i].second == 0 || tm[i].second == sec+count); -#endif DIE_UNLESS(tm[i].second_part == 0 || tm[i].second_part == second_part+count); } @@ -6242,13 +6253,15 @@ static void test_buffers() rc= mysql_stmt_execute(stmt); check_execute(stmt, rc); - bzero(buffer, 20); /* Avoid overruns in printf() */ + bzero(buffer, sizeof(buffer)); /* Avoid overruns in printf() */ + bzero(bind, sizeof(bind)); bind[0].length= &length; bind[0].is_null= &is_null; bind[0].buffer_length= 1; bind[0].buffer_type= MYSQL_TYPE_STRING; bind[0].buffer= (void *)buffer; + bind[0].error= &bind[0].error_value; rc= mysql_stmt_bind_result(stmt, bind); check_execute(stmt, rc); @@ -6258,7 +6271,8 @@ static void test_buffers() buffer[1]= 'X'; rc= mysql_stmt_fetch(stmt); - check_execute(stmt, rc); + DIE_UNLESS(rc == MYSQL_DATA_TRUNCATED); + DIE_UNLESS(bind[0].error_value); if (!opt_silent) fprintf(stdout, "\n data: %s (%lu)", buffer, length); DIE_UNLESS(buffer[0] == 'M'); @@ -6292,7 +6306,8 @@ static void test_buffers() check_execute(stmt, rc); rc= mysql_stmt_fetch(stmt); - check_execute(stmt, rc); + DIE_UNLESS(rc == MYSQL_DATA_TRUNCATED); + DIE_UNLESS(bind[0].error_value); if (!opt_silent) fprintf(stdout, "\n data: %s (%lu)", buffer, length); DIE_UNLESS(strncmp(buffer, "Popula", 6) == 0); @@ -6429,10 +6444,9 @@ static void test_fetch_nobuffs() fprintf(stdout, "\n total rows : %d", rc); DIE_UNLESS(rc == 1); + bzero(bind, sizeof(MYSQL_BIND)); bind[0].buffer_type= MYSQL_TYPE_STRING; bind[0].buffer= (void *)str[0]; - bind[0].is_null= 0; - bind[0].length= 0; bind[0].buffer_length= sizeof(str[0]); bind[1]= bind[2]= bind[3]= bind[0]; bind[1].buffer= (void *)str[1]; @@ -6489,7 +6503,8 @@ static void test_ushort_bug() d smallint unsigned)"); myquery(rc); - rc= mysql_query(mysql, "INSERT INTO test_ushort VALUES(35999, 35999, 35999, 200)"); + rc= mysql_query(mysql, + "INSERT INTO test_ushort VALUES(35999, 35999, 35999, 200)"); myquery(rc); @@ -6499,24 +6514,23 @@ static void test_ushort_bug() rc= mysql_stmt_execute(stmt); check_execute(stmt, rc); + bzero(bind, sizeof(bind)); bind[0].buffer_type= MYSQL_TYPE_SHORT; bind[0].buffer= (void *)&short_value; - bind[0].is_null= 0; + bind[0].is_unsigned= TRUE; bind[0].length= &s_length; bind[1].buffer_type= MYSQL_TYPE_LONG; bind[1].buffer= (void *)&long_value; - bind[1].is_null= 0; bind[1].length= &l_length; bind[2].buffer_type= MYSQL_TYPE_LONGLONG; bind[2].buffer= (void *)&longlong_value; - bind[2].is_null= 0; bind[2].length= &ll_length; bind[3].buffer_type= MYSQL_TYPE_TINY; bind[3].buffer= (void *)&tiny_value; - bind[3].is_null= 0; + bind[3].is_unsigned= TRUE; bind[3].length= &t_length; rc= mysql_stmt_bind_result(stmt, bind); @@ -6586,24 +6600,22 @@ static void test_sshort_bug() rc= mysql_stmt_execute(stmt); check_execute(stmt, rc); + bzero(bind, sizeof(bind)); bind[0].buffer_type= MYSQL_TYPE_SHORT; bind[0].buffer= (void *)&short_value; - bind[0].is_null= 0; bind[0].length= &s_length; bind[1].buffer_type= MYSQL_TYPE_LONG; bind[1].buffer= (void *)&long_value; - bind[1].is_null= 0; bind[1].length= &l_length; bind[2].buffer_type= MYSQL_TYPE_LONGLONG; bind[2].buffer= (void *)&longlong_value; - bind[2].is_null= 0; bind[2].length= &ll_length; bind[3].buffer_type= MYSQL_TYPE_TINY; bind[3].buffer= (void *)&tiny_value; - bind[3].is_null= 0; + bind[3].is_unsigned= TRUE; bind[3].length= &t_length; rc= mysql_stmt_bind_result(stmt, bind); @@ -6673,24 +6685,21 @@ static void test_stiny_bug() rc= mysql_stmt_execute(stmt); check_execute(stmt, rc); + bzero(bind, sizeof(bind)); bind[0].buffer_type= MYSQL_TYPE_SHORT; bind[0].buffer= (void *)&short_value; - bind[0].is_null= 0; bind[0].length= &s_length; bind[1].buffer_type= MYSQL_TYPE_LONG; bind[1].buffer= (void *)&long_value; - bind[1].is_null= 0; bind[1].length= &l_length; bind[2].buffer_type= MYSQL_TYPE_LONGLONG; bind[2].buffer= (void *)&longlong_value; - bind[2].is_null= 0; bind[2].length= &ll_length; bind[3].buffer_type= MYSQL_TYPE_TINY; bind[3].buffer= (void *)&tiny_value; - bind[3].is_null= 0; bind[3].length= &t_length; rc= mysql_stmt_bind_result(stmt, bind); @@ -6783,10 +6792,10 @@ static void test_field_misc() rc= mysql_stmt_execute(stmt); check_execute(stmt, rc); + bzero(bind, sizeof(bind)); bind[0].buffer_type= MYSQL_TYPE_STRING; bind[0].buffer= table_type; bind[0].length= &type_length; - bind[0].is_null= 0; bind[0].buffer_length= NAME_LEN; rc= mysql_stmt_bind_result(stmt, bind); @@ -6857,10 +6866,10 @@ static void test_field_misc() DIE_UNLESS(1 == my_process_stmt_result(stmt)); verify_prepare_field(result, 0, - "@@max_allowed_packet", "", /* field and its org name */ + "@@max_allowed_packet", "", /* field and its org name */ MYSQL_TYPE_LONGLONG, /* field type */ "", "", /* table and its org name */ - "", 10, 0); /* db name, length */ + "", 10, 0); /* db name, length */ mysql_free_result(result); mysql_stmt_close(stmt); @@ -7093,11 +7102,10 @@ static void test_frm_bug() rc= mysql_stmt_execute(stmt); check_execute(stmt, rc); + bzero(bind, sizeof(bind)); bind[0].buffer_type= MYSQL_TYPE_STRING; bind[0].buffer= data_dir; bind[0].buffer_length= FN_REFLEN; - bind[0].is_null= 0; - bind[0].length= 0; bind[1]= bind[0]; rc= mysql_stmt_bind_result(stmt, bind); @@ -7828,17 +7836,13 @@ static void test_fetch_seek() stmt= mysql_simple_prepare(mysql, "select * from t1"); check_stmt(stmt); + bzero(bind, sizeof(bind)); bind[0].buffer_type= MYSQL_TYPE_LONG; bind[0].buffer= (void *)&c1; - bind[0].buffer_length= 0; - bind[0].is_null= 0; - bind[0].length= 0; bind[1].buffer_type= MYSQL_TYPE_STRING; bind[1].buffer= (void *)c2; bind[1].buffer_length= sizeof(c2); - bind[1].is_null= 0; - bind[1].length= 0; bind[2]= bind[1]; bind[2].buffer= (void *)c3; @@ -7928,6 +7932,7 @@ static void test_fetch_offset() stmt= mysql_simple_prepare(mysql, "select * from t1"); check_stmt(stmt); + bzero(bind, sizeof(bind)); bind[0].buffer_type= MYSQL_TYPE_STRING; bind[0].buffer= (void *)data; bind[0].buffer_length= 11; @@ -8014,6 +8019,7 @@ static void test_fetch_column() stmt= mysql_simple_prepare(mysql, "select * from t1 order by c2 desc"); check_stmt(stmt); + bzero(bind, sizeof(bind)); bind[0].buffer_type= MYSQL_TYPE_LONG; bind[0].buffer= (void *)&bc1; bind[0].buffer_length= 0; @@ -8261,10 +8267,9 @@ static void test_free_result() stmt= mysql_simple_prepare(mysql, "select * from test_free_result"); check_stmt(stmt); + bzero(bind, sizeof(bind)); bind[0].buffer_type= MYSQL_TYPE_LONG; bind[0].buffer= (void *)&bc1; - bind[0].buffer_length= 0; - bind[0].is_null= 0; bind[0].length= &bl1; rc= mysql_stmt_execute(stmt); @@ -8342,6 +8347,7 @@ static void test_free_store_result() stmt= mysql_simple_prepare(mysql, "select * from test_free_result"); check_stmt(stmt); + bzero(bind, sizeof(bind)); bind[0].buffer_type= MYSQL_TYPE_LONG; bind[0].buffer= (void *)&bc1; bind[0].buffer_length= 0; @@ -8732,10 +8738,6 @@ static void test_bug1500() rc= my_process_stmt_result(stmt); DIE_UNLESS(rc == 1); - /* - FIXME If we comment out next string server will crash too :( - This is another manifestation of bug #1663 - */ mysql_stmt_close(stmt); /* This should work too */ @@ -8906,7 +8908,7 @@ static void test_subqueries() int rc, i; const char *query= "SELECT (SELECT SUM(a+b) FROM t2 where t1.b=t2.b GROUP BY t1.a LIMIT 1) as scalar_s, exists (select 1 from t2 where t2.a/2=t1.a) as exists_s, a in (select a+3 from t2) as in_s, (a-1, b-1) in (select a, b from t2) as in_row_s FROM t1, (select a x, b y from t2) tt WHERE x=a"; - myheader("test_subquery"); + myheader("test_subqueries"); rc= mysql_query(mysql, "DROP TABLE IF EXISTS t1, t2"); myquery(rc); @@ -8957,7 +8959,7 @@ static void test_distinct() const char *query= "SELECT 2+count(distinct b), group_concat(a) FROM t1 group by a"; - myheader("test_subquery"); + myheader("test_distinct"); rc= mysql_query(mysql, "DROP TABLE IF EXISTS t1"); myquery(rc); @@ -9755,7 +9757,7 @@ static void test_bug3035() { MYSQL_STMT *stmt; int rc; - MYSQL_BIND bind_array[12]; + MYSQL_BIND bind_array[12], *bind= bind_array, *bind_end= bind + 12; int8 int8_val; uint8 uint8_val; int16 int16_val; @@ -9808,6 +9810,9 @@ static void test_bug3035() bzero(bind_array, sizeof(bind_array)); + for (bind= bind_array; bind < bind_end; bind++) + bind->error= &bind->error_value; + bind_array[0].buffer_type= MYSQL_TYPE_TINY; bind_array[0].buffer= (void *) &int8_val; @@ -9913,7 +9918,15 @@ static void test_bug3035() DIE_UNLESS(!strcmp(ulonglong_as_string, "0")); rc= mysql_stmt_fetch(stmt); - check_execute(stmt, rc); + + if (!opt_silent) + { + printf("Truncation mask: "); + for (bind= bind_array; bind < bind_end; bind++) + printf("%d", (int) bind->error_value); + printf("\n"); + } + DIE_UNLESS(rc == MYSQL_DATA_TRUNCATED); DIE_UNLESS(int8_val == int8_max); DIE_UNLESS(uint8_val == uint8_max); @@ -10180,12 +10193,12 @@ static void test_union_param() /* bind parameters */ bind[0].buffer_type= MYSQL_TYPE_STRING; - bind[0].buffer= my_val; + bind[0].buffer= (char*) &my_val; bind[0].buffer_length= 4; bind[0].length= &my_length; bind[0].is_null= (char*)&my_null; bind[1].buffer_type= MYSQL_TYPE_STRING; - bind[1].buffer= my_val; + bind[1].buffer= (char*) &my_val; bind[1].buffer_length= 4; bind[1].length= &my_length; bind[1].is_null= (char*)&my_null; @@ -11898,7 +11911,7 @@ static void test_datetime_ranges() rc= mysql_stmt_execute(stmt); check_execute(stmt, rc); - DIE_UNLESS(mysql_warning_count(mysql) != 2); + DIE_UNLESS(mysql_warning_count(mysql) == 2); verify_col_data("t1", "day_ovfl", "838:59:59"); verify_col_data("t1", "day", "828:30:30"); @@ -12047,6 +12060,248 @@ static void test_conversion() } +static void test_truncation() +{ + MYSQL_STMT *stmt; + const char *stmt_text; + int rc; + MYSQL_BIND *bind_array, *bind; + + myheader("test_truncation"); + + /* Prepare the test table */ + rc= mysql_query(mysql, "drop table if exists t1"); + myquery(rc); + + stmt_text= "create table t1 (" + "i8 tinyint, ui8 tinyint unsigned, " + "i16 smallint, i16_1 smallint, " + "ui16 smallint unsigned, i32 int, i32_1 int, " + "d double, d_1 double, ch char(30), ch_1 char(30), " + "tx text, tx_1 text, ch_2 char(30) " + ")"; + rc= mysql_real_query(mysql, stmt_text, strlen(stmt_text)); + myquery(rc); + stmt_text= "insert into t1 VALUES (" + "-10, " /* i8 */ + "200, " /* ui8 */ + "32000, " /* i16 */ + "-32767, " /* i16_1 */ + "64000, " /* ui16 */ + "1073741824, " /* i32 */ + "1073741825, " /* i32_1 */ + "123.456, " /* d */ + "-12345678910, " /* d_1 */ + "'111111111111111111111111111111',"/* ch */ + "'abcdef', " /* ch_1 */ + "'12345 ', " /* tx */ + "'12345.67 ', " /* tx_1 */ + "'12345.67abc'" /* ch_2 */ + ")"; + rc= mysql_real_query(mysql, stmt_text, strlen(stmt_text)); + myquery(rc); + + stmt_text= "select i8 c1, i8 c2, ui8 c3, i16_1 c4, ui16 c5, " + " i16 c6, ui16 c7, i32 c8, i32_1 c9, i32_1 c10, " + " d c11, d_1 c12, d_1 c13, ch c14, ch_1 c15, tx c16, " + " tx_1 c17, ch_2 c18 " + "from t1"; + + stmt= mysql_stmt_init(mysql); + rc= mysql_stmt_prepare(stmt, stmt_text, strlen(stmt_text)); + check_execute(stmt, rc); + rc= mysql_stmt_execute(stmt); + check_execute(stmt, rc); + uint bind_count= (uint) mysql_stmt_field_count(stmt); + + /*************** Fill in the bind structure and bind it **************/ + bind_array= malloc(sizeof(MYSQL_BIND) * bind_count); + bzero(bind_array, sizeof(MYSQL_BIND) * bind_count); + for (bind= bind_array; bind < bind_array + bind_count; bind++) + bind->error= &bind->error_value; + bind= bind_array; + + bind->buffer= malloc(sizeof(uint8)); + bind->buffer_type= MYSQL_TYPE_TINY; + bind->is_unsigned= TRUE; + + DIE_UNLESS(++bind < bind_array + bind_count); + bind->buffer= malloc(sizeof(uint32)); + bind->buffer_type= MYSQL_TYPE_LONG; + bind->is_unsigned= TRUE; + + DIE_UNLESS(++bind < bind_array + bind_count); + bind->buffer= malloc(sizeof(int8)); + bind->buffer_type= MYSQL_TYPE_TINY; + + DIE_UNLESS(++bind < bind_array + bind_count); + bind->buffer= malloc(sizeof(uint16)); + bind->buffer_type= MYSQL_TYPE_SHORT; + bind->is_unsigned= TRUE; + + DIE_UNLESS(++bind < bind_array + bind_count); + bind->buffer= malloc(sizeof(int16)); + bind->buffer_type= MYSQL_TYPE_SHORT; + + DIE_UNLESS(++bind < bind_array + bind_count); + bind->buffer= malloc(sizeof(uint16)); + bind->buffer_type= MYSQL_TYPE_SHORT; + bind->is_unsigned= TRUE; + + DIE_UNLESS(++bind < bind_array + bind_count); + bind->buffer= malloc(sizeof(int8)); + bind->buffer_type= MYSQL_TYPE_TINY; + bind->is_unsigned= TRUE; + + DIE_UNLESS(++bind < bind_array + bind_count); + bind->buffer= malloc(sizeof(float)); + bind->buffer_type= MYSQL_TYPE_FLOAT; + + DIE_UNLESS(++bind < bind_array + bind_count); + bind->buffer= malloc(sizeof(float)); + bind->buffer_type= MYSQL_TYPE_FLOAT; + + DIE_UNLESS(++bind < bind_array + bind_count); + bind->buffer= malloc(sizeof(double)); + bind->buffer_type= MYSQL_TYPE_DOUBLE; + + DIE_UNLESS(++bind < bind_array + bind_count); + bind->buffer= malloc(sizeof(longlong)); + bind->buffer_type= MYSQL_TYPE_LONGLONG; + + DIE_UNLESS(++bind < bind_array + bind_count); + bind->buffer= malloc(sizeof(ulonglong)); + bind->buffer_type= MYSQL_TYPE_LONGLONG; + bind->is_unsigned= TRUE; + + DIE_UNLESS(++bind < bind_array + bind_count); + bind->buffer= malloc(sizeof(longlong)); + bind->buffer_type= MYSQL_TYPE_LONGLONG; + + DIE_UNLESS(++bind < bind_array + bind_count); + bind->buffer= malloc(sizeof(longlong)); + bind->buffer_type= MYSQL_TYPE_LONGLONG; + + DIE_UNLESS(++bind < bind_array + bind_count); + bind->buffer= malloc(sizeof(longlong)); + bind->buffer_type= MYSQL_TYPE_LONGLONG; + + DIE_UNLESS(++bind < bind_array + bind_count); + bind->buffer= malloc(sizeof(longlong)); + bind->buffer_type= MYSQL_TYPE_LONGLONG; + + DIE_UNLESS(++bind < bind_array + bind_count); + bind->buffer= malloc(sizeof(double)); + bind->buffer_type= MYSQL_TYPE_DOUBLE; + + DIE_UNLESS(++bind < bind_array + bind_count); + bind->buffer= malloc(sizeof(double)); + bind->buffer_type= MYSQL_TYPE_DOUBLE; + + rc= mysql_stmt_bind_result(stmt, bind_array); + check_execute(stmt, rc); + rc= mysql_stmt_fetch(stmt); + DIE_UNLESS(rc == MYSQL_DATA_TRUNCATED); + + /*************** Verify truncation results ***************************/ + bind= bind_array; + + /* signed tiny -> tiny */ + DIE_UNLESS(*bind->error && * (int8*) bind->buffer == -10); + + /* signed tiny -> uint32 */ + DIE_UNLESS(++bind < bind_array + bind_count); + DIE_UNLESS(*bind->error && * (int32*) bind->buffer == -10); + + /* unsigned tiny -> tiny */ + DIE_UNLESS(++bind < bind_array + bind_count); + DIE_UNLESS(*bind->error && * (uint8*) bind->buffer == 200); + + /* short -> ushort */ + DIE_UNLESS(++bind < bind_array + bind_count); + DIE_UNLESS(*bind->error && * (int16*) bind->buffer == -32767); + + /* ushort -> short */ + DIE_UNLESS(++bind < bind_array + bind_count); + DIE_UNLESS(*bind->error && * (uint16*) bind->buffer == 64000); + + /* short -> ushort (no truncation, data is in the range of target type) */ + DIE_UNLESS(++bind < bind_array + bind_count); + DIE_UNLESS(! *bind->error && * (uint16*) bind->buffer == 32000); + + /* ushort -> utiny */ + DIE_UNLESS(++bind < bind_array + bind_count); + DIE_UNLESS(*bind->error && * (int8*) bind->buffer == 0); + + /* int -> float: no truncation, the number is a power of two */ + DIE_UNLESS(++bind < bind_array + bind_count); + DIE_UNLESS(! *bind->error && * (float*) bind->buffer == 1073741824); + + /* int -> float: truncation, not enough bits in float */ + DIE_UNLESS(++bind < bind_array + bind_count); + /* do nothing: due to a gcc bug result here is not predictable */ + + /* int -> double: no truncation */ + DIE_UNLESS(++bind < bind_array + bind_count); + DIE_UNLESS(! *bind->error && * (double*) bind->buffer == 1073741825); + + /* double -> longlong: fractional part is lost */ + DIE_UNLESS(++bind < bind_array + bind_count); + DIE_UNLESS(*bind->error && * (longlong*) bind->buffer == 123); + + /* double -> ulonglong, negative fp number to unsigned integer */ + DIE_UNLESS(++bind < bind_array + bind_count); + /* Value in the buffer is not defined: don't test it */ + DIE_UNLESS(*bind->error); + + /* double -> longlong, negative fp number to signed integer: no loss */ + DIE_UNLESS(++bind < bind_array + bind_count); + DIE_UNLESS(! *bind->error && * (longlong*) bind->buffer == LL(-12345678910)); + + /* big numeric string -> number */ + DIE_UNLESS(++bind < bind_array + bind_count); + DIE_UNLESS(*bind->error); + + /* junk string -> number */ + DIE_UNLESS(++bind < bind_array + bind_count); + DIE_UNLESS(*bind->error && *(longlong*) bind->buffer == 0); + + /* string with trailing spaces -> number */ + DIE_UNLESS(++bind < bind_array + bind_count); + DIE_UNLESS(! *bind->error && *(longlong*) bind->buffer == 12345); + + /* string with trailing spaces -> double */ + DIE_UNLESS(++bind < bind_array + bind_count); + DIE_UNLESS(! *bind->error && *(double*) bind->buffer == 12345.67); + + /* string with trailing junk -> double */ + DIE_UNLESS(++bind < bind_array + bind_count); + /* + XXX: There must be a truncation error: but it's not the way the server + behaves, so let's leave it for now. + */ + DIE_UNLESS(*(double*) bind->buffer == 12345.67); + /* + TODO: string -> double, double -> time, double -> string (truncation + errors are not supported here yet) + longlong -> time/date/datetime + date -> time, date -> timestamp, date -> number + time -> string, time -> date, time -> timestamp, + number -> date string -> date + */ + /*************** Cleanup *********************************************/ + + mysql_stmt_close(stmt); + + for (bind= bind_array; bind < bind_array + bind_count; bind++) + free(bind->buffer); + free(bind_array); + + rc= mysql_query(mysql, "drop table t1"); + myquery(rc); +} + + /* Read and parse arguments and MySQL options from my.cnf */ @@ -12260,6 +12515,7 @@ static struct my_tests_st my_tests[]= { { "test_view_insert_fields", test_view_insert_fields }, { "test_basic_cursors", test_basic_cursors }, { "test_cursors_with_union", test_cursors_with_union }, + { "test_truncation", test_truncation }, { 0, 0 } }; From d518f87171980101b84a66a67d420286a3449ee8 Mon Sep 17 00:00:00 2001 From: unknown Date: Thu, 16 Dec 2004 08:34:03 +0200 Subject: [PATCH 15/24] Added support for a CREATE TABLE...AUTO_INCREMENT = x in InnoDB. sql/ha_innodb.cc: Added support for a CREATE TABLE...AUTO_INCREMENT = x; Note that the new value for auto increment field is set if the new values is creater than the maximum value in the column. --- sql/ha_innodb.cc | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/sql/ha_innodb.cc b/sql/ha_innodb.cc index 3e535385ed0..3418f82ee39 100644 --- a/sql/ha_innodb.cc +++ b/sql/ha_innodb.cc @@ -4001,15 +4001,15 @@ ha_innobase::create( DBUG_ASSERT(innobase_table != 0); - if (thd->lex->sql_command == SQLCOM_ALTER_TABLE && - (thd->lex->create_info.used_fields & HA_CREATE_USED_AUTO) && + if ((thd->lex->create_info.used_fields & HA_CREATE_USED_AUTO) && (thd->lex->create_info.auto_increment_value != 0)) { - /* Query was ALTER TABLE...AUTO_INC = x; Find out a table + /* Query was ALTER TABLE...AUTO_INCREMENT = x; or + CREATE TABLE ...AUTO_INCREMENT = x; Find out a table definition from the dictionary and get the current value of the auto increment field. Set a new value to the - auto increment field if the new value is creater than - the current value. */ + auto increment field if the value is greater than the + maximum value in the column. */ auto_inc_value = thd->lex->create_info.auto_increment_value; dict_table_autoinc_initialize(innobase_table, auto_inc_value); From eaec00b19b0dfe26bbe4297edfea04e277af27ed Mon Sep 17 00:00:00 2001 From: unknown Date: Thu, 16 Dec 2004 12:43:02 +0300 Subject: [PATCH 16/24] Portability fix in libmysql (FreeBSD) include/my_global.h: Define UINT_MAX8 libmysql/libmysql.c: Replace defines for insteger limits with their custom MySQL versions. --- include/my_global.h | 1 + libmysql/libmysql.c | 22 +++++++++++----------- 2 files changed, 12 insertions(+), 11 deletions(-) diff --git a/include/my_global.h b/include/my_global.h index 3c0266d2e71..e8f93ee5d7a 100644 --- a/include/my_global.h +++ b/include/my_global.h @@ -661,6 +661,7 @@ typedef SOCKET_SIZE_TYPE size_socket; #define UINT_MAX16 0xFFFF #define INT_MIN8 (~0x7F) #define INT_MAX8 0x7F +#define UINT_MAX8 0xFF /* From limits.h instead */ #ifndef DBL_MIN diff --git a/libmysql/libmysql.c b/libmysql/libmysql.c index 68568f97dea..2e9721abbe3 100644 --- a/libmysql/libmysql.c +++ b/libmysql/libmysql.c @@ -3442,7 +3442,7 @@ static void fetch_string_with_conversion(MYSQL_BIND *param, char *value, longlong data= my_strntoll(&my_charset_latin1, value, length, 10, &endptr, &err); *param->error= (IS_TRUNCATED(data, param->is_unsigned, - INT8_MIN, INT8_MAX, UINT8_MAX) | + INT_MIN8, INT_MAX8, UINT_MAX8) | test(err)); *buffer= (uchar) data; break; @@ -3452,7 +3452,7 @@ static void fetch_string_with_conversion(MYSQL_BIND *param, char *value, longlong data= my_strntoll(&my_charset_latin1, value, length, 10, &endptr, &err); *param->error= (IS_TRUNCATED(data, param->is_unsigned, - INT16_MIN, INT16_MAX, UINT16_MAX) | + INT_MIN16, INT_MAX16, UINT_MAX16) | test(err)); shortstore(buffer, (short) data); break; @@ -3462,7 +3462,7 @@ static void fetch_string_with_conversion(MYSQL_BIND *param, char *value, longlong data= my_strntoll(&my_charset_latin1, value, length, 10, &endptr, &err); *param->error= (IS_TRUNCATED(data, param->is_unsigned, - INT32_MIN, INT32_MAX, UINT32_MAX) | + INT_MIN32, INT_MAX32, UINT_MAX32) | test(err)); longstore(buffer, (int32) data); break; @@ -3564,17 +3564,17 @@ static void fetch_long_with_conversion(MYSQL_BIND *param, MYSQL_FIELD *field, break; case MYSQL_TYPE_TINY: *param->error= IS_TRUNCATED(value, param->is_unsigned, - INT8_MIN, INT8_MAX, UINT8_MAX); + INT_MIN8, INT_MAX8, UINT_MAX8); *(uchar *)param->buffer= (uchar) value; break; case MYSQL_TYPE_SHORT: *param->error= IS_TRUNCATED(value, param->is_unsigned, - INT16_MIN, INT16_MAX, UINT16_MAX); + INT_MIN16, INT_MAX16, UINT_MAX16); shortstore(buffer, (short) value); break; case MYSQL_TYPE_LONG: *param->error= IS_TRUNCATED(value, param->is_unsigned, - INT32_MIN, INT32_MAX, UINT32_MAX); + INT_MIN32, INT_MAX32, UINT_MAX32); longstore(buffer, (int32) value); break; case MYSQL_TYPE_LONGLONG: @@ -3978,7 +3978,7 @@ static void fetch_result_tinyint(MYSQL_BIND *param, MYSQL_FIELD *field, my_bool field_is_unsigned= test(field->flags & UNSIGNED_FLAG); uchar data= **row; *(uchar *)param->buffer= data; - *param->error= param->is_unsigned != field_is_unsigned && data > INT8_MAX; + *param->error= param->is_unsigned != field_is_unsigned && data > INT_MAX8; (*row)++; } @@ -3988,7 +3988,7 @@ static void fetch_result_short(MYSQL_BIND *param, MYSQL_FIELD *field, my_bool field_is_unsigned= test(field->flags & UNSIGNED_FLAG); ushort data= (ushort) sint2korr(*row); shortstore(param->buffer, data); - *param->error= param->is_unsigned != field_is_unsigned && data > INT16_MAX; + *param->error= param->is_unsigned != field_is_unsigned && data > INT_MAX16; *row+= 2; } @@ -3999,7 +3999,7 @@ static void fetch_result_int32(MYSQL_BIND *param, my_bool field_is_unsigned= test(field->flags & UNSIGNED_FLAG); uint32 data= (uint32) sint4korr(*row); longstore(param->buffer, data); - *param->error= param->is_unsigned != field_is_unsigned && data > INT32_MAX; + *param->error= param->is_unsigned != field_is_unsigned && data > INT_MAX32; *row+= 4; } @@ -4009,7 +4009,7 @@ static void fetch_result_int64(MYSQL_BIND *param, { my_bool field_is_unsigned= test(field->flags & UNSIGNED_FLAG); ulonglong data= (ulonglong) sint8korr(*row); - *param->error= param->is_unsigned != field_is_unsigned && data > INT64_MAX; + *param->error= param->is_unsigned != field_is_unsigned && data > LONGLONG_MAX; longlongstore(param->buffer, data); *row+= 8; } @@ -4149,7 +4149,7 @@ static my_bool is_binary_compatible(enum enum_field_types type1, MYSQL_TYPE_DECIMAL, 0 }, *range_list[]= { range1, range2, range3, range4 }, **range_list_end= range_list + sizeof(range_list)/sizeof(*range_list); - enum enum_field_types **range, *type; + const enum enum_field_types **range, *type; if (type1 == type2) return TRUE; From 9a2c0bd93212f08dfb1d04367df850d38006f176 Mon Sep 17 00:00:00 2001 From: unknown Date: Thu, 16 Dec 2004 11:41:52 +0100 Subject: [PATCH 17/24] Enlarged group item key_length by a varstring length field. Group item fields are implemented as varstrings nowadays. Made init_connect.test robust against existing t1. mysql-test/r/init_connect.result: Made init_connect.test robust against existing t1. mysql-test/t/init_connect.test: Made init_connect.test robust against existing t1. sql/sql_select.cc: Enlarged group item key_length by a varstring length field. Group item fields are implemented as varstrings nowadays. --- mysql-test/r/init_connect.result | 2 +- mysql-test/t/init_connect.test | 2 +- sql/sql_select.cc | 15 ++++++++++++++- 3 files changed, 16 insertions(+), 3 deletions(-) diff --git a/mysql-test/r/init_connect.result b/mysql-test/r/init_connect.result index db1e72dfca9..eeae422edc4 100644 --- a/mysql-test/r/init_connect.result +++ b/mysql-test/r/init_connect.result @@ -12,7 +12,7 @@ set GLOBAL init_connect=DEFAULT; select @a; @a NULL -set global init_connect="create table t1(a char(10));\ +set global init_connect="drop table if exists t1; create table t1(a char(10));\ insert into t1 values ('\0');insert into t1 values('abc')"; select hex(a) from t1; hex(a) diff --git a/mysql-test/t/init_connect.test b/mysql-test/t/init_connect.test index 29962abc04d..d9682eb8122 100644 --- a/mysql-test/t/init_connect.test +++ b/mysql-test/t/init_connect.test @@ -19,7 +19,7 @@ connect (con3,localhost,user_1,,); connection con3; select @a; connection con0; -set global init_connect="create table t1(a char(10));\ +set global init_connect="drop table if exists t1; create table t1(a char(10));\ insert into t1 values ('\0');insert into t1 values('abc')"; connect (con4,localhost,user_1,,); connection con4; diff --git a/sql/sql_select.cc b/sql/sql_select.cc index ed3606856a0..13f556efa16 100644 --- a/sql/sql_select.cc +++ b/sql/sql_select.cc @@ -11654,8 +11654,21 @@ calc_group_buffer(JOIN *join,ORDER *group) key_length+=sizeof(double); else if ((*group->item)->result_type() == INT_RESULT) key_length+=sizeof(longlong); + else if ((*group->item)->result_type() == STRING_RESULT) + { + /* + Group strings are taken as varstrings and require an length field. + A field is not yet created by create_tmp_field() + and the sizes should match up. + */ + key_length+= (*group->item)->max_length + HA_KEY_BLOB_LENGTH; + } else - key_length+=(*group->item)->max_length; + { + /* This case should never be choosen */ + DBUG_ASSERT(0); + current_thd->fatal_error(); + } parts++; if ((*group->item)->maybe_null) null_parts++; From 92022992a29ec4c4ead2df833238df2add27252f Mon Sep 17 00:00:00 2001 From: unknown Date: Thu, 16 Dec 2004 12:10:27 +0100 Subject: [PATCH 18/24] Changed C++-ism into C in client_test.c. tests/client_test.c: Moved variable declaration to the beginning of the block. (It's a C file, not C++) --- tests/client_test.c | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/tests/client_test.c b/tests/client_test.c index e63580ce031..b00be2d35b8 100644 --- a/tests/client_test.c +++ b/tests/client_test.c @@ -12065,6 +12065,7 @@ static void test_truncation() MYSQL_STMT *stmt; const char *stmt_text; int rc; + uint bind_count; MYSQL_BIND *bind_array, *bind; myheader("test_truncation"); @@ -12112,7 +12113,7 @@ static void test_truncation() check_execute(stmt, rc); rc= mysql_stmt_execute(stmt); check_execute(stmt, rc); - uint bind_count= (uint) mysql_stmt_field_count(stmt); + bind_count= (uint) mysql_stmt_field_count(stmt); /*************** Fill in the bind structure and bind it **************/ bind_array= malloc(sizeof(MYSQL_BIND) * bind_count); From f94cb2b9df78a9d187dbfdfa15c05d2dd691590a Mon Sep 17 00:00:00 2001 From: unknown Date: Thu, 16 Dec 2004 16:29:47 +0400 Subject: [PATCH 19/24] A fix (Bug #6843: Wrong function name crashes MySQL if mysql.proc table is missi sql/sp.cc: A fix (Bug #6843: Wrong function name crashes MySQL if mysql.proc table is missi We test current_select (in case of error) in the my_message_sql(). --- sql/sp.cc | 1 + 1 file changed, 1 insertion(+) diff --git a/sql/sp.cc b/sql/sp.cc index 9eff1655711..4605d49f3ab 100644 --- a/sql/sp.cc +++ b/sql/sp.cc @@ -981,6 +981,7 @@ sp_cache_functions(THD *thd, LEX *lex) thd->lex= newlex; newlex->proc_table= oldlex->proc_table; // hint if mysql.oper is opened + newlex->current_select= NULL; name.m_name.str= strchr(name.m_qname.str, '.'); name.m_db.length= name.m_name.str - name.m_qname.str; name.m_db.str= strmake_root(thd->mem_root, From 05bbcee9e6b47e1dac257696ff539c1c45fa1c4d Mon Sep 17 00:00:00 2001 From: unknown Date: Thu, 16 Dec 2004 16:31:36 +0300 Subject: [PATCH 20/24] Fix for bug#7212: information_schema: "Can't find file" errors if storage engine gone(after review) --- mysql-test/r/information_schema.result | 25 ++++++++++++ mysql-test/r/view.result | 10 ++--- mysql-test/t/information_schema.test | 21 ++++++++++ mysql-test/t/view.test | 2 +- sql/share/errmsg.txt | 2 +- sql/sql_derived.cc | 12 ++++++ sql/sql_show.cc | 54 +++++++++++++++++++++++--- sql/table.cc | 5 ++- 8 files changed, 117 insertions(+), 14 deletions(-) diff --git a/mysql-test/r/information_schema.result b/mysql-test/r/information_schema.result index 6c427f7fe1d..660c0e7b1bb 100644 --- a/mysql-test/r/information_schema.result +++ b/mysql-test/r/information_schema.result @@ -590,3 +590,28 @@ TABLES TABLE_PRIVILEGES TABLE_CONSTRAINTS TABLE_NAMES +use test; +create function sub1(i int) returns int +return i+1; +create table t1(f1 int); +create view t2 (c) as select f1 from t1; +create view t3 (c) as select sub1(1); +create table t4(f1 int, KEY f1_key (f1)); +drop table t1; +drop function sub1; +select column_name from information_schema.columns +where table_schema='test'; +column_name +f1 +Warnings: +Warning 1356 View 'test.t2' references invalid table(s) or column(s) or function(s) +Warning 1356 View 'test.t3' references invalid table(s) or column(s) or function(s) +select index_name from information_schema.statistics where table_schema='test'; +index_name +f1_key +select constraint_name from information_schema.table_constraints +where table_schema='test'; +constraint_name +drop view t2; +drop view t3; +drop table t4; diff --git a/mysql-test/r/view.result b/mysql-test/r/view.result index 41de883a4d6..366d799fde3 100644 --- a/mysql-test/r/view.result +++ b/mysql-test/r/view.result @@ -983,10 +983,10 @@ create view v1 as select * from t1; drop table t1; create table t1 (col1 char(5),newcol2 char(5)); insert into v1 values('a','aa'); -ERROR HY000: View 'test.v1' references invalid table(s) or column(s) +ERROR HY000: View 'test.v1' references invalid table(s) or column(s) or function(s) drop table t1; select * from v1; -ERROR HY000: View 'test.v1' references invalid table(s) or column(s) +ERROR HY000: View 'test.v1' references invalid table(s) or column(s) or function(s) drop view v1; create view v1 (a,a) as select 'a','a'; ERROR 42S21: Duplicate column name 'a' @@ -1217,11 +1217,11 @@ create table t1 (s1 int); create view v1 as select x1() from t1; drop function x1; select * from v1; -ERROR 42000: FUNCTION test.x1 does not exist +ERROR HY000: View 'test.v1' references invalid table(s) or column(s) or function(s) show table status; Name Engine Version Row_format Rows Avg_row_length Data_length Max_data_length Index_length Data_free Auto_increment Create_time Update_time Check_time Collation Checksum Create_options Comment t1 MyISAM 9 Fixed 0 0 0 21474836479 1024 0 NULL # # NULL latin1_swedish_ci NULL -v1 NULL NULL NULL NULL NULL NULL NULL NULL NULL NULL # # NULL NULL NULL NULL FUNCTION test.x1 does not exist +v1 NULL NULL NULL NULL NULL NULL NULL NULL NULL NULL # # NULL NULL NULL NULL View 'test.v1' references invalid table(s) or column(s) or function(s) drop view v1; drop table t1; create view v1 as select 99999999999999999999999999999999999999999999999999999 as col1; @@ -1655,7 +1655,7 @@ test.t1 check status OK drop table t1; check table v1; Table Op Msg_type Msg_text -test.v1 check error View 'test.v1' references invalid table(s) or column(s) +test.v1 check error View 'test.v1' references invalid table(s) or column(s) or function(s) drop view v1; create table t1 (a int); create table t2 (a int); diff --git a/mysql-test/t/information_schema.test b/mysql-test/t/information_schema.test index b909e8b8e53..b5570851c0f 100644 --- a/mysql-test/t/information_schema.test +++ b/mysql-test/t/information_schema.test @@ -292,3 +292,24 @@ use test; show tables; use information_schema; show tables like "T%"; + +# +# Bug#7212: information_schema: "Can't find file" errors if storage engine gone +# +use test; +create function sub1(i int) returns int + return i+1; +create table t1(f1 int); +create view t2 (c) as select f1 from t1; +create view t3 (c) as select sub1(1); +create table t4(f1 int, KEY f1_key (f1)); +drop table t1; +drop function sub1; +select column_name from information_schema.columns +where table_schema='test'; +select index_name from information_schema.statistics where table_schema='test'; +select constraint_name from information_schema.table_constraints +where table_schema='test'; +drop view t2; +drop view t3; +drop table t4; diff --git a/mysql-test/t/view.test b/mysql-test/t/view.test index 65f464fc77b..cb398fed856 100644 --- a/mysql-test/t/view.test +++ b/mysql-test/t/view.test @@ -1169,7 +1169,7 @@ create function x1 () returns int return 5; create table t1 (s1 int); create view v1 as select x1() from t1; drop function x1; --- error 1305 +-- error 1356 select * from v1; --replace_column 12 # 13 # --replace_result "2147483647 " "21474836479 " diff --git a/sql/share/errmsg.txt b/sql/share/errmsg.txt index 714b18b39f2..6908135b577 100644 --- a/sql/share/errmsg.txt +++ b/sql/share/errmsg.txt @@ -5464,7 +5464,7 @@ ER_WARN_VIEW_WITHOUT_KEY serbian "View '%-.64s.%-.64s' references invalid table(s) or column(s)" ukr "View, ÝÏ ÏÎÏ×ÌÀÅÔØÓÑ, ΊͦÓÔÉÔØ ÐÏ×ÎÏÇÏ ËÌÀÞÁ ÔÁÂÌÉæ(Ø), ÝÏ ×ÉËÏÒ¦ÓÔÁÎÁ × ÎØÀÏÍÕ" ER_VIEW_INVALID - eng "View '%-.64s.%-.64s' references invalid table(s) or column(s)" + eng "View '%-.64s.%-.64s' references invalid table(s) or column(s) or function(s)" rus "View '%-.64s.%-.64s' ÓÓÙÌÁÅÔÓÑ ÎÁ ÎÅÓÕÝÅÓÔ×ÕÀÝÉÅ ÔÁÂÌÉÃÙ ÉÌÉ ÓÔÏÌÂÃÙ" serbian "Can't drop a %s from within another stored routine" ukr "View '%-.64s.%-.64s' ÐÏÓÉÌÁ¤ÔÓÑ ÎÁ ÎŦÓÎÕÀÞ¦ ÔÁÂÌÉæ ÁÂÏ ÓÔÏ×Âæ" diff --git a/sql/sql_derived.cc b/sql/sql_derived.cc index 69511018880..7cea1c6fcee 100644 --- a/sql/sql_derived.cc +++ b/sql/sql_derived.cc @@ -140,6 +140,18 @@ int mysql_derived_prepare(THD *thd, LEX *lex, TABLE_LIST *orig_table_list) derived_result->set_table(table); exit: + /* Hide "Unknown column" or "Unknown function" error */ + if (orig_table_list->view) + { + if (thd->net.last_errno == ER_BAD_FIELD_ERROR || + thd->net.last_errno == ER_SP_DOES_NOT_EXIST) + { + thd->clear_error(); + my_error(ER_VIEW_INVALID, MYF(0), orig_table_list->db, + orig_table_list->real_name); + } + } + /* if it is preparation PS only or commands that need only VIEW structure then we do not need real data and we can skip execution (and parameters diff --git a/sql/sql_show.cc b/sql/sql_show.cc index e50c68dd289..81903df8dc7 100644 --- a/sql/sql_show.cc +++ b/sql/sql_show.cc @@ -2374,12 +2374,24 @@ static int get_schema_column_record(THD *thd, struct st_table_list *tables, const char *file_name) { TIME time; - const char *wild= thd->lex->wild ? thd->lex->wild->ptr() : NullS; + LEX *lex= thd->lex; + const char *wild= lex->wild ? lex->wild->ptr() : NullS; CHARSET_INFO *cs= system_charset_info; DBUG_ENTER("get_schema_column_record"); if (res) { - DBUG_RETURN(1); + if (lex->orig_sql_command != SQLCOM_SHOW_FIELDS) + { + /* + I.e. we are in SELECT FROM INFORMATION_SCHEMA.COLUMS + rather than in SHOW COLUMNS + */ + push_warning(thd, MYSQL_ERROR::WARN_LEVEL_WARN, + thd->net.last_errno, thd->net.last_error); + thd->clear_error(); + res= 0; + } + DBUG_RETURN(res); } TABLE *show_table= tables->table; @@ -2745,7 +2757,23 @@ static int get_schema_stat_record(THD *thd, struct st_table_list *tables, { CHARSET_INFO *cs= system_charset_info; DBUG_ENTER("get_schema_stat_record"); - if (!res && !tables->view) + if (res) + { + if (thd->lex->orig_sql_command != SQLCOM_SHOW_KEYS) + { + /* + I.e. we are in SELECT FROM INFORMATION_SCHEMA.STATISTICS + rather than in SHOW KEYS + */ + if (!tables->view) + push_warning(thd, MYSQL_ERROR::WARN_LEVEL_WARN, + thd->net.last_errno, thd->net.last_error); + thd->clear_error(); + res= 0; + } + DBUG_RETURN(res); + } + else if (!tables->view) { TABLE *show_table= tables->table; KEY *key_info=show_table->key_info; @@ -2868,7 +2896,15 @@ static int get_schema_constraints_record(THD *thd, struct st_table_list *tables, const char *file_name) { DBUG_ENTER("get_schema_constraints_record"); - if (!res && !tables->view) + if (res) + { + if (!tables->view) + push_warning(thd, MYSQL_ERROR::WARN_LEVEL_WARN, + thd->net.last_errno, thd->net.last_error); + thd->clear_error(); + DBUG_RETURN(0); + } + else if (!tables->view) { List f_key_list; TABLE *show_table= tables->table; @@ -2925,7 +2961,15 @@ static int get_schema_key_column_usage_record(THD *thd, { DBUG_ENTER("get_schema_key_column_usage_record"); CHARSET_INFO *cs= system_charset_info; - if (!res && !tables->view) + if (res) + { + if (!tables->view) + push_warning(thd, MYSQL_ERROR::WARN_LEVEL_WARN, + thd->net.last_errno, thd->net.last_error); + thd->clear_error(); + DBUG_RETURN(0); + } + else if (!tables->view) { List f_key_list; TABLE *show_table= tables->table; diff --git a/sql/table.cc b/sql/table.cc index b4a07448b14..b54cc351dff 100644 --- a/sql/table.cc +++ b/sql/table.cc @@ -1845,8 +1845,9 @@ ok: DBUG_RETURN(0); err: - /* Hide "Unknown column" error */ - if (thd->net.last_errno == ER_BAD_FIELD_ERROR) + /* Hide "Unknown column" or "Unknown function" error */ + if (thd->net.last_errno == ER_BAD_FIELD_ERROR || + thd->net.last_errno == ER_SP_DOES_NOT_EXIST) { thd->clear_error(); my_error(ER_VIEW_INVALID, MYF(0), view_db.str, view_name.str); From 0e7f1ae3a0bad32c64b16e1603e74ce09526b0b1 Mon Sep 17 00:00:00 2001 From: unknown Date: Thu, 16 Dec 2004 17:44:36 +0300 Subject: [PATCH 21/24] Fix for bug#7211: information_schema: crash if bad view(after review) --- mysql-test/r/information_schema.result | 12 ++++++++++++ mysql-test/t/information_schema.test | 5 +++++ sql/sql_show.cc | 9 ++++++++- 3 files changed, 25 insertions(+), 1 deletion(-) diff --git a/mysql-test/r/information_schema.result b/mysql-test/r/information_schema.result index 660c0e7b1bb..d421ac1d184 100644 --- a/mysql-test/r/information_schema.result +++ b/mysql-test/r/information_schema.result @@ -599,6 +599,18 @@ create view t3 (c) as select sub1(1); create table t4(f1 int, KEY f1_key (f1)); drop table t1; drop function sub1; +select table_name from information_schema.views +where table_schema='test'; +table_name +Warnings: +Warning 1356 View 'test.t2' references invalid table(s) or column(s) or function(s) +Warning 1356 View 'test.t3' references invalid table(s) or column(s) or function(s) +select table_name from information_schema.views +where table_schema='test'; +table_name +Warnings: +Warning 1356 View 'test.t2' references invalid table(s) or column(s) or function(s) +Warning 1356 View 'test.t3' references invalid table(s) or column(s) or function(s) select column_name from information_schema.columns where table_schema='test'; column_name diff --git a/mysql-test/t/information_schema.test b/mysql-test/t/information_schema.test index b5570851c0f..0fe7636e500 100644 --- a/mysql-test/t/information_schema.test +++ b/mysql-test/t/information_schema.test @@ -295,6 +295,7 @@ show tables like "T%"; # # Bug#7212: information_schema: "Can't find file" errors if storage engine gone +# Bug#7211: information_schema: crash if bad view # use test; create function sub1(i int) returns int @@ -305,6 +306,10 @@ create view t3 (c) as select sub1(1); create table t4(f1 int, KEY f1_key (f1)); drop table t1; drop function sub1; +select table_name from information_schema.views +where table_schema='test'; +select table_name from information_schema.views +where table_schema='test'; select column_name from information_schema.columns where table_schema='test'; select index_name from information_schema.statistics where table_schema='test'; diff --git a/sql/sql_show.cc b/sql/sql_show.cc index 81903df8dc7..5a135faf52f 100644 --- a/sql/sql_show.cc +++ b/sql/sql_show.cc @@ -2871,7 +2871,14 @@ static int get_schema_views_record(THD *thd, struct st_table_list *tables, table->file->write_row(table->record[0]); } } - DBUG_RETURN(res); + else + { + if (tables->view) + push_warning(thd, MYSQL_ERROR::WARN_LEVEL_WARN, + thd->net.last_errno, thd->net.last_error); + thd->clear_error(); + } + DBUG_RETURN(0); } From c04ac3c526faa92e09af4ab3571e2713d19cc6c0 Mon Sep 17 00:00:00 2001 From: unknown Date: Thu, 16 Dec 2004 18:44:38 +0400 Subject: [PATCH 22/24] errmsg.txt: My attempt N3 sql/share/errmsg.txt: My attempt N3 --- sql/share/errmsg.txt | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/sql/share/errmsg.txt b/sql/share/errmsg.txt index 6908135b577..06f4b0fc0b2 100644 --- a/sql/share/errmsg.txt +++ b/sql/share/errmsg.txt @@ -5465,9 +5465,8 @@ ER_WARN_VIEW_WITHOUT_KEY ukr "View, ÝÏ ÏÎÏ×ÌÀÅÔØÓÑ, ΊͦÓÔÉÔØ ÐÏ×ÎÏÇÏ ËÌÀÞÁ ÔÁÂÌÉæ(Ø), ÝÏ ×ÉËÏÒ¦ÓÔÁÎÁ × ÎØÀÏÍÕ" ER_VIEW_INVALID eng "View '%-.64s.%-.64s' references invalid table(s) or column(s) or function(s)" - rus "View '%-.64s.%-.64s' ÓÓÙÌÁÅÔÓÑ ÎÁ ÎÅÓÕÝÅÓÔ×ÕÀÝÉÅ ÔÁÂÌÉÃÙ ÉÌÉ ÓÔÏÌÂÃÙ" + rus "View '%-.64s.%-.64s' ÓÓÙÌÁÅÔÓÑ ÎÁ ÎÅÓÕÝÅÓÔ×ÕÀÝÉÅ ÔÁÂÌÉÃÙ ÉÌÉ ÓÔÏÌÂÃÙ ÉÌÉ ÆÕÎËÃÉÉ" serbian "Can't drop a %s from within another stored routine" - ukr "View '%-.64s.%-.64s' ÐÏÓÉÌÁ¤ÔÓÑ ÎÁ ÎŦÓÎÕÀÞ¦ ÔÁÂÌÉæ ÁÂÏ ÓÔÏ×Âæ" ER_SP_NO_DROP_SP eng "Can't drop a %s from within another stored routine" serbian "GOTO is not allowed in a stored procedure handler" From 8a8c2272c0eaca0e5f642e6813610ca075dbc790 Mon Sep 17 00:00:00 2001 From: unknown Date: Thu, 16 Dec 2004 16:44:40 +0200 Subject: [PATCH 23/24] Fix for BUG#7266. mysql-test/r/greedy_optimizer.result: Adjusted query costs accordingly. sql/sql_select.cc: Someone added this 0.001 cost factor to best_extension_by_limited_search(), but forgot to add it to the old version of the optimizer - find_best(). --- mysql-test/r/greedy_optimizer.result | 12 ++++++------ sql/sql_select.cc | 2 +- 2 files changed, 7 insertions(+), 7 deletions(-) diff --git a/mysql-test/r/greedy_optimizer.result b/mysql-test/r/greedy_optimizer.result index cf4f6e290d7..1da49fbedb0 100644 --- a/mysql-test/r/greedy_optimizer.result +++ b/mysql-test/r/greedy_optimizer.result @@ -129,7 +129,7 @@ id select_type table type possible_keys key key_len ref rows Extra 1 SIMPLE t7 eq_ref PRIMARY PRIMARY 4 test.t6.c62 1 Using index show status like 'Last_query_cost'; Variable_name Value -Last_query_cost 821.838037 +Last_query_cost 821.837037 explain select t1.c11 from t7, t6, t5, t4, t3, t2, t1 where t1.c12 = t2.c21 and t2.c22 = t3.c31 and t3.c32 = t4.c41 and t4.c42 = t5.c51 and t5.c52 = t6.c61 and t6.c62 = t7.c71; id select_type table type possible_keys key key_len ref rows Extra 1 SIMPLE t1 ALL NULL NULL NULL NULL 3 @@ -141,7 +141,7 @@ id select_type table type possible_keys key key_len ref rows Extra 1 SIMPLE t7 eq_ref PRIMARY PRIMARY 4 test.t6.c62 1 Using index show status like 'Last_query_cost'; Variable_name Value -Last_query_cost 821.838037 +Last_query_cost 821.837037 explain select t1.c11 from t1, t2, t3, t4, t5, t6, t7 where t1.c11 = t2.c21 and t1.c12 = t3.c31 and t1.c13 = t4.c41 and t1.c14 = t5.c51 and t1.c15 = t6.c61 and t1.c16 = t7.c71; id select_type table type possible_keys key key_len ref rows Extra 1 SIMPLE t1 ALL PRIMARY NULL NULL NULL 3 @@ -153,7 +153,7 @@ id select_type table type possible_keys key key_len ref rows Extra 1 SIMPLE t7 eq_ref PRIMARY PRIMARY 4 test.t1.c16 1 Using index show status like 'Last_query_cost'; Variable_name Value -Last_query_cost 794.838037 +Last_query_cost 794.837037 explain select t1.c11 from t7, t6, t5, t4, t3, t2, t1 where t1.c11 = t2.c21 and t1.c12 = t3.c31 and t1.c13 = t4.c41 and t1.c14 = t5.c51 and t1.c15 = t6.c61 and t1.c16 = t7.c71; id select_type table type possible_keys key key_len ref rows Extra 1 SIMPLE t1 ALL PRIMARY NULL NULL NULL 3 @@ -165,7 +165,7 @@ id select_type table type possible_keys key key_len ref rows Extra 1 SIMPLE t7 eq_ref PRIMARY PRIMARY 4 test.t1.c16 1 Using index show status like 'Last_query_cost'; Variable_name Value -Last_query_cost 794.838037 +Last_query_cost 794.837037 explain select t1.c11 from t1, t2, t3, t4, t5, t6, t7 where t1.c11 = t2.c21 and t1.c12 = t3.c31 and t1.c13 = t4.c41 and t1.c14 = t5.c51 and t1.c15 = t6.c61 and t1.c16 = t7.c71 and t2.c22 = t3.c32 and t2.c23 = t4.c42 and t2.c24 = t5.c52 and t2.c25 = t6.c62 and t2.c26 = t7.c72 and t3.c33 = t4.c43 and t3.c34 = t5.c53 and t3.c35 = t6.c63 and t3.c36 = t7.c73 and t4.c42 = t5.c54 and t4.c43 = t6.c64 and t4.c44 = t7.c74 and t5.c52 = t6.c65 and t5.c53 = t7.c75 and t6.c62 = t7.c76; id select_type table type possible_keys key key_len ref rows Extra 1 SIMPLE t1 ALL PRIMARY NULL NULL NULL 3 @@ -177,7 +177,7 @@ id select_type table type possible_keys key key_len ref rows Extra 1 SIMPLE t7 eq_ref PRIMARY PRIMARY 4 test.t1.c16 1 Using where show status like 'Last_query_cost'; Variable_name Value -Last_query_cost 794.838037 +Last_query_cost 794.837037 explain select t1.c11 from t7, t6, t5, t4, t3, t2, t1 where t1.c11 = t2.c21 and t1.c12 = t3.c31 and t1.c13 = t4.c41 and t1.c14 = t5.c51 and t1.c15 = t6.c61 and t1.c16 = t7.c71 and t2.c22 = t3.c32 and t2.c23 = t4.c42 and t2.c24 = t5.c52 and t2.c25 = t6.c62 and t2.c26 = t7.c72 and t3.c33 = t4.c43 and t3.c34 = t5.c53 and t3.c35 = t6.c63 and t3.c36 = t7.c73 and t4.c42 = t5.c54 and t4.c43 = t6.c64 and t4.c44 = t7.c74 and t5.c52 = t6.c65 and t5.c53 = t7.c75 and t6.c62 = t7.c76; id select_type table type possible_keys key key_len ref rows Extra 1 SIMPLE t1 ALL PRIMARY NULL NULL NULL 3 @@ -189,7 +189,7 @@ id select_type table type possible_keys key key_len ref rows Extra 1 SIMPLE t7 eq_ref PRIMARY PRIMARY 4 test.t1.c16 1 Using where show status like 'Last_query_cost'; Variable_name Value -Last_query_cost 794.838037 +Last_query_cost 794.837037 set optimizer_prune_level=0; select @@optimizer_prune_level; @@optimizer_prune_level diff --git a/sql/sql_select.cc b/sql/sql_select.cc index 13f556efa16..e9097370664 100644 --- a/sql/sql_select.cc +++ b/sql/sql_select.cc @@ -4252,7 +4252,7 @@ find_best(JOIN *join,table_map rest_tables,uint idx,double record_count, { memcpy((gptr) join->best_positions,(gptr) join->positions, sizeof(POSITION)*idx); - join->best_read=read_time; + join->best_read= read_time - 0.001; } return; } From 2ae67b0211c5bf61d7077ccc11572ba822b6560d Mon Sep 17 00:00:00 2001 From: unknown Date: Thu, 16 Dec 2004 21:21:13 +0200 Subject: [PATCH 24/24] Removed incorrect messages; fixed serbian messages. sql/share/errmsg.txt: Removed incorrect error messages; Fixed serbian messages. --- sql/share/errmsg.txt | 444 +++---------------------------------------- 1 file changed, 28 insertions(+), 416 deletions(-) diff --git a/sql/share/errmsg.txt b/sql/share/errmsg.txt index 06f4b0fc0b2..c93e203f0d5 100644 --- a/sql/share/errmsg.txt +++ b/sql/share/errmsg.txt @@ -4011,22 +4011,14 @@ ER_DUMP_NOT_IMPLEMENTED dan "Denne tabeltype unserstøtter ikke binært tabeldump" nla "De 'handler' voor de tabel ondersteund geen binaire tabel dump" eng "The storage engine for the table does not support binary table dump" - est "The handler for the table does not support binary table dump" fre "Ce type de table ne supporte pas les copies binaires" ger "Die Speicher-Engine für die Tabelle unterstützt keinen binären Tabellen-Dump" - greek "The handler for the table does not support binary table dump" - hun "The handler for the table does not support binary table dump" ita "Il gestore per la tabella non supporta il dump binario" jpn "The handler for the table does not support binary table dump" - kor "The handler for the table does not support binary table dump" - nor "The handler for the table does not support binary table dump" - norwegian-ny "The handler for the table does not support binary table dump" - pol "The handler for the table does not support binary table dump" por "O manipulador de tabela não suporta 'dump' binário de tabela" rum "The handler for the table does not support binary table dump" rus "ïÂÒÁÂÏÔÞÉË ÜÔÏÊ ÔÁÂÌÉÃÙ ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔ Ä×ÏÉÞÎÏÇÏ ÓÏÈÒÁÎÅÎÉÑ ÏÂÒÁÚÁ ÔÁÂÌÉÃÙ (dump)" serbian "Handler tabele ne podržava binarni dump tabele" - slo "The handler for the table does not support binary table dump" spa "El manipulador de tabla no soporta dump para tabla binaria" swe "Tabellhanteraren klarar inte en binär kopiering av tabellen" ukr "ãÅÊ ÔÉÐ ÔÁÂÌÉæ ΊЦÄÔÒÉÍÕ¤ ¦ÎÁÒÎÕ ÐÅÒÅÄÁÞÕ ÔÁÂÌÉæ" @@ -4059,24 +4051,15 @@ ER_INDEX_REBUILD dan "Kunne ikke genopbygge indekset for den dumpede tabel '%-.64s'" nla "Gefaald tijdens heropbouw index van gedumpte tabel '%-.64s'" eng "Failed rebuilding the index of dumped table '%-.64s'" - est "Failed rebuilding the index of dumped table '%-.64s'" fre "La reconstruction de l'index de la table copiée '%-.64s' a échoué" ger "Neuerstellung des Indizes der Dump-Tabelle '%-.64s' fehlgeschlagen" greek "Failed rebuilding the index of dumped table '%-.64s'" hun "Failed rebuilding the index of dumped table '%-.64s'" ita "Fallita la ricostruzione dell'indice della tabella copiata '%-.64s'" - jpn "Failed rebuilding the index of dumped table '%-.64s'" - kor "Failed rebuilding the index of dumped table '%-.64s'" - nor "Failed rebuilding the index of dumped table '%-.64s'" - norwegian-ny "Failed rebuilding the index of dumped table '%-.64s'" - pol "Failed rebuilding the index of dumped table '%-.64s'" por "Falhou na reconstrução do índice da tabela 'dumped' '%-.64s'" - rum "Failed rebuilding the index of dumped table '%-.64s'" rus "ïÛÉÂËÁ ÐÅÒÅÓÔÒÏÊËÉ ÉÎÄÅËÓÁ ÓÏÈÒÁÎÅÎÎÏÊ ÔÁÂÌÉÃÙ '%-.64s'" serbian "Izgradnja indeksa dump-ovane tabele '%-.64s' nije uspela" - slo "Failed rebuilding the index of dumped table '%-.64s'" spa "Falla reconstruyendo el indice de la tabla dumped '%-.64s'" - swe "Failed rebuilding the index of dumped table '%-.64s'" ukr "îÅ×ÄÁÌŠצÄÎÏ×ÌÅÎÎÑ ¦ÎÄÅËÓÁ ÐÅÒÅÄÁÎϧ ÔÁÂÌÉæ '%-.64s'" ER_MASTER cze "Chyba masteru: '%-.64s'" @@ -4219,7 +4202,6 @@ ER_TRANS_CACHE_FULL ita "La transazione a comandi multipli (multi-statement) ha richiesto piu` di 'max_binlog_cache_size' bytes di disco: aumentare questa variabile di mysqld e riprovare" por "Transações multi-declaradas (multi-statement transactions) requeriram mais do que o valor limite (max_binlog_cache_size) de bytes para armazenagem. Aumente o valor desta variável do mysqld e tente novamente" rus "ôÒÁÎÚÁËÃÉÉ, ×ËÌÀÞÁÀÝÅÊ ÂÏÌØÛÏÅ ËÏÌÉÞÅÓÔ×Ï ËÏÍÁÎÄ, ÐÏÔÒÅÂÏ×ÁÌÏÓØ ÂÏÌÅÅ ÞÅÍ 'max_binlog_cache_size' ÂÁÊÔ. õ×ÅÌÉÞØÔÅ ÜÔÕ ÐÅÒÅÍÅÎÎÕÀ ÓÅÒ×ÅÒÁ mysqld É ÐÏÐÒÏÂÕÊÔÅ ÅÝÅ ÒÁÚ" - serbian "Ova operacija ne može biti izvršena dok je aktivan podreðeni server. Zadajte prvo komandu 'STOP SLAVE' da zaustavite podreðeni server." spa "Multipla transición necesita mas que 'max_binlog_cache_size' bytes de almacenamiento. Aumente esta variable mysqld y tente de nuevo" swe "Transaktionen krävde mera än 'max_binlog_cache_size' minne. Öka denna mysqld-variabel och försök på nytt" ukr "ôÒÁÎÚÁËÃ¦Ñ Ú ÂÁÇÁÔØÍÁ ×ÉÒÁÚÁÍÉ ×ÉÍÁÇÁ¤ Â¦ÌØÛÅ Î¦Ö 'max_binlog_cache_size' ÂÁÊÔ¦× ÄÌÑ ÚÂÅÒ¦ÇÁÎÎÑ. úÂ¦ÌØÛÔÅ ÃÀ ÚͦÎÎÕ mysqld ÔÁ ÓÐÒÏÂÕÊÔÅ ÚÎÏ×Õ" @@ -4232,8 +4214,7 @@ ER_SLAVE_MUST_STOP ita "Questa operazione non puo' essere eseguita con un database 'slave' che gira, lanciare prima STOP SLAVE" por "Esta operação não pode ser realizada com um 'slave' em execução. Execute STOP SLAVE primeiro" rus "üÔÕ ÏÐÅÒÁÃÉÀ ÎÅ×ÏÚÍÏÖÎÏ ×ÙÐÏÌÎÉÔØ ÐÒÉ ÒÁÂÏÔÁÀÝÅÍ ÐÏÔÏËÅ ÐÏÄÞÉÎÅÎÎÏÇÏ ÓÅÒ×ÅÒÁ. óÎÁÞÁÌÁ ×ÙÐÏÌÎÉÔÅ STOP SLAVE" - serbian "Ova operacija zahteva da je aktivan podreðeni server. Konfigurišite prvo podreðeni server i onda izvršite komandu 'START SLAVE'" - slo "This operation cannot be performed with a running slave, run STOP SLAVE first" + serbian "Ova operacija ne može biti izvršena dok je aktivan podreðeni server. Zadajte prvo komandu 'STOP SLAVE' da zaustavite podreðeni server." spa "Esta operación no puede ser hecha con el esclavo funcionando, primero use STOP SLAVE" swe "Denna operation kan inte göras under replikering; Gör STOP SLAVE först" ukr "ïÐÅÒÁÃ¦Ñ ÎÅ ÍÏÖÅ ÂÕÔÉ ×ÉËÏÎÁÎÁ Ú ÚÁÐÕÝÅÎÉÍ Ð¦ÄÌÅÇÌÉÍ, ÓÐÏÞÁÔËÕ ×ÉËÏÎÁÊÔÅ STOP SLAVE" @@ -4246,8 +4227,7 @@ ER_SLAVE_NOT_RUNNING ita "Questa operaione richiede un database 'slave', configurarlo ed eseguire START SLAVE" por "Esta operação requer um 'slave' em execução. Configure o 'slave' e execute START SLAVE" rus "äÌÑ ÜÔÏÊ ÏÐÅÒÁÃÉÉ ÔÒÅÂÕÅÔÓÑ ÒÁÂÏÔÁÀÝÉÊ ÐÏÄÞÉÎÅÎÎÙÊ ÓÅÒ×ÅÒ. óÎÁÞÁÌÁ ×ÙÐÏÌÎÉÔÅ START SLAVE" - serbian "Server nije konfigurisan kao podreðeni server, ispravite konfiguracioni file ili na njemu izvršite komandu 'CHANGE MASTER TO'" - slo "This operation requires a running slave, configure slave and do START SLAVE" + serbian "Ova operacija zahteva da je aktivan podreðeni server. Konfigurišite prvo podreðeni server i onda izvršite komandu 'START SLAVE'" spa "Esta operación necesita el esclavo funcionando, configure esclavo y haga el START SLAVE" swe "Denna operation kan endast göras under replikering; Konfigurera slaven och gör START SLAVE" ukr "ïÐÅÒÁÃ¦Ñ ×ÉÍÁÇÁ¤ ÚÁÐÕÝÅÎÏÇÏ Ð¦ÄÌÅÇÌÏÇÏ, ÚËÏÎÆ¦ÇÕÒÕÊÔŠЦÄÌÅÇÌÏÇÏ ÔÁ ×ÉËÏÎÁÊÔÅ START SLAVE" @@ -4260,25 +4240,15 @@ ER_BAD_SLAVE ita "Il server non e' configurato come 'slave', correggere il file di configurazione cambiando CHANGE MASTER TO" por "O servidor não está configurado como 'slave'. Acerte o arquivo de configuração ou use CHANGE MASTER TO" rus "üÔÏÔ ÓÅÒ×ÅÒ ÎÅ ÎÁÓÔÒÏÅÎ ËÁË ÐÏÄÞÉÎÅÎÎÙÊ. ÷ÎÅÓÉÔÅ ÉÓÐÒÁ×ÌÅÎÉÑ × ËÏÎÆÉÇÕÒÁÃÉÏÎÎÏÍ ÆÁÊÌÅ ÉÌÉ Ó ÐÏÍÏÝØÀ CHANGE MASTER TO" - serbian "Nisam mogao da inicijalizujem informacionu strukturu glavnog servera, proverite da li imam privilegije potrebne za pristup file-u 'master.info'" - slo "The server is not configured as slave, fix in config file or with CHANGE MASTER TO" + serbian "Server nije konfigurisan kao podreðeni server, ispravite konfiguracioni file ili na njemu izvršite komandu 'CHANGE MASTER TO'" spa "El servidor no está configurado como esclavo, edite el archivo config file o con CHANGE MASTER TO" swe "Servern är inte konfigurerade som en replikationsslav. Ändra konfigurationsfilen eller gör CHANGE MASTER TO" ukr "óÅÒ×ÅÒ ÎÅ ÚËÏÎÆ¦ÇÕÒÏ×ÁÎÏ ÑË Ð¦ÄÌÅÇÌÉÊ, ×ÉÐÒÁ×ÔÅ ÃÅ Õ ÆÁÊ̦ ËÏÎÆ¦ÇÕÒÁæ§ ÁÂÏ Ú CHANGE MASTER TO" ER_MASTER_INFO - dan "Could not initialize master info structure, more error messages can be found in the MySQL error log" - nla "Could not initialize master info structure, more error messages can be found in the MySQL error log" eng "Could not initialize master info structure; more error messages can be found in the MySQL error log" fre "Impossible d'initialiser les structures d'information de maître, vous trouverez des messages d'erreur supplémentaires dans le journal des erreurs de MySQL" - ger "Could not initialize master info structure, more error messages can be found in the MySQL error log" - ita "Could not initialize master info structure, more error messages can be found in the MySQL error log" - por "Could not initialize master info structure, more error messages can be found in the MySQL error log" - rus "Could not initialize master info structure, more error messages can be found in the MySQL error log" - serbian "Nisam mogao da startujem thread za podreðeni server, proverite sistemske resurse" - slo "Could not initialize master info structure, more error messages can be found in the MySQL error log" - spa "Could not initialize master info structure, more error messages can be found in the MySQL error log" + serbian "Nisam mogao da inicijalizujem informacionu strukturu glavnog servera, proverite da li imam privilegije potrebne za pristup file-u 'master.info'" swe "Kunde inte initialisera replikationsstrukturerna. See MySQL fel fil för mera information" - ukr "Could not initialize master info structure, more error messages can be found in the MySQL error log" ER_SLAVE_THREAD dan "Kunne ikke danne en slave-tråd; check systemressourcerne" nla "Kon slave thread niet aanmaken, controleer systeem resources" @@ -4288,8 +4258,8 @@ ER_SLAVE_THREAD ita "Impossibile creare il thread 'slave', controllare le risorse di sistema" por "Não conseguiu criar 'thread' de 'slave'. Verifique os recursos do sistema" rus "îÅ×ÏÚÍÏÖÎÏ ÓÏÚÄÁÔØ ÐÏÔÏË ÐÏÄÞÉÎÅÎÎÏÇÏ ÓÅÒ×ÅÒÁ. ðÒÏ×ÅÒØÔÅ ÓÉÓÔÅÍÎÙÅ ÒÅÓÕÒÓÙ" - serbian "Korisnik %-.64s veæ ima više aktivnih konekcija nego što je to odreðeno 'max_user_connections' promenljivom" slo "Could not create slave thread, check system resources" + serbian "Nisam mogao da startujem thread za podreðeni server, proverite sistemske resurse" spa "No puedo crear el thread esclavo, verifique recursos del sistema" swe "Kunde inte starta en tråd för replikering" ukr "îÅ ÍÏÖÕ ÓÔ×ÏÒÉÔÉ Ð¦ÄÌÅÇÌÕ Ç¦ÌËÕ, ÐÅÒÅצÒÔÅ ÓÉÓÔÅÍΦ ÒÅÓÕÒÓÉ" @@ -4303,7 +4273,7 @@ ER_TOO_MANY_USER_CONNECTIONS 42000 ita "L'utente %-.64s ha gia' piu' di 'max_user_connections' connessioni attive" por "Usuário '%-.64s' já possui mais que o valor máximo de conexões (max_user_connections) ativas" rus "õ ÐÏÌØÚÏ×ÁÔÅÌÑ %-.64s ÕÖÅ ÂÏÌØÛÅ ÞÅÍ 'max_user_connections' ÁËÔÉ×ÎÙÈ ÓÏÅÄÉÎÅÎÉÊ" - serbian "Možete upotrebiti samo konstantan iskaz sa komandom 'SET'" + serbian "Korisnik %-.64s veæ ima više aktivnih konekcija nego što je to odreðeno 'max_user_connections' promenljivom" spa "Usario %-.64s ya tiene mas que 'max_user_connections' conexiones activas" swe "Användare '%-.64s' har redan 'max_user_connections' aktiva inloggningar" ukr "ëÏÒÉÓÔÕ×ÁÞ %-.64s ×ÖÅ ÍÁ¤ Â¦ÌØÛÅ Î¦Ö 'max_user_connections' ÁËÔÉ×ÎÉÈ Ú'¤ÄÎÁÎØ" @@ -4317,7 +4287,7 @@ ER_SET_CONSTANTS_ONLY ita "Si possono usare solo espressioni costanti con SET" por "Você pode usar apenas expressões constantes com SET" rus "÷Ù ÍÏÖÅÔÅ ÉÓÐÏÌØÚÏ×ÁÔØ × SET ÔÏÌØËÏ ËÏÎÓÔÁÎÔÎÙÅ ×ÙÒÁÖÅÎÉÑ" - serbian "Vremenski limit za zakljuèavanje tabele je istekao; Probajte da ponovo startujete transakciju" + serbian "Možete upotrebiti samo konstantan iskaz sa komandom 'SET'" spa "Tu solo debes usar expresiones constantes con SET" swe "Man kan endast använda konstantuttryck med SET" ukr "íÏÖÎÁ ×ÉËÏÒÉÓÔÏ×Õ×ÁÔÉ ÌÉÛÅ ×ÉÒÁÚÉ Ú¦ ÓÔÁÌÉÍÉ Õ SET" @@ -4331,7 +4301,7 @@ ER_LOCK_WAIT_TIMEOUT ita "E' scaduto il timeout per l'attesa del lock" por "Tempo de espera (timeout) de travamento excedido. Tente reiniciar a transação." rus "ôÁÊÍÁÕÔ ÏÖÉÄÁÎÉÑ ÂÌÏËÉÒÏ×ËÉ ÉÓÔÅË; ÐÏÐÒÏÂÕÊÔÅ ÐÅÒÅÚÁÐÕÓÔÉÔØ ÔÒÁÎÚÁËÃÉÀ" - serbian "Broj totalnih zakljuèavanja tabele premašuje velièinu tabele zakljuèavanja" + serbian "Vremenski limit za zakljuèavanje tabele je istekao; Probajte da ponovo startujete transakciju" spa "Tiempo de bloqueo de espera excedido" swe "Fick inte ett lås i tid ; Försök att starta om transaktionen" ukr "úÁÔÒÉÍËÕ ÏÞ¦ËÕ×ÁÎÎÑ ÂÌÏËÕ×ÁÎÎÑ ×ÉÞÅÒÐÁÎÏ" @@ -4345,7 +4315,7 @@ ER_LOCK_TABLE_FULL ita "Il numero totale di lock e' maggiore della grandezza della tabella di lock" por "O número total de travamentos excede o tamanho da tabela de travamentos" rus "ïÂÝÅÅ ËÏÌÉÞÅÓÔ×Ï ÂÌÏËÉÒÏ×ÏË ÐÒÅ×ÙÓÉÌÏ ÒÁÚÍÅÒÙ ÔÁÂÌÉÃÙ ÂÌÏËÉÒÏ×ÏË" - serbian "Zakljuèavanja izmena ne mogu biti realizovana sve dok traje 'READ UNCOMMITTED' transakcija" + serbian "Broj totalnih zakljuèavanja tabele premašuje velièinu tabele zakljuèavanja" spa "El número total de bloqueos excede el tamaño de bloqueo de la tabla" swe "Antal lås överskrider antalet reserverade lås" ukr "úÁÇÁÌØÎÁ Ë¦ÌØË¦ÓÔØ ÂÌÏËÕ×ÁÎØ ÐÅÒÅ×ÉÝÉÌÁ ÒÏÚÍ¦Ò ÂÌÏËÕ×ÁÎØ ÄÌÑ ÔÁÂÌÉæ" @@ -4359,7 +4329,7 @@ ER_READ_ONLY_TRANSACTION 25000 ita "I lock di aggiornamento non possono essere acquisiti durante una transazione 'READ UNCOMMITTED'" por "Travamentos de atualização não podem ser obtidos durante uma transação de tipo READ UNCOMMITTED" rus "âÌÏËÉÒÏ×ËÉ ÏÂÎÏ×ÌÅÎÉÊ ÎÅÌØÚÑ ÐÏÌÕÞÉÔØ × ÐÒÏÃÅÓÓÅ ÞÔÅÎÉÑ ÎÅ ÐÒÉÎÑÔÏÊ (× ÒÅÖÉÍÅ READ UNCOMMITTED) ÔÒÁÎÚÁËÃÉÉ" - serbian "Komanda 'DROP DATABASE' nije dozvoljena dok thread globalno zakljuèava èitanje podataka" + serbian "Zakljuèavanja izmena ne mogu biti realizovana sve dok traje 'READ UNCOMMITTED' transakcija" spa "Bloqueos de actualización no pueden ser adqueridos durante una transición READ UNCOMMITTED" swe "Updateringslås kan inte göras när man använder READ UNCOMMITTED" ukr "ïÎÏ×ÉÔÉ ÂÌÏËÕ×ÁÎÎÑ ÎÅ ÍÏÖÌÉ×Ï ÎÁ ÐÒÏÔÑÚ¦ ÔÒÁÎÚÁËæ§ READ UNCOMMITTED" @@ -4373,7 +4343,7 @@ ER_DROP_DB_WITH_READ_LOCK ita "DROP DATABASE non e' permesso mentre il thread ha un lock globale di lettura" por "DROP DATABASE não permitido enquanto uma 'thread' está mantendo um travamento global de leitura" rus "îÅ ÄÏÐÕÓËÁÅÔÓÑ DROP DATABASE, ÐÏËÁ ÐÏÔÏË ÄÅÒÖÉÔ ÇÌÏÂÁÌØÎÕÀ ÂÌÏËÉÒÏ×ËÕ ÞÔÅÎÉÑ" - serbian "Komanda 'CREATE DATABASE' nije dozvoljena dok thread globalno zakljuèava èitanje podataka" + serbian "Komanda 'DROP DATABASE' nije dozvoljena dok thread globalno zakljuèava èitanje podataka" spa "DROP DATABASE no permitido mientras un thread está ejerciendo un bloqueo de lectura global" swe "DROP DATABASE är inte tillåtet när man har ett globalt läslås" ukr "DROP DATABASE ÎÅ ÄÏÚ×ÏÌÅÎÏ ÄÏËÉ Ç¦ÌËÁ ÐÅÒÅÂÕ×Á¤ Ð¦Ä ÚÁÇÁÌØÎÉÍ ÂÌÏËÕ×ÁÎÎÑÍ ÞÉÔÁÎÎÑ" @@ -4387,7 +4357,7 @@ ER_CREATE_DB_WITH_READ_LOCK ita "CREATE DATABASE non e' permesso mentre il thread ha un lock globale di lettura" por "CREATE DATABASE não permitido enquanto uma 'thread' está mantendo um travamento global de leitura" rus "îÅ ÄÏÐÕÓËÁÅÔÓÑ CREATE DATABASE, ÐÏËÁ ÐÏÔÏË ÄÅÒÖÉÔ ÇÌÏÂÁÌØÎÕÀ ÂÌÏËÉÒÏ×ËÕ ÞÔÅÎÉÑ" - serbian "Pogrešni argumenti prosleðeni na %s" + serbian "Komanda 'CREATE DATABASE' nije dozvoljena dok thread globalno zakljuèava èitanje podataka" spa "CREATE DATABASE no permitido mientras un thread está ejerciendo un bloqueo de lectura global" swe "CREATE DATABASE är inte tillåtet när man har ett globalt läslås" ukr "CREATE DATABASE ÎÅ ÄÏÚ×ÏÌÅÎÏ ÄÏËÉ Ç¦ÌËÁ ÐÅÒÅÂÕ×Á¤ Ð¦Ä ÚÁÇÁÌØÎÉÍ ÂÌÏËÕ×ÁÎÎÑÍ ÞÉÔÁÎÎÑ" @@ -4400,7 +4370,7 @@ ER_WRONG_ARGUMENTS ita "Argomenti errati a %s" por "Argumentos errados para %s" rus "îÅ×ÅÒÎÙÅ ÐÁÒÁÍÅÔÒÙ ÄÌÑ %s" - serbian "Korisniku '%-.32s'@'%-.64s' nije dozvoljeno da kreira nove korisnike" + serbian "Pogrešni argumenti prosleðeni na %s" spa "Argumentos errados para %s" swe "Felaktiga argument till %s" ukr "èÉÂÎÉÊ ÁÒÇÕÍÅÎÔ ÄÌÑ %s" @@ -4413,7 +4383,7 @@ ER_NO_PERMISSION_TO_CREATE_USER 42000 ita "A '%-.32s'@'%-.64s' non e' permesso creare nuovi utenti" por "Não é permitido a '%-.32s'@'%-.64s' criar novos usuários" rus "'%-.32s'@'%-.64s' ÎÅ ÒÁÚÒÅÛÁÅÔÓÑ ÓÏÚÄÁ×ÁÔØ ÎÏ×ÙÈ ÐÏÌØÚÏ×ÁÔÅÌÅÊ" - serbian "Pogrešna definicija tabele; sve 'MERGE' tabele moraju biti u istoj bazi podataka" + serbian "Korisniku '%-.32s'@'%-.64s' nije dozvoljeno da kreira nove korisnike" spa "'%-.32s`@`%-.64s` no es permitido para crear nuevos usuarios" swe "'%-.32s'@'%-.64s' har inte rättighet att skapa nya användare" ukr "ëÏÒÉÓÔÕ×ÁÞÕ '%-.32s'@'%-.64s' ÎÅ ÄÏÚ×ÏÌÅÎÏ ÓÔ×ÏÒÀ×ÁÔÉ ÎÏ×ÉÈ ËÏÒÉÓÔÕ×ÁÞ¦×" @@ -4426,7 +4396,7 @@ ER_UNION_TABLES_IN_DIFFERENT_DIR ita "Definizione della tabella errata; tutte le tabelle di tipo MERGE devono essere nello stesso database" por "Definição incorreta da tabela. Todas as tabelas contidas na junção devem estar no mesmo banco de dados." rus "îÅ×ÅÒÎÏÅ ÏÐÒÅÄÅÌÅÎÉÅ ÔÁÂÌÉÃÙ; ÷ÓÅ ÔÁÂÌÉÃÙ × MERGE ÄÏÌÖÎÙ ÐÒÉÎÁÄÌÅÖÁÔØ ÏÄÎÏÊ É ÔÏÊ ÖÅ ÂÁÚÅ ÄÁÎÎÙÈ" - serbian "Unakrsno zakljuèavanje pronaðeno kada sam pokušao da dobijem pravo na zakljuèavanje; Probajte da restartujete transakciju" + serbian "Pogrešna definicija tabele; sve 'MERGE' tabele moraju biti u istoj bazi podataka" spa "Incorrecta definición de la tabla; Todas las tablas MERGE deben estar en el mismo banco de datos" swe "Felaktig tabelldefinition; alla tabeller i en MERGE-tabell måste vara i samma databas" ER_LOCK_DEADLOCK 40001 @@ -4438,10 +4408,9 @@ ER_LOCK_DEADLOCK 40001 ita "Trovato deadlock durante il lock; Provare a far ripartire la transazione" por "Encontrado um travamento fatal (deadlock) quando tentava obter uma trava. Tente reiniciar a transação." rus "÷ÏÚÎÉËÌÁ ÔÕÐÉËÏ×ÁÑ ÓÉÔÕÁÃÉÑ × ÐÒÏÃÅÓÓÅ ÐÏÌÕÞÅÎÉÑ ÂÌÏËÉÒÏ×ËÉ; ðÏÐÒÏÂÕÊÔÅ ÐÅÒÅÚÁÐÕÓÔÉÔØ ÔÒÁÎÚÁËÃÉÀ" - serbian "Upotrebljeni tip tabele ne podržava 'FULLTEXT' indekse" + serbian "Unakrsno zakljuèavanje pronaðeno kada sam pokušao da dobijem pravo na zakljuèavanje; Probajte da restartujete transakciju" spa "Encontrado deadlock cuando tentando obtener el bloqueo; Tente recomenzar la transición" swe "Fick 'DEADLOCK' vid låsförsök av block/rad. Försök att starta om transaktionen" - ukr "Deadlock found when trying to get lock; Try restarting transaction" ER_TABLE_CANT_HANDLE_FT nla "Het gebruikte tabel type ondersteund geen FULLTEXT indexen" eng "The used table type doesn't support FULLTEXT indexes" @@ -4451,7 +4420,7 @@ ER_TABLE_CANT_HANDLE_FT ita "La tabella usata non supporta gli indici FULLTEXT" por "O tipo de tabela utilizado não suporta índices de texto completo (fulltext indexes)" rus "éÓÐÏÌØÚÕÅÍÙÊ ÔÉÐ ÔÁÂÌÉà ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔ ÐÏÌÎÏÔÅËÓÔÏ×ÙÈ ÉÎÄÅËÓÏ×" - serbian "Ne mogu da dodam proveru spoljnog kljuèa" + serbian "Upotrebljeni tip tabele ne podržava 'FULLTEXT' indekse" spa "El tipo de tabla usada no soporta índices FULLTEXT" swe "Tabelltypen har inte hantering av FULLTEXT-index" ukr "÷ÉËÏÒÉÓÔÁÎÉÊ ÔÉÐ ÔÁÂÌÉæ ΊЦÄÔÒÉÍÕ¤ FULLTEXT ¦ÎÄÅËÓ¦×" @@ -4463,55 +4432,34 @@ ER_CANNOT_ADD_FOREIGN ita "Impossibile aggiungere il vincolo di integrita' referenziale (foreign key constraint)" por "Não pode acrescentar uma restrição de chave estrangeira" rus "îÅ×ÏÚÍÏÖÎÏ ÄÏÂÁ×ÉÔØ ÏÇÒÁÎÉÞÅÎÉÑ ×ÎÅÛÎÅÇÏ ËÌÀÞÁ" - serbian "Ne mogu da dodam slog: provera spoljnog kljuèa je neuspela" + serbian "Ne mogu da dodam proveru spoljnog kljuèa" spa "No puede adicionar clave extranjera constraint" swe "Kan inte lägga till 'FOREIGN KEY constraint'" ER_NO_REFERENCED_ROW 23000 - dan "Cannot add a child row: a foreign key constraint fails" nla "Kan onderliggende rij niet toevoegen: foreign key beperking gefaald" eng "Cannot add or update a child row: a foreign key constraint fails" - est "Cannot add a child row: a foreign key constraint fails" fre "Impossible d'ajouter un enregistrement fils : une constrainte externe l'empèche" ger "Hinzufügen eines Kind-Datensatzes schlug aufgrund einer Fremdschlüssel-Beschränkung fehl" greek "Cannot add a child row: a foreign key constraint fails" hun "Cannot add a child row: a foreign key constraint fails" ita "Impossibile aggiungere la riga: un vincolo d'integrita' referenziale non e' soddisfatto" - jpn "Cannot add a child row: a foreign key constraint fails" - kor "Cannot add a child row: a foreign key constraint fails" - nor "Cannot add a child row: a foreign key constraint fails" norwegian-ny "Cannot add a child row: a foreign key constraint fails" - pol "Cannot add a child row: a foreign key constraint fails" por "Não pode acrescentar uma linha filha: uma restrição de chave estrangeira falhou" - rum "Cannot add a child row: a foreign key constraint fails" rus "îÅ×ÏÚÍÏÖÎÏ ÄÏÂÁ×ÉÔØ ÉÌÉ ÏÂÎÏ×ÉÔØ ÄÏÞÅÒÎÀÀ ÓÔÒÏËÕ: ÐÒÏ×ÅÒËÁ ÏÇÒÁÎÉÞÅÎÉÊ ×ÎÅÛÎÅÇÏ ËÌÀÞÁ ÎÅ ×ÙÐÏÌÎÑÅÔÓÑ" - serbian "Ne mogu da izbrišem roditeljski slog: provera spoljnog kljuèa je neuspela" - slo "Cannot add a child row: a foreign key constraint fails" spa "No puede adicionar una línea hijo: falla de clave extranjera constraint" swe "FOREIGN KEY-konflikt: Kan inte skriva barn" - ukr "Cannot add a child row: a foreign key constraint fails" ER_ROW_IS_REFERENCED 23000 - dan "Cannot delete a parent row: a foreign key constraint fails" - nla "Kan bovenliggende rij nite verwijderen: foreign key beperking gefaald" eng "Cannot delete or update a parent row: a foreign key constraint fails" - est "Cannot delete a parent row: a foreign key constraint fails" fre "Impossible de supprimer un enregistrement père : une constrainte externe l'empèche" ger "Löschen eines Eltern-Datensatzes schlug aufgrund einer Fremdschlüssel-Beschränkung fehl" greek "Cannot delete a parent row: a foreign key constraint fails" hun "Cannot delete a parent row: a foreign key constraint fails" ita "Impossibile cancellare la riga: un vincolo d'integrita' referenziale non e' soddisfatto" - jpn "Cannot delete a parent row: a foreign key constraint fails" - kor "Cannot delete a parent row: a foreign key constraint fails" - nor "Cannot delete a parent row: a foreign key constraint fails" - norwegian-ny "Cannot delete a parent row: a foreign key constraint fails" - pol "Cannot delete a parent row: a foreign key constraint fails" por "Não pode apagar uma linha pai: uma restrição de chave estrangeira falhou" - rum "Cannot delete a parent row: a foreign key constraint fails" rus "îÅ×ÏÚÍÏÖÎÏ ÕÄÁÌÉÔØ ÉÌÉ ÏÂÎÏ×ÉÔØ ÒÏÄÉÔÅÌØÓËÕÀ ÓÔÒÏËÕ: ÐÒÏ×ÅÒËÁ ÏÇÒÁÎÉÞÅÎÉÊ ×ÎÅÛÎÅÇÏ ËÌÀÞÁ ÎÅ ×ÙÐÏÌÎÑÅÔÓÑ" - serbian "Greška pri povezivanju sa glavnim serverom u klasteru: %-.128s" - slo "Cannot delete a parent row: a foreign key constraint fails" + serbian "Ne mogu da izbrišem roditeljski slog: provera spoljnog kljuèa je neuspela" spa "No puede deletar una línea padre: falla de clave extranjera constraint" swe "FOREIGN KEY-konflikt: Kan inte radera fader" - ukr "Cannot delete a parent row: a foreign key constraint fails" ER_CONNECT_TO_MASTER 08S01 nla "Fout bij opbouwen verbinding naar master: %-.128s" eng "Error connecting to master: %-.128s" @@ -4519,7 +4467,6 @@ ER_CONNECT_TO_MASTER 08S01 ita "Errore durante la connessione al master: %-.128s" por "Erro conectando com o master: %-.128s" rus "ïÛÉÂËÁ ÓÏÅÄÉÎÅÎÉÑ Ó ÇÏÌÏ×ÎÙÍ ÓÅÒ×ÅÒÏÍ: %-.128s" - serbian "Greška pri izvršavanju upita na glavnom serveru u klasteru: %-.128s" spa "Error de coneccion a master: %-.128s" swe "Fick fel vid anslutning till master: %-.128s" ER_QUERY_ON_MASTER @@ -4529,7 +4476,6 @@ ER_QUERY_ON_MASTER ita "Errore eseguendo una query sul master: %-.128s" por "Erro rodando consulta no master: %-.128s" rus "ïÛÉÂËÁ ×ÙÐÏÌÎÅÎÉÑ ÚÁÐÒÏÓÁ ÎÁ ÇÏÌÏ×ÎÏÍ ÓÅÒ×ÅÒÅ: %-.128s" - serbian "Greška pri izvršavanju komande %s: %-.128s" spa "Error executando el query en master: %-.128s" swe "Fick fel vid utförande av command på mastern: %-.128s" ER_ERROR_WHEN_EXECUTING_COMMAND @@ -4540,7 +4486,7 @@ ER_ERROR_WHEN_EXECUTING_COMMAND ita "Errore durante l'esecuzione del comando %s: %-.128s" por "Erro quando executando comando %s: %-.128s" rus "ïÛÉÂËÁ ÐÒÉ ×ÙÐÏÌÎÅÎÉÉ ËÏÍÁÎÄÙ %s: %-.128s" - serbian "Pogrešna upotreba %s i %s" + serbian "Greška pri izvršavanju komande %s: %-.128s" spa "Error de %s: %-.128s" swe "Fick fel vid utförande av %s: %-.128s" ER_WRONG_USAGE @@ -4551,7 +4497,7 @@ ER_WRONG_USAGE ita "Uso errato di %s e %s" por "Uso errado de %s e %s" rus "îÅ×ÅÒÎÏÅ ÉÓÐÏÌØÚÏ×ÁÎÉÅ %s É %s" - serbian "Upotrebljene 'SELECT' komande adresiraju razlièit broj kolona" + serbian "Pogrešna upotreba %s i %s" spa "Equivocado uso de %s y %s" swe "Felaktig använding av %s and %s" ukr "Wrong usage of %s and %s" @@ -4563,7 +4509,7 @@ ER_WRONG_NUMBER_OF_COLUMNS_IN_SELECT 21000 ita "La SELECT utilizzata ha un numero di colonne differente" por "Os comandos SELECT usados têm diferente número de colunas" rus "éÓÐÏÌØÚÏ×ÁÎÎÙÅ ÏÐÅÒÁÔÏÒÙ ×ÙÂÏÒËÉ (SELECT) ÄÁÀÔ ÒÁÚÎÏÅ ËÏÌÉÞÅÓÔ×Ï ÓÔÏÌÂÃÏ×" - serbian "Ne mogu da izvršim upit zbog toga što imate zakljuèavanja èitanja podataka u konfliktu" + serbian "Upotrebljene 'SELECT' komande adresiraju razlièit broj kolona" spa "El comando SELECT usado tiene diferente número de columnas" swe "SELECT-kommandona har olika antal kolumner" ER_CANT_UPDATE_WITH_READLOCK @@ -4574,7 +4520,7 @@ ER_CANT_UPDATE_WITH_READLOCK ita "Impossibile eseguire la query perche' c'e' un conflitto con in lock di lettura" por "Não posso executar a consulta porque você tem um conflito de travamento de leitura" rus "îÅ×ÏÚÍÏÖÎÏ ÉÓÐÏÌÎÉÔØ ÚÁÐÒÏÓ, ÐÏÓËÏÌØËÕ Õ ×ÁÓ ÕÓÔÁÎÏ×ÌÅÎÙ ËÏÎÆÌÉËÔÕÀÝÉÅ ÂÌÏËÉÒÏ×ËÉ ÞÔÅÎÉÑ" - serbian "Mešanje tabela koje podržavaju transakcije i onih koje ne podržavaju transakcije je iskljuèeno" + serbian "Ne mogu da izvršim upit zbog toga što imate zakljuèavanja èitanja podataka u konfliktu" spa "No puedo ejecutar el query porque usted tiene conflicto de traba de lectura" swe "Kan inte utföra kommandot emedan du har ett READ-lås" ER_MIXING_NOT_ALLOWED @@ -4585,7 +4531,7 @@ ER_MIXING_NOT_ALLOWED ita "E' disabilitata la possibilita' di mischiare tabelle transazionali e non-transazionali" por "Mistura de tabelas transacional e não-transacional está desabilitada" rus "éÓÐÏÌØÚÏ×ÁÎÉÅ ÔÒÁÎÚÁËÃÉÏÎÎÙÈ ÔÁÂÌÉà ÎÁÒÑÄÕ Ó ÎÅÔÒÁÎÚÁËÃÉÏÎÎÙÍÉ ÚÁÐÒÅÝÅÎÏ" - serbian "Opcija '%s' je upotrebljena dva puta u istom iskazu" + serbian "Mešanje tabela koje podržavaju transakcije i onih koje ne podržavaju transakcije je iskljuèeno" spa "Mezla de transancional y no-transancional tablas está deshabilitada" swe "Blandning av transaktionella och icke-transaktionella tabeller är inaktiverat" ER_DUP_ARGUMENT @@ -4596,7 +4542,6 @@ ER_DUP_ARGUMENT ita "L'opzione '%s' e' stata usata due volte nel comando" por "Opção '%s' usada duas vezes no comando" rus "ïÐÃÉÑ '%s' Ä×ÁÖÄÙ ÉÓÐÏÌØÚÏ×ÁÎÁ × ×ÙÒÁÖÅÎÉÉ" - serbian "User '%-.64s' has exceeded the '%s' resource (current value: %ld)" spa "Opción '%s' usada dos veces en el comando" swe "Option '%s' användes två gånger" ER_USER_LIMIT_REACHED 42000 @@ -4606,7 +4551,6 @@ ER_USER_LIMIT_REACHED 42000 ita "L'utente '%-.64s' ha ecceduto la risorsa '%s' (valore corrente: %ld)" por "Usuário '%-.64s' tem excedido o '%s' recurso (atual valor: %ld)" rus "ðÏÌØÚÏ×ÁÔÅÌØ '%-.64s' ÐÒÅ×ÙÓÉÌ ÉÓÐÏÌØÚÏ×ÁÎÉÅ ÒÅÓÕÒÓÁ '%s' (ÔÅËÕÝÅÅ ÚÎÁÞÅÎÉÅ: %ld)" - serbian "Access denied; you need the %-.128s privilege for this operation" spa "Usuario '%-.64s' ha excedido el recurso '%s' (actual valor: %ld)" swe "Användare '%-.64s' har överskridit '%s' (nuvarande värde: %ld)" ER_SPECIFIC_ACCESS_DENIED_ERROR @@ -4616,7 +4560,6 @@ ER_SPECIFIC_ACCESS_DENIED_ERROR ita "Accesso non consentito. Serve il privilegio %-.128s per questa operazione" por "Acesso negado. Você precisa o privilégio %-.128s para essa operação" rus "÷ ÄÏÓÔÕÐÅ ÏÔËÁÚÁÎÏ. ÷ÁÍ ÎÕÖÎÙ ÐÒÉ×ÉÌÅÇÉÉ %-.128s ÄÌÑ ÜÔÏÊ ÏÐÅÒÁÃÉÉ" - serbian "Variable '%-.64s' is a SESSION variable and can't be used with SET GLOBAL" spa "Acceso negado. Usted necesita el privilegio %-.128s para esta operación" swe "Du har inte privlegiet '%-.128s' som behövs för denna operation" ukr "Access denied. You need the %-.128s privilege for this operation" @@ -4627,7 +4570,6 @@ ER_LOCAL_VARIABLE ita "La variabile '%-.64s' e' una variabile locale ( SESSION ) e non puo' essere cambiata usando SET GLOBAL" por "Variável '%-.64s' é uma SESSION variável e não pode ser usada com SET GLOBAL" rus "ðÅÒÅÍÅÎÎÁÑ '%-.64s' Ñ×ÌÑÅÔÓÑ ÐÏÔÏËÏ×ÏÊ (SESSION) ÐÅÒÅÍÅÎÎÏÊ É ÎÅ ÍÏÖÅÔ ÂÙÔØ ÉÚÍÅÎÅÎÁ Ó ÐÏÍÏÝØÀ SET GLOBAL" - serbian "Variable '%-.64s' is a GLOBAL variable and should be set with SET GLOBAL" spa "Variable '%-.64s' es una SESSION variable y no puede ser usada con SET GLOBAL" swe "Variabel '%-.64s' är en SESSION variabel och kan inte ändrad med SET GLOBAL" ER_GLOBAL_VARIABLE @@ -4637,7 +4579,6 @@ ER_GLOBAL_VARIABLE ita "La variabile '%-.64s' e' una variabile globale ( GLOBAL ) e deve essere cambiata usando SET GLOBAL" por "Variável '%-.64s' é uma GLOBAL variável e deve ser configurada com SET GLOBAL" rus "ðÅÒÅÍÅÎÎÁÑ '%-.64s' Ñ×ÌÑÅÔÓÑ ÇÌÏÂÁÌØÎÏÊ (GLOBAL) ÐÅÒÅÍÅÎÎÏÊ, É ÅÅ ÓÌÅÄÕÅÔ ÉÚÍÅÎÑÔØ Ó ÐÏÍÏÝØÀ SET GLOBAL" - serbian "Variable '%-.64s' doesn't have a default value" spa "Variable '%-.64s' es una GLOBAL variable y no puede ser configurada con SET GLOBAL" swe "Variabel '%-.64s' är en GLOBAL variabel och bör sättas med SET GLOBAL" ER_NO_DEFAULT 42000 @@ -4647,7 +4588,6 @@ ER_NO_DEFAULT 42000 ita "La variabile '%-.64s' non ha un valore di default" por "Variável '%-.64s' não tem um valor padrão" rus "ðÅÒÅÍÅÎÎÁÑ '%-.64s' ÎÅ ÉÍÅÅÔ ÚÎÁÞÅÎÉÑ ÐÏ ÕÍÏÌÞÁÎÉÀ" - serbian "Variable '%-.64s' can't be set to the value of '%-.64s'" spa "Variable '%-.64s' no tiene un valor patrón" swe "Variabel '%-.64s' har inte ett DEFAULT-värde" ER_WRONG_VALUE_FOR_VAR 42000 @@ -4657,7 +4597,6 @@ ER_WRONG_VALUE_FOR_VAR 42000 ita "Alla variabile '%-.64s' non puo' essere assegato il valore '%-.64s'" por "Variável '%-.64s' não pode ser configurada para o valor de '%-.64s'" rus "ðÅÒÅÍÅÎÎÁÑ '%-.64s' ÎÅ ÍÏÖÅÔ ÂÙÔØ ÕÓÔÁÎÏ×ÌÅÎÁ × ÚÎÁÞÅÎÉÅ '%-.64s'" - serbian "Incorrect argument type to variable '%-.64s'" spa "Variable '%-.64s' no puede ser configurada para el valor de '%-.64s'" swe "Variabel '%-.64s' kan inte sättas till '%-.64s'" ER_WRONG_TYPE_FOR_VAR 42000 @@ -4667,10 +4606,8 @@ ER_WRONG_TYPE_FOR_VAR 42000 ita "Tipo di valore errato per la variabile '%-.64s'" por "Tipo errado de argumento para variável '%-.64s'" rus "îÅ×ÅÒÎÙÊ ÔÉÐ ÁÒÇÕÍÅÎÔÁ ÄÌÑ ÐÅÒÅÍÅÎÎÏÊ '%-.64s'" - serbian "Variable '%-.64s' can only be set, not read" spa "Tipo de argumento equivocado para variable '%-.64s'" swe "Fel typ av argument till variabel '%-.64s'" - ukr "Wrong argument type to variable '%-.64s'" ER_VAR_CANT_BE_READ nla "Variabele '%-.64s' kan alleen worden gewijzigd, niet gelezen" eng "Variable '%-.64s' can only be set, not read" @@ -4678,7 +4615,6 @@ ER_VAR_CANT_BE_READ ita "Alla variabile '%-.64s' e' di sola scrittura quindi puo' essere solo assegnato un valore, non letto" por "Variável '%-.64s' somente pode ser configurada, não lida" rus "ðÅÒÅÍÅÎÎÁÑ '%-.64s' ÍÏÖÅÔ ÂÙÔØ ÔÏÌØËÏ ÕÓÔÁÎÏ×ÌÅÎÁ, ÎÏ ÎÅ ÓÞÉÔÁÎÁ" - serbian "Incorrect usage/placement of '%s'" spa "Variable '%-.64s' solamente puede ser configurada, no leída" swe "Variabeln '%-.64s' kan endast sättas, inte läsas" ER_CANT_USE_OPTION_HERE 42000 @@ -4688,10 +4624,8 @@ ER_CANT_USE_OPTION_HERE 42000 ita "Uso/posizione di '%s' sbagliato" por "Errado uso/colocação de '%s'" rus "îÅ×ÅÒÎÏÅ ÉÓÐÏÌØÚÏ×ÁÎÉÅ ÉÌÉ × ÎÅ×ÅÒÎÏÍ ÍÅÓÔÅ ÕËÁÚÁÎ '%s'" - serbian "This version of MySQL doesn't yet support '%s'" spa "Equivocado uso/colocación de '%s'" swe "Fel använding/placering av '%s'" - ukr "Wrong usage/placement of '%s'" ER_NOT_SUPPORTED_YET 42000 nla "Deze versie van MySQL ondersteunt nog geen '%s'" eng "This version of MySQL doesn't yet support '%s'" @@ -4699,7 +4633,6 @@ ER_NOT_SUPPORTED_YET 42000 ita "Questa versione di MySQL non supporta ancora '%s'" por "Esta versão de MySQL não suporta ainda '%s'" rus "üÔÁ ×ÅÒÓÉÑ MySQL ÐÏËÁ ÅÝÅ ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔ '%s'" - serbian "Got fatal error %d: '%-.128s' from master when reading data from binary log" spa "Esta versión de MySQL no soporta todavia '%s'" swe "Denna version av MySQL kan ännu inte utföra '%s'" ER_MASTER_FATAL_ERROR_READING_BINLOG @@ -4709,14 +4642,12 @@ ER_MASTER_FATAL_ERROR_READING_BINLOG ita "Errore fatale %d: '%-.128s' dal master leggendo i dati dal log binario" por "Obteve fatal erro %d: '%-.128s' do master quando lendo dados do binary log" rus "ðÏÌÕÞÅÎÁ ÎÅÉÓÐÒÁ×ÉÍÁÑ ÏÛÉÂËÁ %d: '%-.128s' ÏÔ ÇÏÌÏ×ÎÏÇÏ ÓÅÒ×ÅÒÁ × ÐÒÏÃÅÓÓÅ ×ÙÂÏÒËÉ ÄÁÎÎÙÈ ÉÚ Ä×ÏÉÞÎÏÇÏ ÖÕÒÎÁÌÁ" - serbian "Slave SQL thread ignored the query because of replicate-*-table rules" spa "Recibió fatal error %d: '%-.128s' del master cuando leyendo datos del binary log" swe "Fick fatalt fel %d: '%-.128s' från master vid läsning av binärloggen" ER_SLAVE_IGNORED_TABLE eng "Slave SQL thread ignored the query because of replicate-*-table rules" ger "Slave-SQL-Thread hat die Abfrage aufgrund von replicate-*-table-Regeln ignoriert" por "Slave SQL thread ignorado a consulta devido às normas de replicação-*-tabela" - serbian "Variable '%-.64s' is a %s variable" spa "Slave SQL thread ignorado el query debido a las reglas de replicación-*-tabla" swe "Slav SQL tråden ignorerade frågan pga en replicate-*-table regel" ER_INCORRECT_GLOBAL_LOCAL_VAR @@ -4728,23 +4659,18 @@ ER_WRONG_FK_DEF 42000 eng "Incorrect foreign key definition for '%-.64s': %s" ger "Falsche Fremdschlüssel-Definition für '%-64s': %s" por "Definição errada da chave estrangeira para '%-.64s': %s" - serbian "Key reference and table reference don't match" spa "Equivocada definición de llave extranjera para '%-.64s': %s" swe "Felaktig FOREIGN KEY-definition för '%-.64s': %s" - ukr "Wrong foreign key definition for '%-.64s': %s" ER_KEY_REF_DO_NOT_MATCH_TABLE_REF eng "Key reference and table reference don't match" ger "Schlüssel- und Tabellenverweis passen nicht zusammen" por "Referência da chave e referência da tabela não coincidem" - serbian "Operand should contain %d column(s)" spa "Referencia de llave y referencia de tabla no coinciden" swe "Nyckelreferensen och tabellreferensen stämmer inte överens" - ukr "Key reference and table reference doesn't match" ER_OPERAND_COLUMNS 21000 eng "Operand should contain %d column(s)" ger "Operand solle %d Spalte(n) enthalten" rus "ïÐÅÒÁÎÄ ÄÏÌÖÅÎ ÓÏÄÅÒÖÁÔØ %d ËÏÌÏÎÏË" - serbian "Subquery returns more than 1 row" spa "Operando debe tener %d columna(s)" ukr "ïÐÅÒÁÎÄ ÍÁ¤ ÓËÌÁÄÁÔÉÓÑ Ú %d ÓÔÏ×Âæ×" ER_SUBQUERY_NO_1_ROW 21000 @@ -4752,7 +4678,6 @@ ER_SUBQUERY_NO_1_ROW 21000 ger "Unterabfrage lieferte mehr als einen Datensatz zurück" por "Subconsulta retorna mais que 1 registro" rus "ðÏÄÚÁÐÒÏÓ ×ÏÚ×ÒÁÝÁÅÔ ÂÏÌÅÅ ÏÄÎÏÊ ÚÁÐÉÓÉ" - serbian "Unknown prepared statement handler (%ld) given to %s" spa "Subconsulta retorna mas que 1 línea" swe "Subquery returnerade mer än 1 rad" ukr "ð¦ÄÚÁÐÉÔ ÐÏ×ÅÒÔÁ¤ Â¦ÌØÛ ÎiÖ 1 ÚÁÐÉÓ" @@ -4761,7 +4686,6 @@ ER_UNKNOWN_STMT_HANDLER eng "Unknown prepared statement handler (%.*s) given to %s" ger "Unbekannter Prepared-Statement-Handler (%.*s) für %s angegeben" por "Desconhecido manipulador de declaração preparado (%.*s) determinado para %s" - serbian "Help database is corrupt or does not exist" spa "Desconocido preparado comando handler (%ld) dado para %s" swe "Okänd PREPARED STATEMENT id (%ld) var given till %s" ukr "Unknown prepared statement handler (%ld) given to %s" @@ -4769,7 +4693,6 @@ ER_CORRUPT_HELP_DB eng "Help database is corrupt or does not exist" ger "Die Hilfe-Datenbank ist beschädigt oder existiert nicht" por "Banco de dado de ajuda corrupto ou não existente" - serbian "Cyclic reference on subqueries" spa "Base de datos Help está corrupto o no existe" swe "Hjälpdatabasen finns inte eller är skadad" ER_CYCLIC_REFERENCE @@ -4777,7 +4700,6 @@ ER_CYCLIC_REFERENCE ger "Zyklischer Verweis in Unterabfragen" por "Referência cíclica em subconsultas" rus "ãÉËÌÉÞÅÓËÁÑ ÓÓÙÌËÁ ÎÁ ÐÏÄÚÁÐÒÏÓ" - serbian "Converting column '%s' from %s to %s" spa "Cíclica referencia en subconsultas" swe "Cyklisk referens i subqueries" ukr "ãÉË̦ÞÎÅ ÐÏÓÉÌÁÎÎÑ ÎÁ ЦÄÚÁÐÉÔ" @@ -4786,7 +4708,6 @@ ER_AUTO_CONVERT ger "Spalte '%s' wird von %s nach %s umgewandelt" por "Convertendo coluna '%s' de %s para %s" rus "ðÒÅÏÂÒÁÚÏ×ÁÎÉÅ ÐÏÌÑ '%s' ÉÚ %s × %s" - serbian "Reference '%-.64s' not supported (%s)" spa "Convirtiendo columna '%s' de %s para %s" swe "Konvertar kolumn '%s' från %s till %s" ukr "ðÅÒÅÔ×ÏÒÅÎÎÑ ÓÔÏ×ÂÃÁ '%s' Ú %s Õ %s" @@ -4795,7 +4716,6 @@ ER_ILLEGAL_REFERENCE 42S22 ger "Verweis '%-.64s' wird nicht unterstützt (%s)" por "Referência '%-.64s' não suportada (%s)" rus "óÓÙÌËÁ '%-.64s' ÎÅ ÐÏÄÄÅÒÖÉ×ÁÅÔÓÑ (%s)" - serbian "Every derived table must have its own alias" spa "Referencia '%-.64s' no soportada (%s)" swe "Referens '%-.64s' stöds inte (%s)" ukr "ðÏÓÉÌÁÎÎÑ '%-.64s' ÎÅ ÐiÄÔÒÉÍÕÅÔÓÑ (%s)" @@ -4803,16 +4723,13 @@ ER_DERIVED_MUST_HAVE_ALIAS 42000 eng "Every derived table must have its own alias" ger "Für jede abgeleitete Tabelle muss ein eigener Alias angegeben werden" por "Cada tabela derivada deve ter seu próprio alias" - serbian "Select %u was reduced during optimization" spa "Cada tabla derivada debe tener su propio alias" swe "Varje 'derived table' måste ha sitt eget alias" - ukr "Every derived table must have it's own alias" ER_SELECT_REDUCED 01000 eng "Select %u was reduced during optimization" ger "Select %u wurde während der Optimierung reduziert" por "Select %u foi reduzido durante otimização" rus "Select %u ÂÙÌ ÕÐÒÁÚÄÎÅÎ × ÐÒÏÃÅÓÓÅ ÏÐÔÉÍÉÚÁÃÉÉ" - serbian "Table '%-.64s' from one of the SELECTs cannot be used in %-.32s" spa "Select %u fué reducido durante optimización" swe "Select %u reducerades vid optimiering" ukr "Select %u was ÓËÁÓÏ×ÁÎÏ ÐÒÉ ÏÐÔÉÍiÚÁÃii" @@ -4820,75 +4737,57 @@ ER_TABLENAME_NOT_ALLOWED_HERE 42000 eng "Table '%-.64s' from one of the SELECTs cannot be used in %-.32s" ger "Tabelle '%-.64s', die in einem der SELECT-Befehle verwendet wurde, kann nicht in %-.32s verwendet werden" por "Tabela '%-.64s' de um dos SELECTs não pode ser usada em %-.32s" - serbian "Client does not support authentication protocol requested by server; consider upgrading MySQL client" spa "Tabla '%-.64s' de uno de los SELECT no puede ser usada en %-.32s" swe "Tabell '%-.64s' från en SELECT kan inte användas i %-.32s" - ukr "Table '%-.64s' from one of SELECT's can not be used in %-.32s" ER_NOT_SUPPORTED_AUTH_MODE 08004 eng "Client does not support authentication protocol requested by server; consider upgrading MySQL client" ger "Client unterstützt das vom Server erwartete Authentifizierungsprotokoll nicht. Bitte aktualisieren Sie Ihren MySQL-Client" por "Cliente não suporta o protocolo de autenticação exigido pelo servidor; considere a atualização do cliente MySQL" - serbian "All parts of a SPATIAL index must be NOT NULL" spa "Cliente no soporta protocolo de autenticación solicitado por el servidor; considere actualizar el cliente MySQL" swe "Klienten stöder inte autentiseringsprotokollet som begärts av servern; överväg uppgradering av klientprogrammet." ER_SPATIAL_CANT_HAVE_NULL 42000 eng "All parts of a SPATIAL index must be NOT NULL" - ger "Alle Teile eines SPATIAL KEY müssen als NOT NULL deklariert sein" - por "Todas as partes de uma SPATIAL KEY devem ser NOT NULL" - serbian "COLLATION '%s' is not valid for CHARACTER SET '%s'" - spa "Todas las partes de una SPATIAL KEY deben ser NOT NULL" - swe "Alla delar av en SPATIAL KEY måste vara NOT NULL" - ukr "All parts of a SPATIAL KEY must be NOT NULL" + ger "Alle Teile eines SPATIAL index müssen als NOT NULL deklariert sein" + por "Todas as partes de uma SPATIAL index devem ser NOT NULL" + spa "Todas las partes de una SPATIAL index deben ser NOT NULL" + swe "Alla delar av en SPATIAL index måste vara NOT NULL" ER_COLLATION_CHARSET_MISMATCH 42000 eng "COLLATION '%s' is not valid for CHARACTER SET '%s'" ger "COLLATION '%s' ist für CHARACTER SET '%s' ungültig" por "COLLATION '%s' não é válida para CHARACTER SET '%s'" - serbian "Slave is already running" spa "COLLATION '%s' no es válido para CHARACTER SET '%s'" swe "COLLATION '%s' är inte tillåtet för CHARACTER SET '%s'" ER_SLAVE_WAS_RUNNING eng "Slave is already running" ger "Slave läuft bereits" por "O slave já está rodando" - serbian "Slave has already been stopped" spa "Slave ya está funcionando" swe "Slaven har redan startat" ER_SLAVE_WAS_NOT_RUNNING eng "Slave has already been stopped" ger "Slave wurde bereits angehalten" por "O slave já está parado" - serbian "Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)" spa "Slave ya fué parado" swe "Slaven har redan stoppat" ER_TOO_BIG_FOR_UNCOMPRESS eng "Uncompressed data size too large; the maximum size is %d (probably, length of uncompressed data was corrupted)" ger "Unkomprimierte Daten sind zu groß. Die maximale Größe beträgt %d" por "Tamanho muito grande dos dados des comprimidos. O máximo tamanho é %d. (provavelmente, o comprimento dos dados descomprimidos está corrupto)" - serbian "ZLIB: Not enough memory" spa "Tamaño demasiado grande para datos descomprimidos. El máximo tamaño es %d. (probablemente, extensión de datos descomprimidos fué corrompida)" - swe "Too big size of uncompressed data. The maximum size is %d. (probably, length of uncompressed data was corrupted)" - ukr "Too big size of uncompressed data. The maximum size is %d. (probably, length of uncompressed data was corrupted)" ER_ZLIB_Z_MEM_ERROR eng "ZLIB: Not enough memory" ger "ZLIB: Steht nicht genug Speicher zur Verfügung" por "ZLIB: Não suficiente memória disponível" - serbian "ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)" spa "Z_MEM_ERROR: No suficiente memoria para zlib" - swe "Z_MEM_ERROR: Not enough memory available for zlib" - ukr "Z_MEM_ERROR: Not enough memory available for zlib" ER_ZLIB_Z_BUF_ERROR eng "ZLIB: Not enough room in the output buffer (probably, length of uncompressed data was corrupted)" ger "ZLIB: Im Ausgabepuffer ist nicht genug Platz vorhanden (wahrscheinlich wurde die Länge der unkomprimierten Daten beschädigt)" por "ZLIB: Não suficiente espaço no buffer emissor (provavelmente, o comprimento dos dados descomprimidos está corrupto)" - serbian "ZLIB: Input data corrupted" spa "Z_BUF_ERROR: No suficiente espacio en el búfer de salida para zlib (probablemente, extensión de datos descomprimidos fué corrompida)" - swe "Z_BUF_ERROR: Not enough room in the output buffer for zlib (probably, length of uncompressed data was corrupted)" - ukr "Z_BUF_ERROR: Not enough room in the output buffer for zlib (probably, length of uncompressed data was corrupted)" ER_ZLIB_Z_DATA_ERROR eng "ZLIB: Input data corrupted" ger "ZLIB: Eingabedaten beschädigt" por "ZLIB: Dados de entrada está corrupto" - serbian "%d line(s) were cut by GROUP_CONCAT()" spa "Z_DATA_ERROR: Dato de entrada fué corrompido para zlib" swe "Z_DATA_ERROR: Input data was corrupted for zlib" ukr "Z_DATA_ERROR: Input data was corrupted for zlib" @@ -4896,7 +4795,6 @@ ER_CUT_VALUE_GROUP_CONCAT eng "%d line(s) were cut by GROUP_CONCAT()" ger "%d Zeile(n) durch GROUP_CONCAT() abgeschnitten" por "%d linha(s) foram cortada(s) por GROUP_CONCAT()" - serbian "Row %ld doesn't contain data for all columns" spa "%d línea(s) fue(fueron) cortadas por group_concat()" swe "%d rad(er) kapades av group_concat()" ukr "%d line(s) was(were) cut by group_concat()" @@ -4904,92 +4802,70 @@ ER_WARN_TOO_FEW_RECORDS 01000 eng "Row %ld doesn't contain data for all columns" ger "Anzahl der Datensätze in Zeile %ld geringer als Anzahl der Spalten" por "Conta de registro é menor que a conta de coluna na linha %ld" - serbian "Row %ld was truncated; it contained more data than there were input columns" spa "Línea %ld no contiene datos para todas las columnas" ER_WARN_TOO_MANY_RECORDS 01000 eng "Row %ld was truncated; it contained more data than there were input columns" ger "Anzahl der Datensätze in Zeile %ld größer als Anzahl der Spalten" por "Conta de registro é maior que a conta de coluna na linha %ld" - serbian "Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld" spa "Línea %ld fué truncada; La misma contine mas datos que las que existen en las columnas de entrada" - swe "Row %ld was truncated; It contained more data than there were input columns" - ukr "Row %ld was truncated; It contained more data than there were input columns" ER_WARN_NULL_TO_NOTNULL 22004 eng "Column set to default value; NULL supplied to NOT NULL column '%s' at row %ld" ger "Daten abgeschnitten, NULL für NOT NULL-Spalte '%s' in Zeile %ld angegeben" por "Dado truncado, NULL fornecido para NOT NULL coluna '%s' na linha %ld" - serbian "Out of range value adjusted for column '%s' at row %ld" spa "Datos truncado, NULL suministrado para NOT NULL columna '%s' en la línea %ld" - swe "Data truncated, NULL supplied to NOT NULL column '%s' at row %ld" - ukr "Data truncated, NULL supplied to NOT NULL column '%s' at row %ld" ER_WARN_DATA_OUT_OF_RANGE 22003 eng "Out of range value adjusted for column '%s' at row %ld" ger "Daten abgeschnitten, außerhalb des Wertebereichs für Spalte '%s' in Zeile %ld" por "Dado truncado, fora de alcance para coluna '%s' na linha %ld" - serbian "Data truncated for column '%s' at row %ld" spa "Datos truncados, fuera de gama para columna '%s' en la línea %ld" - swe "Data truncated, out of range for column '%s' at row %ld" - ukr "Data truncated, out of range for column '%s' at row %ld" ER_WARN_DATA_TRUNCATED 01000 eng "Data truncated for column '%s' at row %ld" ger "Daten abgeschnitten für Spalte '%s' in Zeile %ld" por "Dado truncado para coluna '%s' na linha %ld" - serbian "Using storage engine %s for table '%s'" spa "Datos truncados para columna '%s' en la línea %ld" ER_WARN_USING_OTHER_HANDLER eng "Using storage engine %s for table '%s'" ger "Für Tabelle '%s' wird Speicher-Engine %s benutzt" por "Usando engine de armazenamento %s para tabela '%s'" - serbian "Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'" spa "Usando motor de almacenamiento %s para tabla '%s'" swe "Använder handler %s för tabell '%s'" ER_CANT_AGGREGATE_2COLLATIONS eng "Illegal mix of collations (%s,%s) and (%s,%s) for operation '%s'" ger "Unerlaubte Vermischung der Kollationen (%s,%s) und (%s,%s) für die Operation '%s'" por "Combinação ilegal de collations (%s,%s) e (%s,%s) para operação '%s'" - serbian "Cannot drop one or more of the requested users" spa "Ilegal mezcla de collations (%s,%s) y (%s,%s) para operación '%s'" ER_DROP_USER eng "Cannot drop one or more of the requested users" ger "Kann einen oder mehrere der angegebenen Benutzer nicht löschen" - serbian "Can't revoke all privileges, grant for one or more of the requested users" ER_REVOKE_GRANTS eng "Can't revoke all privileges, grant for one or more of the requested users" ger "Kann nicht alle Berechtigungen widerrufen, grant for one or more of the requested users" por "Não pode revocar todos os privilégios, grant para um ou mais dos usuários pedidos" - serbian "Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'" spa "No puede revocar todos los privilegios, derecho para uno o mas de los usuarios solicitados" ER_CANT_AGGREGATE_3COLLATIONS eng "Illegal mix of collations (%s,%s), (%s,%s), (%s,%s) for operation '%s'" ger "Unerlaubte Vermischung der Kollationen (%s,%s), (%s,%s), (%s,%s) für die Operation '%s'" por "Ilegal combinação de collations (%s,%s), (%s,%s), (%s,%s) para operação '%s'" - serbian "Illegal mix of collations for operation '%s'" spa "Ilegal mezcla de collations (%s,%s), (%s,%s), (%s,%s) para operación '%s'" ER_CANT_AGGREGATE_NCOLLATIONS eng "Illegal mix of collations for operation '%s'" ger "Unerlaubte Vermischung der Kollationen für die Operation '%s'" por "Ilegal combinação de collations para operação '%s'" - serbian "Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)" spa "Ilegal mezcla de collations para operación '%s'" ER_VARIABLE_IS_NOT_STRUCT eng "Variable '%-.64s' is not a variable component (can't be used as XXXX.variable_name)" ger "Variable '%-.64s' ist keine Variablen-Komponenten (kann nicht als XXXX.variablen_name verwendet werden)" por "Variável '%-.64s' não é uma variável componente (Não pode ser usada como XXXX.variável_nome)" - serbian "Unknown collation: '%-.64s'" spa "Variable '%-.64s' no es una variable componente (No puede ser usada como XXXX.variable_name)" - swe "Variable '%-.64s' is not a variable component (Can't be used as XXXX.variable_name)" - ukr "Variable '%-.64s' is not a variable component (Can't be used as XXXX.variable_name)" ER_UNKNOWN_COLLATION eng "Unknown collation: '%-.64s'" ger "Unbekannte Kollation: '%-.64s'" por "Collation desconhecida: '%-.64s'" - serbian "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" spa "Collation desconocida: '%-.64s'" ER_SLAVE_IGNORED_SSL_PARAMS eng "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" ger "SSL-Parameter in CHANGE MASTER werden ignoriert, weil dieser MySQL-Slave ohne SSL-Unterstützung kompiliert wurde. Sie können aber später verwendet werden, wenn der MySQL-Slave mit SSL gestartet wird" por "SSL parâmetros em CHANGE MASTER são ignorados porque este escravo MySQL foi compilado sem o SSL suporte. Os mesmos podem ser usados mais tarde quando o escravo MySQL com SSL seja iniciado." - serbian "Server is running in --secure-auth mode, but '%s'@'%s' has a password in the old format; please change the password to the new format" spa "Parametros SSL en CHANGE MASTER son ignorados porque este slave MySQL fue compilado sin soporte SSL; pueden ser usados despues cuando el slave MySQL con SSL sea inicializado" swe "SSL parameters in CHANGE MASTER are ignored because this MySQL slave was compiled without SSL support; they can be used later when MySQL slave with SSL will be started" ukr "SSL parameters in CHANGE MASTER are ignored because this MySQL slave was compiled without SSL support; they can be used later when MySQL slave with SSL will be started" @@ -4998,625 +4874,361 @@ ER_SERVER_IS_IN_SECURE_AUTH_MODE ger "Server läuft im Modus --secure-auth, aber '%s'@'%s' hat ein Passwort im alten Format. Bitte Passwort ins neue Format ändern" por "Servidor está rodando em --secure-auth modo, porêm '%s'@'%s' tem senha no formato antigo; por favor troque a senha para o novo formato" rus "óÅÒ×ÅÒ ÚÁÐÕÝÅÎ × ÒÅÖÉÍÅ --secure-auth (ÂÅÚÏÐÁÓÎÏÊ Á×ÔÏÒÉÚÁÃÉÉ), ÎÏ ÄÌÑ ÐÏÌØÚÏ×ÁÔÅÌÑ '%s'@'%s' ÐÁÒÏÌØ ÓÏÈÒÁÎ£Î × ÓÔÁÒÏÍ ÆÏÒÍÁÔÅ; ÎÅÏÂÈÏÄÉÍÏ ÏÂÎÏ×ÉÔØ ÆÏÒÍÁÔ ÐÁÒÏÌÑ" - serbian "Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d" spa "Servidor está rodando en modo --secure-auth, pero '%s'@'%s' tiene clave en el antiguo formato; por favor cambie la clave para el nuevo formato" ER_WARN_FIELD_RESOLVED eng "Field or reference '%-.64s%s%-.64s%s%-.64s' of SELECT #%d was resolved in SELECT #%d" ger "Feld oder Verweis '%-.64s%s%-.64s%s%-.64s' im SELECT-Befehl Nr. %d wurde im SELECT-Befehl Nr. %d aufgelöst" por "Campo ou referência '%-.64s%s%-.64s%s%-.64s' de SELECT #%d foi resolvido em SELECT #%d" rus "ðÏÌÅ ÉÌÉ ÓÓÙÌËÁ '%-.64s%s%-.64s%s%-.64s' ÉÚ SELECTÁ #%d ÂÙÌÁ ÎÁÊÄÅÎÁ × SELECTÅ #%d" - serbian "Incorrect parameter or combination of parameters for START SLAVE UNTIL" spa "Campo o referencia '%-.64s%s%-.64s%s%-.64s' de SELECT #%d fue resolvido en SELECT #%d" ukr "óÔÏ×ÂÅÃØ ÁÂÏ ÐÏÓÉÌÁÎÎÑ '%-.64s%s%-.64s%s%-.64s' ¦Ú SELECTÕ #%d ÂÕÌÏ ÚÎÁÊÄÅÎÅ Õ SELECT¦ #%d" ER_BAD_SLAVE_UNTIL_COND eng "Incorrect parameter or combination of parameters for START SLAVE UNTIL" ger "Falscher Parameter oder falsche Kombination von Parametern für START SLAVE UNTIL" por "Parâmetro ou combinação de parâmetros errado para START SLAVE UNTIL" - serbian "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" spa "Parametro equivocado o combinación de parametros para START SLAVE UNTIL" - swe "Wrong parameter or combination of parameters for START SLAVE UNTIL" - ukr "Wrong parameter or combination of parameters for START SLAVE UNTIL" ER_MISSING_SKIP_SLAVE - dan "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" - nla "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" eng "It is recommended to use --skip-slave-start when doing step-by-step replication with START SLAVE UNTIL; otherwise, you will get problems if you get an unexpected slave's mysqld restart" - est "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" - fre "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" ger "Es wird empfohlen, mit --skip-slave-start zu starten, wenn mit START SLAVE UNTIL eine Schritt-für-Schritt-Replikation ausgeführt wird. Ansonsten gibt es Probleme, wenn der Slave-Server unerwartet neu startet" - greek "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" - hun "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" - ita "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" - jpn "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" - kor "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" - nor "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" - norwegian-ny "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" - pol "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" por "É recomendado para rodar com --skip-slave-start quando fazendo replicação passo-por-passo com START SLAVE UNTIL, de outra forma você não está seguro em caso de inesperada reinicialição do mysqld escravo" - rum "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" - rus "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" - serbian "SQL thread is not to be started so UNTIL options are ignored" - slo "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" spa "Es recomendado rodar con --skip-slave-start cuando haciendo replicación step-by-step con START SLAVE UNTIL, a menos que usted no esté seguro en caso de inesperada reinicialización del mysqld slave" - swe "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" - ukr "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" ER_UNTIL_COND_IGNORED eng "SQL thread is not to be started so UNTIL options are ignored" ger "SQL-Thread soll nicht gestartet werden. Daher werden UNTIL-Optionen ignoriert" por "Thread SQL não pode ser inicializado tal que opções UNTIL são ignoradas" - serbian "Incorrect index name '%-.100s'" spa "SQL thread no es inicializado tal que opciones UNTIL son ignoradas" ER_WRONG_NAME_FOR_INDEX 42000 eng "Incorrect index name '%-.100s'" por "Incorreto nome de índice '%-.100s'" - serbian "Incorrect catalog name '%-.100s'" spa "Nombre de índice incorrecto '%-.100s'" swe "Felaktigt index namn '%-.100s'" ER_WRONG_NAME_FOR_CATALOG 42000 eng "Incorrect catalog name '%-.100s'" por "Incorreto nome de catálogo '%-.100s'" - serbian "Query cache failed to set size %lu, new query cache size is %lu" spa "Nombre de catalog incorrecto '%-.100s'" swe "Felaktigt katalog namn '%-.100s'" ER_WARN_QC_RESIZE - dan "Query cache failed to set size %lu, new query cache size is %lu" - nla "Query cache failed to set size %lu, new query cache size is %lu" eng "Query cache failed to set size %lu; new query cache size is %lu" - est "Query cache failed to set size %lu, new query cache size is %lu" - fre "Query cache failed to set size %lu, new query cache size is %lu" - ger "Query cache failed to set size %lu, new query cache size is %lu" - greek "Query cache failed to set size %lu, new query cache size is %lu" - hun "Query cache failed to set size %lu, new query cache size is %lu" - ita "Query cache failed to set size %lu, new query cache size is %lu" - jpn "Query cache failed to set size %lu, new query cache size is %lu" - kor "Query cache failed to set size %lu, new query cache size is %lu" - nor "Query cache failed to set size %lu, new query cache size is %lu" - norwegian-ny "Query cache failed to set size %lu, new query cache size is %lu" - pol "Query cache failed to set size %lu, new query cache size is %lu" por "Falha em Query cache para configurar tamanho %lu, novo tamanho de query cache é %lu" - rum "Query cache failed to set size %lu, new query cache size is %lu" rus "ëÅÛ ÚÁÐÒÏÓÏ× ÎÅ ÍÏÖÅÔ ÕÓÔÁÎÏ×ÉÔØ ÒÁÚÍÅÒ %lu, ÎÏ×ÙÊ ÒÁÚÍÅÒ ËÅÛÁ ÚÐÒÏÓÏ× - %lu" - serbian "Column '%-.64s' cannot be part of FULLTEXT index" - slo "Query cache failed to set size %lu, new query cache size is %lu" spa "Query cache fallada para configurar tamaño %lu, nuevo tamaño de query cache es %lu" swe "Storleken av "Query cache" kunde inte sättas till %lu, ny storlek är %lu" ukr "ëÅÛ ÚÁÐÉÔ¦× ÎÅÓÐÒÏÍÏÖÅÎ ×ÓÔÁÎÏ×ÉÔÉ ÒÏÚÍ¦Ò %lu, ÎÏ×ÉÊ ÒÏÚÍ¦Ò ËÅÛÁ ÚÁÐÉÔ¦× - %lu" ER_BAD_FT_COLUMN eng "Column '%-.64s' cannot be part of FULLTEXT index" por "Coluna '%-.64s' não pode ser parte de índice FULLTEXT" - serbian "Unknown key cache '%-.100s'" spa "Columna '%-.64s' no puede ser parte de FULLTEXT index" swe "Kolumn '%-.64s' kan inte vara del av ett FULLTEXT index" ER_UNKNOWN_KEY_CACHE eng "Unknown key cache '%-.100s'" por "Key cache desconhecida '%-.100s'" - serbian "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" spa "Desconocida key cache '%-.100s'" swe "Okänd nyckel cache '%-.100s'" ER_WARN_HOSTNAME_WONT_WORK - dan "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" - nla "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" eng "MySQL is started in --skip-name-resolve mode; you must restart it without this switch for this grant to work" - est "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" - fre "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" - ger "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" - greek "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" - hun "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" - ita "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" - jpn "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" - kor "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" - nor "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" - norwegian-ny "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" - pol "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" por "MySQL foi inicializado em modo --skip-name-resolve. Você necesita reincializá-lo sem esta opção para este grant funcionar" - rum "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" - rus "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" - serbian "Unknown table engine '%s'" - slo "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" spa "MySQL esta inicializado en modo --skip-name-resolve. Usted necesita reinicializarlo sin esta opción para este derecho funcionar" - swe "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" - ukr "MySQL is started in --skip-name-resolve mode. You need to restart it without this switch for this grant to work" ER_UNKNOWN_STORAGE_ENGINE 42000 eng "Unknown table engine '%s'" por "Motor de tabela desconhecido '%s'" - serbian "'%s' is deprecated, use '%s' instead" spa "Desconocido motor de tabla '%s'" ER_WARN_DEPRECATED_SYNTAX - dan "'%s' is deprecated, use '%s' instead" - nla "'%s' is deprecated, use '%s' instead" eng "'%s' is deprecated; use '%s' instead" - est "'%s' is deprecated, use '%s' instead" - fre "'%s' is deprecated, use '%s' instead" - ger "'%s' is deprecated, use '%s' instead" - greek "'%s' is deprecated, use '%s' instead" - hun "'%s' is deprecated, use '%s' instead" - ita "'%s' is deprecated, use '%s' instead" - jpn "'%s' is deprecated, use '%s' instead" - kor "'%s' is deprecated, use '%s' instead" - nor "'%s' is deprecated, use '%s' instead" - norwegian-ny "'%s' is deprecated, use '%s' instead" - pol "'%s' is deprecated, use '%s' instead" por "'%s' é desatualizado. Use '%s' em seu lugar" - rum "'%s' is deprecated, use '%s' instead" - rus "'%s' is deprecated, use '%s' instead" - serbian "The target table %-.100s of the %s is not updatable" - slo "'%s' is deprecated, use '%s' instead" spa "'%s' está desaprobado, use '%s' en su lugar" - swe "'%s' is deprecated, use '%s' instead" - ukr "'%s' is deprecated, use '%s' instead" ER_NON_UPDATABLE_TABLE - dan "The target table %-.100s of the %s is not updateable" - nla "The target table %-.100s of the %s is not updateable" eng "The target table %-.100s of the %s is not updatable" - est "The target table %-.100s of the %s is not updateable" - fre "The target table %-.100s of the %s is not updateable" - ger "The target table %-.100s of the %s is not updateable" - greek "The target table %-.100s of the %s is not updateable" - hun "The target table %-.100s of the %s is not updateable" - ita "The target table %-.100s of the %s is not updateable" - jpn "The target table %-.100s of the %s is not updateable" - kor "The target table %-.100s of the %s is not updateable" - nor "The target table %-.100s of the %s is not updateable" - norwegian-ny "The target table %-.100s of the %s is not updateable" - pol "The target table %-.100s of the %s is not updateable" por "A tabela destino %-.100s do %s não é atualizável" - rum "The target table %-.100s of the %s is not updateable" rus "ôÁÂÌÉÃÁ %-.100s × %s ÎÅ ÍÏÖÅÔ ÉÚÍÅÎÑÔÓÑ" - serbian "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" - slo "The target table %-.100s of the %s is not updateable" spa "La tabla destino %-.100s del %s no es actualizable" swe "Tabel %-.100s använd med '%s' är inte uppdateringsbar" ukr "ôÁÂÌÉÃÑ %-.100s Õ %s ÎÅ ÍÏÖÅ ÏÎÏ×ÌÀ×ÁÔÉÓØ" ER_FEATURE_DISABLED - dan "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" - nla "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" eng "The '%s' feature is disabled; you need MySQL built with '%s' to have it working" - est "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" - fre "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" - ger "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" - greek "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" - hun "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" - ita "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" - jpn "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" - kor "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" - nor "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" - norwegian-ny "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" - pol "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" por "O recurso '%s' foi desativado; você necessita MySQL construído com '%s' para ter isto funcionando" - rum "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" - rus "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" - serbian "The MySQL server is running with the %s option so it cannot execute this statement" - slo "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" spa "El recurso '%s' fue deshabilitado; usted necesita construir MySQL con '%s' para tener eso funcionando" swe "'%s' är inte aktiverad; För att aktivera detta måste du bygga om MySQL med '%s' definerad" - ukr "The '%s' feature was disabled; you need MySQL built with '%s' to have it working" ER_OPTION_PREVENTS_STATEMENT eng "The MySQL server is running with the %s option so it cannot execute this statement" por "O servidor MySQL está rodando com a opção %s razão pela qual não pode executar esse commando" - serbian "Column '%-.100s' has duplicated value '%-.64s' in %s" spa "El servidor MySQL está rodando con la opción %s tal que no puede ejecutar este comando" swe "MySQL är startad med --skip-grant-tables. Pga av detta kan du inte använda detta kommando" ER_DUPLICATED_VALUE_IN_TYPE eng "Column '%-.100s' has duplicated value '%-.64s' in %s" por "Coluna '%-.100s' tem valor duplicado '%-.64s' em %s" - serbian "Truncated wrong %-.32s value: '%-.128s'" spa "Columna '%-.100s' tiene valor doblado '%-.64s' en %s" ER_TRUNCATED_WRONG_VALUE 22007 - dan "Truncated wrong %-.32s value: '%-.128s'" - nla "Truncated wrong %-.32s value: '%-.128s'" eng "Truncated incorrect %-.32s value: '%-.128s'" - est "Truncated wrong %-.32s value: '%-.128s'" - fre "Truncated wrong %-.32s value: '%-.128s'" - ger "Truncated wrong %-.32s value: '%-.128s'" - greek "Truncated wrong %-.32s value: '%-.128s'" - hun "Truncated wrong %-.32s value: '%-.128s'" - ita "Truncated wrong %-.32s value: '%-.128s'" - jpn "Truncated wrong %-.32s value: '%-.128s'" - kor "Truncated wrong %-.32s value: '%-.128s'" - nor "Truncated wrong %-.32s value: '%-.128s'" - norwegian-ny "Truncated wrong %-.32s value: '%-.128s'" - pol "Truncated wrong %-.32s value: '%-.128s'" por "Truncado errado %-.32s valor: '%-.128s'" - rum "Truncated wrong %-.32s value: '%-.128s'" - rus "Truncated wrong %-.32s value: '%-.128s'" - serbian "Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" - slo "Truncated wrong %-.32s value: '%-.128s'" spa "Equivocado truncado %-.32s valor: '%-.128s'" - swe "Truncated wrong %-.32s value: '%-.128s'" - ukr "Truncated wrong %-.32s value: '%-.128s'" ER_TOO_MUCH_AUTO_TIMESTAMP_COLS eng "Incorrect table definition; there can be only one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" - jpn "Incorrect table definition; There can only be one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" por "Incorreta definição de tabela; Pode ter somente uma coluna TIMESTAMP com CURRENT_TIMESTAMP em DEFAULT ou ON UPDATE cláusula" - serbian "Invalid ON UPDATE clause for '%-.64s' column" spa "Incorrecta definición de tabla; Solamente debe haber una columna TIMESTAMP con CURRENT_TIMESTAMP en DEFAULT o ON UPDATE cláusula" swe "Incorrect table definition; There can only be one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" ukr "Incorrect table definition; There can only be one TIMESTAMP column with CURRENT_TIMESTAMP in DEFAULT or ON UPDATE clause" ER_INVALID_ON_UPDATE eng "Invalid ON UPDATE clause for '%-.64s' column" por "Inválida cláusula ON UPDATE para campo '%-.64s'" - serbian "This command is not supported in the prepared statement protocol yet" spa "Inválido ON UPDATE cláusula para campo '%-.64s'" swe "Invalid ON UPDATE clause for '%-.64s' field" ukr "Invalid ON UPDATE clause for '%-.64s' field" ER_UNSUPPORTED_PS eng "This command is not supported in the prepared statement protocol yet" - serbian "Got error %d '%-.100s' from %s" ER_GET_ERRMSG dan "Modtog fejl %d '%-.100s' fra %s" eng "Got error %d '%-.100s' from %s" jpn "Got NDB error %d '%-.100s'" nor "Mottok feil %d '%-.100s' fa %s" norwegian-ny "Mottok feil %d '%-.100s' fra %s" - serbian "Got temporary error %d '%-.100s' from %s" ER_GET_TEMPORARY_ERRMSG dan "Modtog temporary fejl %d '%-.100s' fra %s" eng "Got temporary error %d '%-.100s' from %s" jpn "Got temporary NDB error %d '%-.100s'" nor "Mottok temporary feil %d '%-.100s' fra %s" norwegian-ny "Mottok temporary feil %d '%-.100s' fra %s" - serbian "Unknown or incorrect time zone: '%-.64s'" ER_UNKNOWN_TIME_ZONE eng "Unknown or incorrect time zone: '%-.64s'" - serbian "Invalid TIMESTAMP value in column '%s' at row %ld" ER_WARN_INVALID_TIMESTAMP eng "Invalid TIMESTAMP value in column '%s' at row %ld" - serbian "Invalid %s character string: '%.64s'" ER_INVALID_CHARACTER_STRING eng "Invalid %s character string: '%.64s'" - serbian "Result of %s() was larger than max_allowed_packet (%ld) - truncated" ER_WARN_ALLOWED_PACKET_OVERFLOWED eng "Result of %s() was larger than max_allowed_packet (%ld) - truncated" - serbian "Conflicting declarations: '%s%s' and '%s%s'" ER_CONFLICTING_DECLARATIONS eng "Conflicting declarations: '%s%s' and '%s%s'" - serbian "Can't create a %s from within another stored routine" ER_SP_NO_RECURSIVE_CREATE 2F003 eng "Can't create a %s from within another stored routine" - serbian "%s %s already exists" ER_SP_ALREADY_EXISTS 42000 eng "%s %s already exists" - serbian "%s %s does not exist" ER_SP_DOES_NOT_EXIST 42000 eng "%s %s does not exist" - serbian "Failed to DROP %s %s" ER_SP_DROP_FAILED eng "Failed to DROP %s %s" - serbian "Failed to CREATE %s %s" ER_SP_STORE_FAILED eng "Failed to CREATE %s %s" - serbian "%s with no matching label: %s" ER_SP_LILABEL_MISMATCH 42000 eng "%s with no matching label: %s" - serbian "Redefining label %s" ER_SP_LABEL_REDEFINE 42000 eng "Redefining label %s" - serbian "End-label %s without match" ER_SP_LABEL_MISMATCH 42000 eng "End-label %s without match" - serbian "Referring to uninitialized variable %s" ER_SP_UNINIT_VAR 01000 eng "Referring to uninitialized variable %s" - serbian "SELECT in a stored procedure must have INTO" ER_SP_BADSELECT 0A000 eng "SELECT in a stored procedure must have INTO" - serbian "RETURN is only allowed in a FUNCTION" ER_SP_BADRETURN 42000 eng "RETURN is only allowed in a FUNCTION" - serbian "Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" ER_SP_BADSTATEMENT 0A000 eng "Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" - serbian "The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" ER_UPDATE_LOG_DEPRECATED_IGNORED 42000 eng "The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been ignored" - serbian "The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" ER_UPDATE_LOG_DEPRECATED_TRANSLATED 42000 eng "The update log is deprecated and replaced by the binary log; SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" - rus "The update log is deprecated and replaced by the binary log SET SQL_LOG_UPDATE has been translated to SET SQL_LOG_BIN" - serbian "Query execution was interrupted" ER_QUERY_INTERRUPTED 70100 eng "Query execution was interrupted" - serbian "Incorrect number of arguments for %s %s; expected %u, got %u" ER_SP_WRONG_NO_OF_ARGS 42000 eng "Incorrect number of arguments for %s %s; expected %u, got %u" - ger "Incorrect number of arguments for %s %s, expected %u, got %u" - serbian "Undefined CONDITION: %s" ER_SP_COND_MISMATCH 42000 eng "Undefined CONDITION: %s" - serbian "No RETURN found in FUNCTION %s" ER_SP_NORETURN 42000 eng "No RETURN found in FUNCTION %s" - serbian "FUNCTION %s ended without RETURN" ER_SP_NORETURNEND 2F005 eng "FUNCTION %s ended without RETURN" - serbian "Cursor statement must be a SELECT" ER_SP_BAD_CURSOR_QUERY 42000 eng "Cursor statement must be a SELECT" - serbian "Cursor SELECT must not have INTO" ER_SP_BAD_CURSOR_SELECT 42000 eng "Cursor SELECT must not have INTO" - serbian "Undefined CURSOR: %s" ER_SP_CURSOR_MISMATCH 42000 eng "Undefined CURSOR: %s" - serbian "Cursor is already open" ER_SP_CURSOR_ALREADY_OPEN 24000 eng "Cursor is already open" - serbian "Cursor is not open" ER_SP_CURSOR_NOT_OPEN 24000 eng "Cursor is not open" - serbian "Undeclared variable: %s" ER_SP_UNDECLARED_VAR 42000 eng "Undeclared variable: %s" - serbian "Incorrect number of FETCH variables" ER_SP_WRONG_NO_OF_FETCH_ARGS eng "Incorrect number of FETCH variables" - serbian "No data to FETCH" ER_SP_FETCH_NO_DATA 02000 eng "No data to FETCH" - serbian "Duplicate parameter: %s" ER_SP_DUP_PARAM 42000 eng "Duplicate parameter: %s" - serbian "Duplicate variable: %s" ER_SP_DUP_VAR 42000 eng "Duplicate variable: %s" - serbian "Duplicate condition: %s" ER_SP_DUP_COND 42000 eng "Duplicate condition: %s" - serbian "Duplicate cursor: %s" ER_SP_DUP_CURS 42000 eng "Duplicate cursor: %s" - serbian "Failed to ALTER %s %s" ER_SP_CANT_ALTER eng "Failed to ALTER %s %s" - serbian "Subselect value not supported" ER_SP_SUBSELECT_NYI 0A000 eng "Subselect value not supported" - serbian "USE is not allowed in a stored procedure" ER_SP_NO_USE 42000 eng "USE is not allowed in a stored procedure" - serbian "Variable or condition declaration after cursor or handler declaration" ER_SP_VARCOND_AFTER_CURSHNDLR 42000 eng "Variable or condition declaration after cursor or handler declaration" - serbian "Cursor declaration after handler declaration" ER_SP_CURSOR_AFTER_HANDLER 42000 eng "Cursor declaration after handler declaration" - serbian "Case not found for CASE statement" ER_SP_CASE_NOT_FOUND 20000 eng "Case not found for CASE statement" - serbian "Configuration file '%-.64s' is too big" ER_FPARSER_TOO_BIG_FILE eng "Configuration file '%-.64s' is too big" rus "óÌÉÛËÏÍ ÂÏÌØÛÏÊ ËÏÎÆÉÇÕÒÁÃÉÏÎÎÙÊ ÆÁÊÌ '%-.64s'" - serbian "Malformed file type header in file '%-.64s'" ukr "úÁÎÁÄÔÏ ×ÅÌÉËÉÊ ËÏÎÆ¦ÇÕÒÁæÊÎÉÊ ÆÁÊÌ '%-.64s'" ER_FPARSER_BAD_HEADER eng "Malformed file type header in file '%-.64s'" rus "îÅ×ÅÒÎÙÊ ÚÁÇÏÌÏ×ÏË ÔÉÐÁ ÆÁÊÌÁ '%-.64s'" - serbian "Unexpected end of file while parsing comment '%-.64s'" ukr "îÅצÒÎÉÊ ÚÁÇÏÌÏ×ÏË ÔÉÐÕ Õ ÆÁÊ̦ '%-.64s'" ER_FPARSER_EOF_IN_COMMENT eng "Unexpected end of file while parsing comment '%-.64s'" rus "îÅÏÖÉÄÁÎÎÙÊ ËÏÎÅà ÆÁÊÌÁ × ËÏÍÅÎÔÁÒÉÉ '%-.64s'" - serbian "Error while parsing parameter '%-.64s' (line: '%-.64s')" ukr "îÅÓÐÏĦ×ÁÎÎÉÊ Ë¦ÎÅÃØ ÆÁÊÌÕ Õ ËÏÍÅÎÔÁÒ¦ '%-.64s'" ER_FPARSER_ERROR_IN_PARAMETER eng "Error while parsing parameter '%-.64s' (line: '%-.64s')" rus "ïÛÉÂËÁ ÐÒÉ ÒÁÓÐÏÚÎÁ×ÁÎÉÉ ÐÁÒÁÍÅÔÒÁ '%-.64s' (ÓÔÒÏËÁ: '%-.64s')" - serbian "Unexpected end of file while skipping unknown parameter '%-.64s'" ukr "ðÏÍÉÌËÁ × ÒÏÓЦÚÎÁ×ÁÎΦ ÐÁÒÁÍÅÔÒÕ '%-.64s' (ÒÑÄÏË: '%-.64s')" ER_FPARSER_EOF_IN_UNKNOWN_PARAMETER eng "Unexpected end of file while skipping unknown parameter '%-.64s'" rus "îÅÏÖÉÄÁÎÎÙÊ ËÏÎÅà ÆÁÊÌÁ ÐÒÉ ÐÒÏÐÕÓËÅ ÎÅÉÚ×ÅÓÔÎÏÇÏ ÐÁÒÁÍÅÔÒÁ '%-.64s'" - serbian "EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" ukr "îÅÓÐÏĦ×ÁÎÎÉÊ Ë¦ÎÅÃØ ÆÁÊÌÕ Õ ÓÐÒϦ ÐÒÏÍÉÎÕÔÉ ÎÅצÄÏÍÉÊ ÐÁÒÁÍÅÔÒ '%-.64s'" ER_VIEW_NO_EXPLAIN eng "EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" rus "EXPLAIN/SHOW ÎÅ ÍÏÖÅÔ ÂÙÔØ ×ÙÐÏÌÎÅÎÎÏ; ÎÅÄÏÓÔÁÔÏÞÎÏ ÐÒÁ× ÎÁ ÔÁËÂÌÉÃÙ ÚÁÐÒÏÓÁ" - serbian "File '%-.64s' has unknown type '%-.64s' in its header" ukr "EXPLAIN/SHOW ÎÅ ÍÏÖÅ ÂÕÔÉ ×¦ËÏÎÁÎÏ; ÎÅÍÁ¤ ÐÒÁ× ÎÁ ÔÉÂÌÉæ ÚÁÐÉÔÕ" ER_FRM_UNKNOWN_TYPE eng "File '%-.64s' has unknown type '%-.64s' in its header" rus "æÁÊÌ '%-.64s' ÓÏÄÅÒÖÉÔ ÎÅÉÚ×ÅÓÔÎÙÊ ÔÉÐ '%-.64s' × ÚÁÇÏÌÏ×ËÅ" - serbian "'%-.64s.%-.64s' is not %s" ukr "æÁÊÌ '%-.64s' ÍÁ¤ ÎÅצÄÏÍÉÊ ÔÉÐ '%-.64s' Õ ÚÁÇÏÌÏ×ËÕ" ER_WRONG_OBJECT eng "'%-.64s.%-.64s' is not %s" rus "'%-.64s.%-.64s' - ÎÅ %s" - serbian "Column '%-.64s' is not updatable" ukr "'%-.64s.%-.64s' ÎÅ ¤ %s" ER_NONUPDATEABLE_COLUMN eng "Column '%-.64s' is not updatable" rus "óÔÏÌÂÅà '%-.64s' ÎÅ ÏÂÎÏ×ÌÑÅÍÙÊ" - serbian "View's SELECT contains a subquery in the FROM clause" ukr "óÔÏ×ÂÅÃØ '%-.64s' ÎÅ ÍÏÖÅ ÂÕÔÉ ÚÍÉÎÅÎÉÊ" ER_VIEW_SELECT_DERIVED eng "View's SELECT contains a subquery in the FROM clause" rus "View SELECT ÓÏÄÅÒÖÉÔ ÐÏÄÚÁÐÒÏÓ × ËÏÎÓÔÒÕËÃÉÉ FROM" - serbian "View's SELECT contains a '%s' clause" ukr "View SELECT ÍÁ¤ ЦÄÚÁÐÉÔ Õ ËÏÎÓÔÒÕËæ§ FROM" ER_VIEW_SELECT_CLAUSE eng "View's SELECT contains a '%s' clause" rus "View SELECT ÓÏÄÅÒÖÉÔ ËÏÎÓÔÒÕËÃÉÀ '%s'" - serbian "View's SELECT contains a variable or parameter" ukr "View SELECT ÍÁ¤ ËÏÎÓÔÒÕËæÀ '%s'" ER_VIEW_SELECT_VARIABLE eng "View's SELECT contains a variable or parameter" rus "View SELECT ÓÏÄÅÒÖÉÔ ÐÅÒÅÍÅÎÎÕÀ ÉÌÉ ÐÁÒÁÍÅÔÒ" - serbian "View's SELECT contains a temporary table '%-.64s'" ukr "View SELECT ÍÁ¤ ÚÍÉÎÎÕ ÁÂÏ ÐÁÒÁÍÅÔÅÒ" ER_VIEW_SELECT_TMPTABLE eng "View's SELECT contains a temporary table '%-.64s'" rus "View SELECT ÓÏÄÅÒÖÉÔ ÓÓÙÌËÕ ÎÁ ×ÒÅÍÅÎÎÕÀ ÔÁÂÌÉÃÕ '%-.64s'" - serbian "View's SELECT and view's field list have different column counts" ukr "View SELECT ×ÉËÏÒÉÓÔÏ×Õ¤ ÔÉÍÞÁÓÏ×Õ ÔÁÂÌÉÃÀ '%-.64s'" ER_VIEW_WRONG_LIST eng "View's SELECT and view's field list have different column counts" rus "View SELECT É ÓÐÉÓÏË ÐÏÌÅÊ view ÉÍÅÀÔ ÒÁÚÎÏÅ ËÏÌÉÞÅÓÔ×Ï ÓÔÏÌÂÃÏ×" - serbian "View merge algorithm can't be used here for now (assumed undefined algorithm)" ukr "View SELECT ¦ ÐÅÒÅÌ¦Ë ÓÔÏ×ÂÃ¦× view ÍÁÀÔØ Ò¦ÚÎÕ Ë¦ÌØË¦ÓÔØ ÓËÏ×Âæ×" ER_WARN_VIEW_MERGE eng "View merge algorithm can't be used here for now (assumed undefined algorithm)" rus "áÌÇÏÒÉÔÍ ÓÌÉÑÎÉÑ view ÎÅ ÍÏÖÅÔ ÂÙÔØ ÉÓÐÏÌØÚÏ×ÁÎ ÓÅÊÞÁÓ (ÁÌÇÏÒÉÔÍ ÂÕÄÅÔ ÎÅÏÐÅÒÅÄÅÌÅÎÎÙÍ)" - serbian "View being updated does not have complete key of underlying table in it" ukr "áÌÇÏÒÉÔÍ ÚÌÉ×ÁÎÎÑ view ÎÅ ÍÏÖÅ ÂÕÔÉ ×ÉËÏÒÉÓÔÁÎÉÊ ÚÁÒÁÚ (ÁÌÇÏÒÉÔÍ ÂÕÄÅ ÎÅ×ÉÚÎÁÞÅÎÉÊ)" ER_WARN_VIEW_WITHOUT_KEY eng "View being updated does not have complete key of underlying table in it" rus "ïÂÎÏ×ÌÑÅÍÙÊ view ÎÅ ÓÏÄÅÒÖÉÔ ËÌÀÞÁ ÉÓÐÏÌØÚÏ×ÁÎÎÙÈ(ÏÊ) × ÎÅÍ ÔÁÂÌÉÃ(Ù)" - serbian "View '%-.64s.%-.64s' references invalid table(s) or column(s)" ukr "View, ÝÏ ÏÎÏ×ÌÀÅÔØÓÑ, ΊͦÓÔÉÔØ ÐÏ×ÎÏÇÏ ËÌÀÞÁ ÔÁÂÌÉæ(Ø), ÝÏ ×ÉËÏÒ¦ÓÔÁÎÁ × ÎØÀÏÍÕ" ER_VIEW_INVALID eng "View '%-.64s.%-.64s' references invalid table(s) or column(s) or function(s)" rus "View '%-.64s.%-.64s' ÓÓÙÌÁÅÔÓÑ ÎÁ ÎÅÓÕÝÅÓÔ×ÕÀÝÉÅ ÔÁÂÌÉÃÙ ÉÌÉ ÓÔÏÌÂÃÙ ÉÌÉ ÆÕÎËÃÉÉ" - serbian "Can't drop a %s from within another stored routine" ER_SP_NO_DROP_SP eng "Can't drop a %s from within another stored routine" - serbian "GOTO is not allowed in a stored procedure handler" ER_SP_GOTO_IN_HNDLR eng "GOTO is not allowed in a stored procedure handler" - serbian "Trigger already exists" ER_TRG_ALREADY_EXISTS eng "Trigger already exists" - serbian "Trigger does not exist" ER_TRG_DOES_NOT_EXIST eng "Trigger does not exist" - serbian "Trigger's '%-.64s' is view or temporary table" ER_TRG_ON_VIEW_OR_TEMP_TABLE eng "Trigger's '%-.64s' is view or temporary table" - serbian "Updating of %s row is not allowed in %strigger" ER_TRG_CANT_CHANGE_ROW eng "Updating of %s row is not allowed in %strigger" - serbian "There is no %s row in %s trigger" ER_TRG_NO_SUCH_ROW_IN_TRG eng "There is no %s row in %s trigger" - serbian "Field '%-.64s' doesn't have a default value" ER_NO_DEFAULT_FOR_FIELD eng "Field '%-.64s' doesn't have a default value" - serbian "Division by 0" ER_DIVISION_BY_ZERO 22012 eng "Division by 0" - serbian "Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld" ER_TRUNCATED_WRONG_VALUE_FOR_FIELD eng "Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld" - serbian "Illegal %s '%-.64s' value found during parsing" ER_ILLEGAL_VALUE_FOR_TYPE 22007 eng "Illegal %s '%-.64s' value found during parsing" - serbian "CHECK OPTION on non-updatable view '%-.64s.%-.64s'" ER_VIEW_NONUPD_CHECK eng "CHECK OPTION on non-updatable view '%-.64s.%-.64s'" rus "CHECK OPTION ÄÌÑ ÎÅÏÂÎÏ×ÌÑÅÍÏÇÏ VIEW '%-.64s.%-.64s'" - serbian "CHECK OPTION failed '%-.64s.%-.64s'" ukr "CHECK OPTION ÄÌÑ VIEW '%-.64s.%-.64s' ÝÏ ÎÅ ÍÏÖÅ ÂÕÔÉ ÏÎÏ×ÌÅÎÎÉÍ" ER_VIEW_CHECK_FAILED eng "CHECK OPTION failed '%-.64s.%-.64s'" rus "ÐÒÏ×ÅÒËÁ CHECK OPTION ÄÌÑ VIEW '%-.64s.%-.64s' ÐÒÏ×ÁÌÉÌÁÓØ" - serbian "Access denied; you are not the procedure/function definer of '%s'" ukr "ðÅÒÅצÒËÁ CHECK OPTION ÄÌÑ VIEW '%-.64s.%-.64s' ÎÅ ÐÒÏÊÛÌÁ" ER_SP_ACCESS_DENIED_ERROR 42000 eng "Access denied; you are not the procedure/function definer of '%s'" - serbian "Failed purging old relay logs: %s" ER_RELAY_LOG_FAIL eng "Failed purging old relay logs: %s" - serbian "Password hash should be a %d-digit hexadecimal number" ER_PASSWD_LENGTH eng "Password hash should be a %d-digit hexadecimal number" - serbian "Target log not found in binlog index" ER_UNKNOWN_TARGET_BINLOG eng "Target log not found in binlog index" - serbian "I/O error reading log index file" ER_IO_ERR_LOG_INDEX_READ eng "I/O error reading log index file" - serbian "Server configuration does not permit binlog purge" ER_BINLOG_PURGE_PROHIBITED eng "Server configuration does not permit binlog purge" - serbian "Failed on fseek()" ER_FSEEK_FAIL eng "Failed on fseek()" - serbian "Fatal error during log purge" ER_BINLOG_PURGE_FATAL_ERR eng "Fatal error during log purge" - serbian "A purgeable log is in use, will not purge" ER_LOG_IN_USE eng "A purgeable log is in use, will not purge" - serbian "Unknown error during log purge" ER_LOG_PURGE_UNKNOWN_ERR eng "Unknown error during log purge" - serbian "Failed initializing relay log position: %s" ER_RELAY_LOG_INIT eng "Failed initializing relay log position: %s" - serbian "You are not using binary logging" ER_NO_BINARY_LOGGING eng "You are not using binary logging" - serbian "The '%-.64s' syntax is reserved for purposes internal to the MySQL server" ER_RESERVED_SYNTAX eng "The '%-.64s' syntax is reserved for purposes internal to the MySQL server" - serbian "WSAStartup Failed" ER_WSAS_FAILED eng "WSAStartup Failed" - serbian "Can't handle procedures with differents groups yet" ER_DIFF_GROUPS_PROC eng "Can't handle procedures with differents groups yet" - serbian "Select must have a group with this procedure" ER_NO_GROUP_FOR_PROC eng "Select must have a group with this procedure" - serbian "Can't use ORDER clause with this procedure" ER_ORDER_WITH_PROC eng "Can't use ORDER clause with this procedure" - serbian "Binary logging and replication forbid changing the global server %s" ER_LOGING_PROHIBIT_CHANGING_OF eng "Binary logging and replication forbid changing the global server %s" - serbian "Can't map file: %-.64s, errno: %d" ER_NO_FILE_MAPPING eng "Can't map file: %-.64s, errno: %d" - serbian "Wrong magic in %-.64s" ER_WRONG_MAGIC eng "Wrong magic in %-.64s" - serbian "Prepared statement contains too many placeholders" ER_PS_MANY_PARAM eng "Prepared statement contains too many placeholders" - serbian "Key part '%-.64s' length cannot be 0" ER_KEY_PART_0 eng "Key part '%-.64s' length cannot be 0" - serbian "View text checksum failed" ER_VIEW_CHECKSUM eng "View text checksum failed" rus "ðÒÏ×ÅÒËÁ ËÏÎÔÒÏÌØÎÏÊ ÓÕÍÍÙ ÔÅËÓÔÁ VIEW ÐÒÏ×ÁÌÉÌÁÓØ" - serbian "Can not modify more than one base table through a join view '%-.64s.%-.64s'" ukr "ðÅÒÅצÒËÁ ËÏÎÔÒÏÌØÎϧ ÓÕÍÉ ÔÅËÓÔÕ VIEW ÎÅ ÐÒÏÊÛÌÁ" ER_VIEW_MULTIUPDATE eng "Can not modify more than one base table through a join view '%-.64s.%-.64s'" rus "îÅÌØÚÑ ÉÚÍÅÎÉÔØ ÂÏÌØÛÅ ÞÅÍ ÏÄÎÕ ÂÁÚÏ×ÕÀ ÔÁÂÌÉÃÕ ÉÓÐÏÌØÚÕÑ ÍÎÏÇÏÔÁÂÌÉÞÎÙÊ VIEW '%-.64s.%-.64s'" - serbian "Can not insert into join view '%-.64s.%-.64s' without fields list" ukr "îÅÍÏÖÌÉ×Ï ÏÎÏ×ÉÔÉ Â¦ÌØÛ ÎÉÖ ÏÄÎÕ ÂÁÚÏ×Õ ÔÁÂÌÉÃÀ ×ÙËÏÒÉÓÔÏ×ÕÀÞÉ VIEW '%-.64s.%-.64s', ÝÏ Í¦ÓÔ¦ÔØ ÄÅË¦ÌØËÁ ÔÁÂÌÉÃØ" ER_VIEW_NO_INSERT_FIELD_LIST eng "Can not insert into join view '%-.64s.%-.64s' without fields list" rus "îÅÌØÚÑ ×ÓÔÁ×ÌÑÔØ ÚÁÐÉÓÉ × ÍÎÏÇÏÔÁÂÌÉÞÎÙÊ VIEW '%-.64s.%-.64s' ÂÅÚ ÓÐÉÓËÁ ÐÏÌÅÊ" - serbian "Can not delete from join view '%-.64s.%-.64s'" ukr "îÅÍÏÖÌÉ×Ï ÕÓÔÁ×ÉÔÉ ÒÑÄËÉ Õ VIEW '%-.64s.%-.64s', ÝÏ Í¦ÓÔÉÔØ ÄÅË¦ÌØËÁ ÔÁÂÌÉÃØ, ÂÅÚ ÓÐÉÓËÕ ÓÔÏ×Âæ×" ER_VIEW_DELETE_MERGE_VIEW eng "Can not delete from join view '%-.64s.%-.64s'" rus "îÅÌØÚÑ ÕÄÁÌÑÔØ ÉÚ ÍÎÏÇÏÔÁÂÌÉÞÎÏÇÏ VIEW '%-.64s.%-.64s'" - serbian "Operation %s failed for '%.256s'" ukr "îÅÍÏÖÌÉ×Ï ×ÉÄÁÌÉÔÉ ÒÑÄËÉ Õ VIEW '%-.64s.%-.64s', ÝÏ Í¦ÓÔÉÔØ ÄÅË¦ÌØËÁ ÔÁÂÌÉÃØ" ER_CANNOT_USER - cze "Operation %s failed for '%.256s'" - dan "Operation %s failed for '%.256s'" - nla "Operation %s failed for '%.256s'" eng "Operation %s failed for %.256s" - est "Operation %s failed for '%.256s'" - fre "Operation %s failed for '%.256s'" ger "Das Kommando %s scheiterte für %.256s" - greek "Operation %s failed for '%.256s'" - hun "Operation %s failed for '%.256s'" - ita "Operation %s failed for '%.256s'" - jpn "Operation %s failed for '%.256s'" - kor "Operation %s failed for '%.256s'" - nor "Operation %s failed for '%.256s'" norwegian-ny "Operation %s failed for '%.256s'" - pol "Operation %s failed for '%.256s'" - por "Operation %s failed for '%.256s'" - rum "Operation %s failed for '%.256s'" - rus "Operation %s failed for '%.256s'" - serbian "" - slo "Operation %s failed for '%.256s'" - spa "Operation %s failed for '%.256s'" - swe "Operation %s failed for '%.256s'" - ukr "Operation %s failed for '%.256s'"