diff --git a/.bzrignore b/.bzrignore index e47629f14ec..0d5a8647198 100644 --- a/.bzrignore +++ b/.bzrignore @@ -983,3 +983,6 @@ vio/test-ssl vio/test-sslclient vio/test-sslserver vio/viotest-ssl +extra/mysqld_error.h +extra/sql_state.h +extra/created_include_files diff --git a/BitKeeper/etc/logging_ok b/BitKeeper/etc/logging_ok index 4e9712f5ac6..fbded8f67d3 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..7bb401f0729 100644 --- a/extra/Makefile.am +++ b/extra/Makefile.am @@ -15,9 +15,26 @@ # 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) +created_sources = created_include_files +CLEANFILES = $(created_sources) +SUPERCLEANFILES = $(BUILT_SOURCES) + +all: $(created_sources) + +# 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 noinst_PROGRAMS = charset2html diff --git a/extra/comp_err.c b/extra/comp_err.c index 6c7fad6a270..9ddd1d7d971 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,913 @@ 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; + DBUG_ENTER("main"); - if ((from = fopen(*argv,"r")) == NULL) + 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=0, *new_lang; + DBUG_ENTER("parse_charset_string"); + DBUG_PRINT("enter", ("str: %s", str)); + + /* 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= 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/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/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/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/libmysql.c b/libmysql/libmysql.c index fbaa22cff14..2e9721abbe3 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, + INT_MIN8, INT_MAX8, UINT_MAX8) | + 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, + INT_MIN16, INT_MAX16, UINT_MAX16) | + 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, + INT_MIN32, INT_MAX32, UINT_MAX32) | + 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, + INT_MIN8, INT_MAX8, UINT_MAX8); *(uchar *)param->buffer= (uchar) value; break; case MYSQL_TYPE_SHORT: - shortstore(buffer, value); + *param->error= IS_TRUNCATED(value, param->is_unsigned, + INT_MIN16, INT_MAX16, UINT_MAX16); + shortstore(buffer, (short) value); break; case MYSQL_TYPE_LONG: - longstore(buffer, value); + *param->error= IS_TRUNCATED(value, param->is_unsigned, + INT_MIN32, INT_MAX32, UINT_MAX32); + 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 > INT_MAX8; (*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 > INT_MAX16; *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 > INT_MAX32; *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 > LONGLONG_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); + const 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/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/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/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/mysql-test/r/information_schema.result b/mysql-test/r/information_schema.result index ab6e180e6b7..d421ac1d184 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 @@ -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 @@ -385,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 @@ -410,9 +415,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 @@ -466,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; @@ -475,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; @@ -554,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 @@ -585,3 +590,40 @@ 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 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 +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/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/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/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/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 diff --git a/mysql-test/t/information_schema.test b/mysql-test/t/information_schema.test index 123967f1c4a..0fe7636e500 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 # @@ -286,3 +292,29 @@ use test; show tables; use information_schema; 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 + 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 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'; +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/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/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/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 # diff --git a/server-tools/instance-manager/Makefile.am b/server-tools/instance-manager/Makefile.am index d1ecdbbd509..cc376fe2d18 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/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; }; 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/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/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/ha_innodb.cc b/sql/ha_innodb.cc index 0c7fc23ee49..3418f82ee39 100644 --- a/sql/ha_innodb.cc +++ b/sql/ha_innodb.cc @@ -1326,7 +1326,7 @@ innobase_commit( &innodb_dummy_stmt_trx_handle: the latter means that the current SQL statement ended */ { - trx_t* trx; + trx_t* trx; DBUG_ENTER("innobase_commit"); DBUG_PRINT("trans", ("ending transaction")); @@ -3830,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"); @@ -4000,6 +4001,20 @@ ha_innobase::create( DBUG_ASSERT(innobase_table != 0); + if ((thd->lex->create_info.used_fields & HA_CREATE_USED_AUTO) && + (thd->lex->create_info.auto_increment_value != 0)) { + + /* 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 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); + } + /* Tell the InnoDB server that there might be work for utility threads: */ 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/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/errmsg.txt b/sql/share/errmsg.txt new file mode 100644 index 00000000000..c93e203f0d5 --- /dev/null +++ b/sql/share/errmsg.txt @@ -0,0 +1,5234 @@ +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" + 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" + ita "Il gestore per la tabella non supporta il dump binario" + jpn "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" + 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'" + 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'" + por "Falhou na reconstruГЦo do Мndice da tabela 'dumped' '%-.64s'" + rus "Ошибка перестройки индекса сохраненной таблицы '%-.64s'" + serbian "Izgradnja indeksa dump-ovane tabele '%-.64s' nije uspela" + spa "Falla reconstruyendo el indice de la tabla dumped '%-.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 и попробуйте еще раз" + 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 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" +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 "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" +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 "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 + 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" + 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" +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 "Невозможно создать поток подчиненного сервера. Проверьте системные ресурсы" + 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 "Не можу створити п╕длеглу г╕лку, перев╕рте системн╕ ресурси" +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 "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' активних з'╓днань" +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 "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" +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 "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 "Затримку оч╕кування блокування вичерпано" +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 "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 "Загальна к╕льк╕сть блокувань перевищила розм╕р блокувань для таблиц╕" +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 "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" +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 '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 не дозволено доки г╕лка перебува╓ п╕д загальним блокуванням читання" +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 "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 не дозволено доки г╕лка перебува╓ п╕д загальним блокуванням читання" +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 "Pogre ni argumenti prosleПeni na %s" + 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 "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' не дозволено створювати нових користувач╕в" +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 "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 + 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 "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" +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 "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 ╕ндекс╕в" +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 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 + nla "Kan onderliggende rij niet toevoegen: foreign key beperking gefaald" + eng "Cannot add or update 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" + norwegian-ny "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" + rus "Невозможно добавить или обновить дочернюю строку: проверка ограничений внешнего ключа не выполняется" + spa "No puede adicionar una lМnea hijo: falla de clave extranjera constraint" + swe "FOREIGN KEY-konflikt: Kan inte skriva barn" +ER_ROW_IS_REFERENCED 23000 + eng "Cannot delete or update 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" + por "NЦo pode apagar uma linha pai: uma restriГЦo de chave estrangeira falhou" + rus "Невозможно удалить или обновить родительскую строку: проверка ограничений внешнего ключа не выполняется" + 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" +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" + 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" + 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 "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 + 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 "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" +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 "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 + 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 "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 + 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 "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 + 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' дважды использована в выражении" + 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)" + 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 для этой операции" + 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" + 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" + 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' не имеет значения по умолчанию" + 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'" + 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'" + spa "Tipo de argumento equivocado para variable '%-.64s'" + swe "Fel typ av argument till variabel '%-.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' может быть только установлена, но не считана" + 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'" + spa "Equivocado uso/colocaciСn de '%s'" + swe "Fel anvДnding/placering av '%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'" + 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' от головного сервера в процессе выборки данных из двоичного журнала" + 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" + 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" + spa "Equivocada definiciСn de llave extranjera para '%-.64s': %s" + swe "Felaktig FOREIGN KEY-definition fЖr '%-.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" + spa "Referencia de llave y referencia de tabla no coinciden" + swe "Nyckelreferensen och tabellreferensen stДmmer inte Жverens" +ER_OPERAND_COLUMNS 21000 + eng "Operand should contain %d column(s)" + ger "Operand solle %d Spalte(n) enthalten" + rus "Операнд должен содержать %d колонок" + 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 "Подзапрос возвращает более одной записи" + 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" + 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" + 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 "Циклическая ссылка на подзапрос" + 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" + 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)" + 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" + spa "Cada tabla derivada debe tener su propio alias" + swe "Varje 'derived table' mЕste ha sitt eget 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 был упразднен в процессе оптимизации" + 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" + 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" +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" + 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 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'" + 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" + 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" + 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)" + spa "TamaЯo demasiado grande para datos descomprimidos. El mАximo tamaЯo es %d. (probablemente, extensiСn de datos descomprimidos fuИ corrompida)" +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" + spa "Z_MEM_ERROR: No suficiente memoria para 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)" + spa "Z_BUF_ERROR: No suficiente espacio en el bЗfer de salida para zlib (probablemente, extensiСn de datos descomprimidos fuИ corrompida)" +ER_ZLIB_Z_DATA_ERROR + eng "ZLIB: Input data corrupted" + ger "ZLIB: Eingabedaten beschДdigt" + por "ZLIB: Dados de entrada estА corrupto" + 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()" + 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" + 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" + spa "LМnea %ld fuИ truncada; La misma contine mas datos que las que existen en las columnas de entrada" +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" + spa "Datos truncado, NULL suministrado para NOT NULL columna '%s' en la lМnea %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" + spa "Datos truncados, fuera de gama para columna '%s' en la lМnea %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" + 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'" + 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'" + 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" +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" + 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'" + 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'" + 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)" + spa "Variable '%-.64s' no es una variable componente (No puede ser usada como XXXX.variable_name)" +ER_UNKNOWN_COLLATION + eng "Unknown collation: '%-.64s'" + ger "Unbekannte Kollation: '%-.64s'" + por "Collation desconhecida: '%-.64s'" + 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." + 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' пароль сохранён в старом формате; необходимо обновить формат пароля" + 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" + 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" + spa "Parametro equivocado o combinaciСn de parametros para START SLAVE UNTIL" +ER_MISSING_SKIP_SLAVE + 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" + 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" + 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" + 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" +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" + 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'" + 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'" + spa "Nombre de catalog incorrecto '%-.100s'" + swe "Felaktigt katalog namn '%-.100s'" +ER_WARN_QC_RESIZE + eng "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" + rus "Кеш запросов не может установить размер %lu, новый размер кеша зпросов - %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" + 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'" + spa "Desconocida key cache '%-.100s'" + swe "OkДnd nyckel cache '%-.100s'" +ER_WARN_HOSTNAME_WONT_WORK + eng "MySQL is started in --skip-name-resolve mode; you must 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" + spa "MySQL esta inicializado en modo --skip-name-resolve. Usted necesita reinicializarlo sin esta opciСn para este derecho funcionar" +ER_UNKNOWN_STORAGE_ENGINE 42000 + eng "Unknown table engine '%s'" + por "Motor de tabela desconhecido '%s'" + spa "Desconocido motor de tabla '%s'" +ER_WARN_DEPRECATED_SYNTAX + eng "'%s' is deprecated; use '%s' instead" + por "'%s' И desatualizado. Use '%s' em seu lugar" + spa "'%s' estА desaprobado, use '%s' en su lugar" +ER_NON_UPDATABLE_TABLE + eng "The target table %-.100s of the %s is not updatable" + por "A tabela destino %-.100s do %s nЦo И atualizАvel" + rus "Таблица %-.100s в %s не может изменятся" + 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 + eng "The '%s' feature is 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" + 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" +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" + 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" + spa "Columna '%-.100s' tiene valor doblado '%-.64s' en %s" +ER_TRUNCATED_WRONG_VALUE 22007 + eng "Truncated incorrect %-.32s value: '%-.128s'" + por "Truncado errado %-.32s valor: '%-.128s'" + spa "Equivocado truncado %-.32s valor: '%-.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" + por "Incorreta definiГЦo de tabela; Pode ter somente uma coluna TIMESTAMP com CURRENT_TIMESTAMP em DEFAULT ou ON UPDATE clАusula" + 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'" + 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" +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" +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" +ER_UNKNOWN_TIME_ZONE + eng "Unknown or incorrect time zone: '%-.64s'" +ER_WARN_INVALID_TIMESTAMP + eng "Invalid TIMESTAMP value in column '%s' at row %ld" +ER_INVALID_CHARACTER_STRING + eng "Invalid %s character string: '%.64s'" +ER_WARN_ALLOWED_PACKET_OVERFLOWED + eng "Result of %s() was larger than max_allowed_packet (%ld) - truncated" +ER_CONFLICTING_DECLARATIONS + eng "Conflicting declarations: '%s%s' and '%s%s'" +ER_SP_NO_RECURSIVE_CREATE 2F003 + eng "Can't create a %s from within another stored routine" +ER_SP_ALREADY_EXISTS 42000 + eng "%s %s already exists" +ER_SP_DOES_NOT_EXIST 42000 + eng "%s %s does not exist" +ER_SP_DROP_FAILED + eng "Failed to DROP %s %s" +ER_SP_STORE_FAILED + eng "Failed to CREATE %s %s" +ER_SP_LILABEL_MISMATCH 42000 + eng "%s with no matching label: %s" +ER_SP_LABEL_REDEFINE 42000 + eng "Redefining label %s" +ER_SP_LABEL_MISMATCH 42000 + eng "End-label %s without match" +ER_SP_UNINIT_VAR 01000 + eng "Referring to uninitialized variable %s" +ER_SP_BADSELECT 0A000 + eng "SELECT in a stored procedure must have INTO" +ER_SP_BADRETURN 42000 + eng "RETURN is only allowed in a FUNCTION" +ER_SP_BADSTATEMENT 0A000 + eng "Statements like SELECT, INSERT, UPDATE (and others) are not allowed in a FUNCTION" +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" +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" +ER_QUERY_INTERRUPTED 70100 + eng "Query execution was interrupted" +ER_SP_WRONG_NO_OF_ARGS 42000 + eng "Incorrect number of arguments for %s %s; expected %u, got %u" +ER_SP_COND_MISMATCH 42000 + eng "Undefined CONDITION: %s" +ER_SP_NORETURN 42000 + eng "No RETURN found in FUNCTION %s" +ER_SP_NORETURNEND 2F005 + eng "FUNCTION %s ended without RETURN" +ER_SP_BAD_CURSOR_QUERY 42000 + eng "Cursor statement must be a SELECT" +ER_SP_BAD_CURSOR_SELECT 42000 + eng "Cursor SELECT must not have INTO" +ER_SP_CURSOR_MISMATCH 42000 + eng "Undefined CURSOR: %s" +ER_SP_CURSOR_ALREADY_OPEN 24000 + eng "Cursor is already open" +ER_SP_CURSOR_NOT_OPEN 24000 + eng "Cursor is not open" +ER_SP_UNDECLARED_VAR 42000 + eng "Undeclared variable: %s" +ER_SP_WRONG_NO_OF_FETCH_ARGS + eng "Incorrect number of FETCH variables" +ER_SP_FETCH_NO_DATA 02000 + eng "No data to FETCH" +ER_SP_DUP_PARAM 42000 + eng "Duplicate parameter: %s" +ER_SP_DUP_VAR 42000 + eng "Duplicate variable: %s" +ER_SP_DUP_COND 42000 + eng "Duplicate condition: %s" +ER_SP_DUP_CURS 42000 + eng "Duplicate cursor: %s" +ER_SP_CANT_ALTER + eng "Failed to ALTER %s %s" +ER_SP_SUBSELECT_NYI 0A000 + eng "Subselect value not supported" +ER_SP_NO_USE 42000 + eng "USE is not allowed in a stored procedure" +ER_SP_VARCOND_AFTER_CURSHNDLR 42000 + eng "Variable or condition declaration after cursor or handler declaration" +ER_SP_CURSOR_AFTER_HANDLER 42000 + eng "Cursor declaration after handler declaration" +ER_SP_CASE_NOT_FOUND 20000 + eng "Case not found for CASE statement" +ER_FPARSER_TOO_BIG_FILE + eng "Configuration file '%-.64s' is too big" + rus "Слишком большой конфигурационный файл '%-.64s'" + ukr "Занадто великий конф╕гурац╕йний файл '%-.64s'" +ER_FPARSER_BAD_HEADER + eng "Malformed file type header in file '%-.64s'" + rus "Неверный заголовок типа файла '%-.64s'" + ukr "Нев╕рний заголовок типу у файл╕ '%-.64s'" +ER_FPARSER_EOF_IN_COMMENT + eng "Unexpected end of file while parsing comment '%-.64s'" + rus "Неожиданный конец файла в коментарии '%-.64s'" + ukr "Неспод╕ванний к╕нець файлу у коментар╕ '%-.64s'" +ER_FPARSER_ERROR_IN_PARAMETER + eng "Error while parsing parameter '%-.64s' (line: '%-.64s')" + rus "Ошибка при распознавании параметра '%-.64s' (строка: '%-.64s')" + ukr "Помилка в росп╕знаванн╕ параметру '%-.64s' (рядок: '%-.64s')" +ER_FPARSER_EOF_IN_UNKNOWN_PARAMETER + eng "Unexpected end of file while skipping unknown parameter '%-.64s'" + rus "Неожиданный конец файла при пропуске неизвестного параметра '%-.64s'" + ukr "Неспод╕ванний к╕нець файлу у спроб╕ проминути нев╕домий параметр '%-.64s'" +ER_VIEW_NO_EXPLAIN + eng "EXPLAIN/SHOW can not be issued; lacking privileges for underlying table" + rus "EXPLAIN/SHOW не может быть выполненно; недостаточно прав на такблицы запроса" + ukr "EXPLAIN/SHOW не може бути в╕конано; нема╓ прав на тиблиц╕ запиту" +ER_FRM_UNKNOWN_TYPE + eng "File '%-.64s' has unknown type '%-.64s' in its header" + rus "Файл '%-.64s' содержит неизвестный тип '%-.64s' в заголовке" + ukr "Файл '%-.64s' ма╓ нев╕домий тип '%-.64s' у заголовку" +ER_WRONG_OBJECT + eng "'%-.64s.%-.64s' is not %s" + rus "'%-.64s.%-.64s' - не %s" + ukr "'%-.64s.%-.64s' не ╓ %s" +ER_NONUPDATEABLE_COLUMN + eng "Column '%-.64s' is not updatable" + rus "Столбец '%-.64s' не обновляемый" + ukr "Стовбець '%-.64s' не може бути зминений" +ER_VIEW_SELECT_DERIVED + eng "View's SELECT contains a subquery in the FROM clause" + rus "View SELECT содержит подзапрос в конструкции FROM" + ukr "View SELECT ма╓ п╕дзапит у конструкц╕╖ FROM" +ER_VIEW_SELECT_CLAUSE + eng "View's SELECT contains a '%s' clause" + rus "View SELECT содержит конструкцию '%s'" + ukr "View SELECT ма╓ конструкц╕ю '%s'" +ER_VIEW_SELECT_VARIABLE + eng "View's SELECT contains a variable or parameter" + rus "View SELECT содержит переменную или параметр" + ukr "View SELECT ма╓ зминну або параметер" +ER_VIEW_SELECT_TMPTABLE + eng "View's SELECT contains a temporary table '%-.64s'" + rus "View SELECT содержит ссылку на временную таблицу '%-.64s'" + 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 имеют разное количество столбцов" + ukr "View SELECT ╕ перел╕к стовбц╕в view мають р╕зну к╕льк╕сть сковбц╕в" +ER_WARN_VIEW_MERGE + eng "View merge algorithm can't be used here for now (assumed undefined algorithm)" + rus "Алгоритм слияния view не может быть использован сейчас (алгоритм будет неопеределенным)" + ukr "Алгоритм зливання view не може бути використаний зараз (алгоритм буде невизначений)" +ER_WARN_VIEW_WITHOUT_KEY + eng "View being updated does not have complete key of underlying table in it" + rus "Обновляемый view не содержит ключа использованных(ой) в нем таблиц(ы)" + ukr "View, що оновлюеться, не м╕стить повного ключа таблиц╕(ь), що викор╕стана в ньюому" +ER_VIEW_INVALID + eng "View '%-.64s.%-.64s' references invalid table(s) or column(s) or function(s)" + rus "View '%-.64s.%-.64s' ссылается на несуществующие таблицы или столбцы или функции" +ER_SP_NO_DROP_SP + eng "Can't drop a %s from within another stored routine" +ER_SP_GOTO_IN_HNDLR + eng "GOTO is not allowed in a stored procedure handler" +ER_TRG_ALREADY_EXISTS + eng "Trigger already exists" +ER_TRG_DOES_NOT_EXIST + eng "Trigger does not exist" +ER_TRG_ON_VIEW_OR_TEMP_TABLE + eng "Trigger's '%-.64s' is view or temporary table" +ER_TRG_CANT_CHANGE_ROW + eng "Updating of %s row is not allowed in %strigger" +ER_TRG_NO_SUCH_ROW_IN_TRG + eng "There is no %s row in %s trigger" +ER_NO_DEFAULT_FOR_FIELD + eng "Field '%-.64s' doesn't have a default value" +ER_DIVISION_BY_ZERO 22012 + eng "Division by 0" +ER_TRUNCATED_WRONG_VALUE_FOR_FIELD + eng "Incorrect %-.32s value: '%-.128s' for column '%.64s' at row %ld" +ER_ILLEGAL_VALUE_FOR_TYPE 22007 + eng "Illegal %s '%-.64s' value found during parsing" +ER_VIEW_NONUPD_CHECK + eng "CHECK OPTION on non-updatable view '%-.64s.%-.64s'" + rus "CHECK OPTION для необновляемого VIEW '%-.64s.%-.64s'" + ukr "CHECK OPTION для VIEW '%-.64s.%-.64s' що не може бути оновленним" +ER_VIEW_CHECK_FAILED + eng "CHECK OPTION failed '%-.64s.%-.64s'" + rus "проверка CHECK OPTION для VIEW '%-.64s.%-.64s' провалилась" + ukr "Перев╕рка CHECK OPTION для VIEW '%-.64s.%-.64s' не пройшла" +ER_SP_ACCESS_DENIED_ERROR 42000 + eng "Access denied; you are not the procedure/function definer of '%s'" +ER_RELAY_LOG_FAIL + eng "Failed purging old relay logs: %s" +ER_PASSWD_LENGTH + eng "Password hash should be a %d-digit hexadecimal number" +ER_UNKNOWN_TARGET_BINLOG + eng "Target log not found in binlog index" +ER_IO_ERR_LOG_INDEX_READ + eng "I/O error reading log index file" +ER_BINLOG_PURGE_PROHIBITED + eng "Server configuration does not permit binlog purge" +ER_FSEEK_FAIL + eng "Failed on fseek()" +ER_BINLOG_PURGE_FATAL_ERR + eng "Fatal error during log purge" +ER_LOG_IN_USE + eng "A purgeable log is in use, will not purge" +ER_LOG_PURGE_UNKNOWN_ERR + eng "Unknown error during log purge" +ER_RELAY_LOG_INIT + eng "Failed initializing relay log position: %s" +ER_NO_BINARY_LOGGING + eng "You are not using binary logging" +ER_RESERVED_SYNTAX + eng "The '%-.64s' syntax is reserved for purposes internal to the MySQL server" +ER_WSAS_FAILED + eng "WSAStartup Failed" +ER_DIFF_GROUPS_PROC + eng "Can't handle procedures with differents groups yet" +ER_NO_GROUP_FOR_PROC + eng "Select must have a group with this procedure" +ER_ORDER_WITH_PROC + eng "Can't use ORDER clause with this procedure" +ER_LOGING_PROHIBIT_CHANGING_OF + eng "Binary logging and replication forbid changing the global server %s" +ER_NO_FILE_MAPPING + eng "Can't map file: %-.64s, errno: %d" +ER_WRONG_MAGIC + eng "Wrong magic in %-.64s" +ER_PS_MANY_PARAM + eng "Prepared statement contains too many placeholders" +ER_KEY_PART_0 + eng "Key part '%-.64s' length cannot be 0" +ER_VIEW_CHECKSUM + eng "View text checksum failed" + rus "Проверка контрольной суммы текста VIEW провалилась" + ukr "Перев╕рка контрольно╖ суми тексту VIEW не пройшла" +ER_VIEW_MULTIUPDATE + eng "Can not modify more than one base table through a join view '%-.64s.%-.64s'" + rus "Нельзя изменить больше чем одну базовую таблицу используя многотабличный VIEW '%-.64s.%-.64s'" + 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' без списка полей" + ukr "Неможливо уставити рядки у VIEW '%-.64s.%-.64s', що м╕стить дек╕лька таблиць, без списку стовбц╕в" +ER_VIEW_DELETE_MERGE_VIEW + eng "Can not delete from join view '%-.64s.%-.64s'" + rus "Нельзя удалять из многотабличного VIEW '%-.64s.%-.64s'" + ukr "Неможливо видалити рядки у VIEW '%-.64s.%-.64s', що м╕стить дек╕лька таблиць" +ER_CANNOT_USER + eng "Operation %s failed for %.256s" + ger "Das Kommando %s scheiterte fЭr %.256s" + norwegian-ny "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/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, 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_select.cc b/sql/sql_select.cc index ed3606856a0..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; } @@ -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++; diff --git a/sql/sql_show.cc b/sql/sql_show.cc index 71467664085..5a135faf52f 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; @@ -2551,10 +2563,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]); } @@ -2661,20 +2673,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); @@ -2740,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; @@ -2824,9 +2857,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); @@ -2838,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); } @@ -2857,13 +2897,21 @@ 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"); - if (!res && !tables->view) + DBUG_ENTER("get_schema_constraints_record"); + 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; @@ -2920,7 +2968,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; @@ -2974,14 +3030,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]); } } @@ -3219,6 +3267,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}; @@ -3442,8 +3512,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} }; @@ -3476,12 +3546,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}, @@ -3522,7 +3592,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} }; @@ -3597,9 +3667,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} }; @@ -3627,7 +3694,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, @@ -3647,7 +3714,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, 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); 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..b00be2d35b8 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,249 @@ static void test_conversion() } +static void test_truncation() +{ + MYSQL_STMT *stmt; + const char *stmt_text; + int rc; + uint bind_count; + 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); + 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 +12516,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 } }; 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