#! /bin/sh # # This is patch #2 to gawk 5.3. cd to gawk-5.3.1 and sh this file. # Then remove all the .orig files and rename the directory gawk-5.3.2 # Changes to files that are automatically recreated have been omitted. # They will be recreated the first time you run make. # This includes all the extracted example files in awklib. # First, slight rearranging rm -f awklib/eg/misc/test-csv.awk # Now, apply the patch patch -p1 << \EOF diff -urN gawk-5.3.1/array.c gawk-5.3.2/array.c --- gawk-5.3.1/array.c 2024-09-17 09:09:19.000000000 +0300 +++ gawk-5.3.2/array.c 2025-03-30 11:41:29.000000000 +0300 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 1986, 1988, 1989, 1991-2014, 2016, 2018-2023, + * Copyright (C) 1986, 1988, 1989, 1991-2014, 2016, 2018-2023, 2025, * the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the @@ -210,17 +210,17 @@ slen = strlen(symbol->vname); /* subscript in parent array */ if (alen + slen + 4 > max_alen) { /* sizeof("[\"\"]") = 4 */ max_alen = alen + slen + 4 + SLEN; - erealloc(aname, char *, (max_alen + 1) * sizeof(char *), "make_aname"); + erealloc(aname, char *, (max_alen + 1) * sizeof(char *)); } alen += sprintf(aname + alen, "[\"%s\"]", symbol->vname); } else { alen = strlen(symbol->vname); if (aname == NULL) { max_alen = alen + SLEN; - emalloc(aname, char *, (max_alen + 1) * sizeof(char *), "make_aname"); + emalloc(aname, char *, (max_alen + 1) * sizeof(char *)); } else if (alen > max_alen) { max_alen = alen + SLEN; - erealloc(aname, char *, (max_alen + 1) * sizeof(char *), "make_aname"); + erealloc(aname, char *, (max_alen + 1) * sizeof(char *)); } memcpy(aname, symbol->vname, alen + 1); } @@ -282,10 +282,10 @@ /* (Re)allocate memory: */ if (message == NULL) { - emalloc(message, char *, len, "array_vname"); + emalloc(message, char *, len); msglen = len; } else if (len > msglen) { - erealloc(message, char *, len, "array_vname"); + erealloc(message, char *, len); msglen = len; } /* else current buffer can hold new name */ @@ -333,8 +333,15 @@ symbol = symbol->orig_array; } + NODE *elem_new_parent = NULL; + char *elem_new_vname = NULL; + switch (symbol->type) { case Node_elem_new: + elem_new_parent = symbol->elemnew_parent; + symbol->elemnew_parent = NULL; + elem_new_vname = symbol->elemnew_vname; + symbol->elemnew_vname = NULL; efree(symbol->stptr); symbol->stptr = NULL; symbol->stlen = 0; @@ -345,6 +352,10 @@ symbol->parent_array = NULL; /* main array has no parent */ /* fall through */ case Node_var_array: + if (elem_new_parent != NULL) + symbol->parent_array = elem_new_parent; + if (elem_new_vname != NULL) + symbol->vname = elem_new_vname; break; case Node_array_ref: @@ -412,7 +423,7 @@ } len += (nargs - 1) * subseplen; - emalloc(str, char *, len + 1, "concat_exp"); + emalloc(str, char *, len + 1); r = args_array[nargs]; memcpy(str, r->stptr, r->stlen); @@ -436,6 +447,30 @@ /* + * adjust_param_node: change a parameter node when adjusting the call stack + * (code factored out from the adjust_fcall_stack function) + */ + +static void +adjust_param_node(NODE *r) +{ + if (r->orig_array != NULL) + if (r->orig_array->valref > 0) + DEREF(r->orig_array); + if (r->prev_array != NULL && r->prev_array != r->orig_array) + if (r->prev_array->valref > 0) + DEREF(r->prev_array); + if (r->orig_array->type == Node_var_array) { + r->orig_array = r->prev_array = NULL; + null_array(r); + } else { /* Node_elem_new */ + r->type = Node_var_new; + } + r->parent_array = NULL; +} + + +/* * adjust_fcall_stack: remove subarray(s) of symbol[] from * function call stack. */ @@ -475,13 +510,15 @@ for (; pcount > 0; pcount--) { r = *sp++; if (r->type != Node_array_ref - || r->orig_array->type != Node_var_array) + || (r->orig_array->type != Node_var_array + && r->orig_array->type != Node_elem_new)) continue; n = r->orig_array; +#define PARENT_ARRAY(n) ((n->type == Node_elem_new) ? n->elemnew_parent : n->parent_array) /* Case 1 */ if (n == symbol - && symbol->parent_array != NULL + && PARENT_ARRAY(symbol) != NULL && nsubs > 0 ) { /* @@ -496,13 +533,12 @@ * BEGIN { a[0][0] = 1; f(a[0], a[0]); ...} */ - null_array(r); - r->parent_array = NULL; + adjust_param_node(r); continue; } /* Case 2 */ - for (n = n->parent_array; n != NULL; n = n->parent_array) { + for (n = PARENT_ARRAY(n); n != NULL; n = PARENT_ARRAY(n)) { assert(n->type == Node_var_array); if (n == symbol) { /* @@ -514,8 +550,7 @@ * BEGIN { a[0][0][0][0] = 1; f(a[0], a[0][0][0]); .. } * */ - null_array(r); - r->parent_array = NULL; + adjust_param_node(r); break; } } @@ -569,7 +604,7 @@ for (i = nsubs; i > 0; i--) { subs = PEEK(i - 1); - if (subs->type != Node_val) { + if (subs->type != Node_val && subs->type != Node_elem_new) { free_subs(i); fatal(_("attempt to use array `%s' in a scalar context"), array_vname(subs)); } @@ -608,8 +643,21 @@ /* cleared a sub-array, free Node_var_array */ efree(val->vname); freenode(val); - } else + } else if (val->type == Node_elem_new) { + adjust_fcall_stack(val, nsubs); /* fix function call stack; See above. */ + elem_new_reset(val); + if ((val->flags & (MALLOC|STRCUR)) == (MALLOC|STRCUR)) + efree(val->stptr); + + mpfr_unset(val); +#ifdef MEMDEBUG + memset(val, 0, sizeof(NODE)); + val->type = 0xbaad; +#endif + freenode(val); + } else { unref(val); + } (void) assoc_remove(symbol, subs); DEREF(subs); @@ -1455,7 +1503,7 @@ /* give back extra memory */ - erealloc(list, NODE **, num_elems * sizeof(NODE *), "assoc_list"); + erealloc(list, NODE **, num_elems * sizeof(NODE *)); } } @@ -1477,7 +1525,7 @@ NODE *n = make_number(0.0); char *sp; - emalloc(sp, char *, 2, "new_array_element"); + emalloc(sp, char *, 2); sp[0] = sp[1] = '\0'; n->stptr = sp; diff -urN gawk-5.3.1/awkgram.y gawk-5.3.2/awkgram.y --- gawk-5.3.1/awkgram.y 2024-09-17 19:27:06.000000000 +0300 +++ gawk-5.3.2/awkgram.y 2025-04-02 06:57:42.000000000 +0300 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 1986, 1988, 1989, 1991-2024 the Free Software Foundation, Inc. + * Copyright (C) 1986, 1988, 1989, 1991-2025 the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the * AWK Programming Language. @@ -697,10 +697,10 @@ } if (case_values == NULL) - emalloc(case_values, const char **, sizeof(char *) * maxcount, "statement"); + emalloc(case_values, const char **, sizeof(char *) * maxcount); else if (case_count >= maxcount) { maxcount += 128; - erealloc(case_values, const char **, sizeof(char*) * maxcount, "statement"); + erealloc(case_values, const char **, sizeof(char*) * maxcount); } case_values[case_count++] = caseval; } else { @@ -1773,7 +1773,7 @@ n1 = force_string(n1); n2 = force_string(n2); nlen = n1->stlen + n2->stlen; - erealloc(n1->stptr, char *, nlen + 1, "constant fold"); + erealloc(n1->stptr, char *, nlen + 1); memcpy(n1->stptr + n1->stlen, n2->stptr, n2->stlen); n1->stlen = nlen; n1->stptr[nlen] = '\0'; @@ -2606,7 +2606,7 @@ count = strlen(mesg) + 1; if (lexptr != NULL) count += (lexeme - thisline) + 2; - ezalloc(buf, char *, count+1, "yyerror"); + ezalloc(buf, char *, count+1); bp = buf; @@ -2817,9 +2817,9 @@ errcount++; if (args_array == NULL) - emalloc(args_array, NODE **, (max_args + 2) * sizeof(NODE *), "parse_program"); + emalloc(args_array, NODE **, (max_args + 2) * sizeof(NODE *)); else - erealloc(args_array, NODE **, (max_args + 2) * sizeof(NODE *), "parse_program"); + erealloc(args_array, NODE **, (max_args + 2) * sizeof(NODE *)); return (ret || errcount); } @@ -2840,7 +2840,7 @@ { SRCFILE *s; - ezalloc(s, SRCFILE *, sizeof(SRCFILE), "do_add_srcfile"); + ezalloc(s, SRCFILE *, sizeof(SRCFILE)); s->src = estrdup(src, strlen(src)); s->fullpath = path; s->stype = stype; @@ -3162,7 +3162,7 @@ break; } savelen = lexptr - scan; - emalloc(buf, char *, savelen + 1, "get_src_buf"); + emalloc(buf, char *, savelen + 1); memcpy(buf, scan, savelen); thisline = buf; lexptr = buf + savelen; @@ -3210,7 +3210,7 @@ #undef A_DECENT_BUFFER_SIZE sourcefile->bufsize = l; newfile = true; - emalloc(sourcefile->buf, char *, sourcefile->bufsize, "get_src_buf"); + emalloc(sourcefile->buf, char *, sourcefile->bufsize); memset(sourcefile->buf, '\0', sourcefile->bufsize); // keep valgrind happy lexptr = lexptr_begin = lexeme = sourcefile->buf; savelen = 0; @@ -3240,7 +3240,7 @@ if (savelen > sourcefile->bufsize / 2) { /* long line or token */ sourcefile->bufsize *= 2; - erealloc(sourcefile->buf, char *, sourcefile->bufsize, "get_src_buf"); + erealloc(sourcefile->buf, char *, sourcefile->bufsize); scan = sourcefile->buf + (scan - lexptr_begin); lexptr_begin = sourcefile->buf; } @@ -3292,11 +3292,11 @@ if (tokstart != NULL) { tokoffset = tok - tokstart; toksize *= 2; - erealloc(tokstart, char *, toksize, "tokexpand"); + erealloc(tokstart, char *, toksize); tok = tokstart + tokoffset; } else { toksize = 60; - emalloc(tokstart, char *, toksize, "tokexpand"); + emalloc(tokstart, char *, toksize); tok = tokstart; } tokend = tokstart + toksize; @@ -4435,7 +4435,7 @@ case LEX_EVAL: if (in_main_context()) goto out; - emalloc(tokkey, char *, tok - tokstart + 1, "yylex"); + emalloc(tokkey, char *, tok - tokstart + 1); tokkey[0] = '@'; memcpy(tokkey + 1, tokstart, tok - tokstart); yylval = GET_INSTRUCTION(Op_token); @@ -5110,7 +5110,7 @@ assert(pcount > 0); - emalloc(pnames, char **, pcount * sizeof(char *), "check_params"); + emalloc(pnames, char **, pcount * sizeof(char *)); for (i = 0, p = list->nexti; p != NULL; i++, p = np) { np = p->nexti; @@ -5179,8 +5179,8 @@ /* not in the table, fall through to allocate a new one */ - ezalloc(fp, struct fdesc *, sizeof(struct fdesc), "func_use"); - emalloc(fp->name, char *, len + 1, "func_use"); + ezalloc(fp, struct fdesc *, sizeof(struct fdesc)); + emalloc(fp->name, char *, len + 1); strcpy(fp->name, name); fp->next = ftable[ind]; ftable[ind] = fp; @@ -6656,7 +6656,7 @@ if (do_pretty_print) { // two extra bytes: one for NUL termination, and another in // case we need to add a leading minus sign in add_sign_to_num - emalloc(n->stptr, char *, len + 2, "set_profile_text"); + emalloc(n->stptr, char *, len + 2); memcpy(n->stptr, str, len); n->stptr[len] = '\0'; n->stlen = len; @@ -6700,7 +6700,7 @@ } char *buffer; - emalloc(buffer, char *, total + 1, "merge_comments"); + emalloc(buffer, char *, total + 1); strcpy(buffer, c1->memory->stptr); if (c1->comment != NULL) { @@ -6958,7 +6958,7 @@ size_t length = strlen(current_namespace) + 2 + len + 1; char *buf; - emalloc(buf, char *, length, "qualify_name"); + emalloc(buf, char *, length); sprintf(buf, "%s::%s", current_namespace, name); return buf; diff -urN gawk-5.3.1/awk.h gawk-5.3.2/awk.h --- gawk-5.3.1/awk.h 2024-09-17 18:14:57.000000000 +0300 +++ gawk-5.3.2/awk.h 2025-04-02 06:57:42.000000000 +0300 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 1986, 1988, 1989, 1991-2024 the Free Software Foundation, Inc. + * Copyright (C) 1986, 1988, 1989, 1991-2025 the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the * AWK Programming Language. @@ -30,23 +30,11 @@ * any system headers. Otherwise, extreme death, destruction * and loss of life results. */ -#if defined(_TANDEM_SOURCE) -/* - * config.h forces this even on non-tandem systems but it - * causes problems elsewhere if used in the check below. - * so workaround it. bleah. - */ -#define tandem_for_real 1 -#endif #ifdef HAVE_CONFIG_H #include #endif -#if defined(tandem_for_real) && ! defined(_SCO_DS) -#define _XOPEN_SOURCE_EXTENDED 1 -#endif - #include #include #include @@ -108,6 +96,12 @@ /* This section is the messiest one in the file, not a lot that can be done */ +/* AIX's uses some names defined here in function prototypes. + Therefore, it must be included first or the build fails. */ +#ifdef _AIX +# include +#endif + #ifndef VMS #ifdef HAVE_FCNTL_H #include @@ -387,7 +381,11 @@ char *sp; size_t slen; int idx; - wchar_t *wsp; + union { // this union is for convenience of space + // reuse; the elements aren't otherwise related + wchar_t *wsp; + char *vn; + } z; size_t wslen; struct exp_node *typre; enum commenttype comtype; @@ -511,8 +509,13 @@ #define stlen sub.val.slen #define stfmt sub.val.idx #define strndmode sub.val.rndmode -#define wstptr sub.val.wsp +#define wstptr sub.val.z.wsp #define wstlen sub.val.wslen + +/* Node_elem_new */ +#define elemnew_vname sub.val.z.vn +#define elemnew_parent sub.val.typre + #ifdef HAVE_MPFR #define mpg_numbr sub.val.nm.mpnum #define mpg_i sub.val.nm.mpi @@ -1391,13 +1394,13 @@ __FILE__, __LINE__, __VA_ARGS__) #ifdef USE_REAL_MALLOC -#define emalloc(var,ty,x,str) (void) (var = (ty) malloc((size_t)(x))) -#define ezalloc(var,ty,x,str) (void) (var = (ty) calloc((size_t)(x), 1)) -#define erealloc(var,ty,x,str) (void) (var = (ty) realloc((void *) var, (size_t)(x))) +#define emalloc(var,ty,x) (void) (var = (ty) malloc((size_t)(x))) +#define ezalloc(var,ty,x) (void) (var = (ty) calloc((size_t)(x), 1)) +#define erealloc(var,ty,x) (void) (var = (ty) realloc((void *) var, (size_t)(x))) #else -#define emalloc(var,ty,x,str) (void) (var = (ty) emalloc_real((size_t)(x), str, #var, __FILE__, __LINE__)) -#define ezalloc(var,ty,x,str) (void) (var = (ty) ezalloc_real((size_t)(x), str, #var, __FILE__, __LINE__)) -#define erealloc(var,ty,x,str) (void) (var = (ty) erealloc_real((void *) var, (size_t)(x), str, #var, __FILE__, __LINE__)) +#define emalloc(var,ty,x) (void) (var = (ty) emalloc_real((size_t)(x), __func__, #var, __FILE__, __LINE__)) +#define ezalloc(var,ty,x) (void) (var = (ty) ezalloc_real((size_t)(x), __func__, #var, __FILE__, __LINE__)) +#define erealloc(var,ty,x) (void) (var = (ty) erealloc_real((void *) var, (size_t)(x), __func__, #var, __FILE__, __LINE__)) #endif #define efree(p) free(p) @@ -1573,6 +1576,7 @@ extern void dump_fcall_stack(FILE *fp); extern int register_exec_hook(Func_pre_exec preh, Func_post_exec posth); extern NODE **r_get_field(NODE *n, Func_ptr *assign, bool reference); +extern void elem_new_reset(NODE *n); extern NODE *elem_new_to_scalar(NODE *n); /* ext.c */ extern NODE *do_ext(int nargs); @@ -1642,6 +1646,7 @@ extern int os_setbinmode(int fd, int mode); extern void os_restore_mode(int fd); extern void os_maybe_set_errno(void); +extern void os_disable_aslr(const char *persist_file, char **argv); extern size_t optimal_bufsize(int fd, struct stat *sbuf); extern int ispath(const char *file); extern int isdirpunct(int c); @@ -1745,6 +1750,7 @@ /* profile.c */ extern void init_profiling_signals(void); extern void set_prof_file(const char *filename); +extern void close_prof_file(void); extern void dump_prog(INSTRUCTION *code); extern char *pp_number(NODE *n); extern char *pp_string(const char *in_str, size_t len, int delim); @@ -1903,6 +1909,18 @@ fatal(_("attempt to use array `%s' in a scalar context"), array_vname(t)); else if (t->type == Node_elem_new) t = elem_new_to_scalar(t); + else if (t->type == Node_var_new) { + NODE *n = t; + + t->type = Node_var; + // this should be a call to dupnode(), but there are + // ordering problems since we're in awk.h. Just + // do it manually, since it's the null string + t->var_value = Nnull_string; + t->var_value->valref++; + t = t->var_value; + DEREF(n); + } return t; } @@ -1974,6 +1992,7 @@ force_string_fmt(NODE *s, const char *fmtstr, int fmtidx) { if (s->type == Node_elem_new) { + elem_new_reset(s); s->type = Node_val; return s; @@ -2015,6 +2034,7 @@ force_number(NODE *n) { if (n->type == Node_elem_new) { + elem_new_reset(n); n->type = Node_val; return n; @@ -2040,7 +2060,9 @@ static inline NODE * fixtype(NODE *n) { - assert(n->type == Node_val); + if (n->type != Node_val) + cant_happen("%s: expected Node_val: got %s", + __func__, nodetype2str(n->type)); if ((n->flags & (NUMCUR|USER_INPUT)) == USER_INPUT) return force_number(n); if ((n->flags & INTIND) != 0) diff -urN gawk-5.3.1/awklib/ChangeLog gawk-5.3.2/awklib/ChangeLog --- gawk-5.3.1/awklib/ChangeLog 2024-09-17 21:43:39.000000000 +0300 +++ gawk-5.3.2/awklib/ChangeLog 2025-04-02 08:34:33.000000000 +0300 @@ -1,3 +1,12 @@ +2025-04-02 Arnold D. Robbins + + * 5.3.2: Release tar made. + +2024-09-24 Hendrik Donner + + * Makefile.am: Make sure when cross compiling the awk detected by + configure is used. + 2024-09-17 Arnold D. Robbins * 5.3.1: Release tar made. diff -urN gawk-5.3.1/awklib/Makefile.am gawk-5.3.2/awklib/Makefile.am --- gawk-5.3.1/awklib/Makefile.am 2024-09-16 08:56:27.000000000 +0300 +++ gawk-5.3.2/awklib/Makefile.am 2025-04-02 06:57:54.000000000 +0300 @@ -29,7 +29,7 @@ # So we fix the locale to some sensible value. if TEST_CROSS_COMPILE -AWKPROG = LC_ALL=C LANG=C awk$(EXEEXT) +AWKPROG = LC_ALL=C LANG=C $(AWK) else AWKPROG = LC_ALL=C LANG=C "$(abs_top_builddir)/gawk$(EXEEXT)" endif diff -urN gawk-5.3.1/awklib/Makefile.in gawk-5.3.2/awklib/Makefile.in --- gawk-5.3.1/awklib/Makefile.in 2024-09-17 19:42:51.000000000 +0300 +++ gawk-5.3.2/awklib/Makefile.in 2025-04-02 07:00:35.000000000 +0300 @@ -336,7 +336,7 @@ @TEST_CROSS_COMPILE_FALSE@AWKPROG = LC_ALL=C LANG=C "$(abs_top_builddir)/gawk$(EXEEXT)" # With some locales, the script extract.awk fails. # So we fix the locale to some sensible value. -@TEST_CROSS_COMPILE_TRUE@AWKPROG = LC_ALL=C LANG=C awk$(EXEEXT) +@TEST_CROSS_COMPILE_TRUE@AWKPROG = LC_ALL=C LANG=C $(AWK) # Get config.h from the build directory and custom.h from the source directory. AM_CPPFLAGS = -I$(top_builddir) -I$(top_srcdir) -I$(top_srcdir)/support diff -urN gawk-5.3.1/build-aux/ar-lib gawk-5.3.2/build-aux/ar-lib --- gawk-5.3.1/build-aux/ar-lib 2024-09-16 08:54:27.000000000 +0300 +++ gawk-5.3.2/build-aux/ar-lib 2025-03-09 13:13:49.000000000 +0200 @@ -2,9 +2,9 @@ # Wrapper for Microsoft lib.exe me=ar-lib -scriptversion=2024-06-19.01; # UTC +scriptversion=2025-02-03.05; # UTC -# Copyright (C) 2010-2024 Free Software Foundation, Inc. +# Copyright (C) 2010-2025 Free Software Foundation, Inc. # Written by Peter Rosin . # # This program is free software; you can redistribute it and/or modify @@ -51,9 +51,20 @@ # lazily determine how to convert abs files case `uname -s` in MINGW*) - file_conv=mingw + if test -n "$MSYSTEM" && (cygpath --version) >/dev/null 2>&1; then + # MSYS2 environment. + file_conv=cygwin + else + # Original MinGW environment. + file_conv=mingw + fi ;; - CYGWIN* | MSYS*) + MSYS*) + # Old MSYS environment, or MSYS2 with 32-bit MSYS2 shell. + file_conv=cygwin + ;; + CYGWIN*) + # Cygwin environment. file_conv=cygwin ;; *) @@ -65,8 +76,8 @@ mingw) file=`cmd //C echo "$file " | sed -e 's/"\(.*\) " *$/\1/'` ;; - cygwin | msys) - file=`cygpath -m "$file" || echo "$file"` + cygwin) + file=`cygpath -w "$file" || echo "$file"` ;; wine) file=`winepath -w "$file" || echo "$file"` diff -urN gawk-5.3.1/build-aux/ChangeLog gawk-5.3.2/build-aux/ChangeLog --- gawk-5.3.1/build-aux/ChangeLog 2024-09-17 21:43:39.000000000 +0300 +++ gawk-5.3.2/build-aux/ChangeLog 2025-03-09 13:13:49.000000000 +0200 @@ -1,3 +1,8 @@ +2025-02-19 Arnold D. Robbins + + * ar-lib, compile, config.rpath, depcomp, install-sh, + texinfo.tex: Updated from GNULIB. + 2024-09-17 Arnold D. Robbins * 5.3.1: Release tar made. diff -urN gawk-5.3.1/build-aux/compile gawk-5.3.2/build-aux/compile --- gawk-5.3.1/build-aux/compile 2024-09-16 08:54:27.000000000 +0300 +++ gawk-5.3.2/build-aux/compile 2025-03-09 13:13:49.000000000 +0200 @@ -1,9 +1,9 @@ #! /bin/sh # Wrapper for compilers which do not understand '-c -o'. -scriptversion=2024-06-19.01; # UTC +scriptversion=2025-02-03.05; # UTC -# Copyright (C) 1999-2024 Free Software Foundation, Inc. +# Copyright (C) 1999-2025 Free Software Foundation, Inc. # Written by Tom Tromey . # # This program is free software; you can redistribute it and/or modify @@ -37,11 +37,11 @@ file_conv= -# func_file_conv build_file lazy +# func_file_conv build_file unneeded_conversions # Convert a $build file to $host form and store it in $file # Currently only supports Windows hosts. If the determined conversion -# type is listed in (the comma separated) LAZY, no conversion will -# take place. +# type is listed in (the comma separated) UNNEEDED_CONVERSIONS, no +# conversion will take place. func_file_conv () { file=$1 @@ -51,9 +51,20 @@ # lazily determine how to convert abs files case `uname -s` in MINGW*) - file_conv=mingw + if test -n "$MSYSTEM" && (cygpath --version) >/dev/null 2>&1; then + # MSYS2 environment. + file_conv=cygwin + else + # Original MinGW environment. + file_conv=mingw + fi ;; - CYGWIN* | MSYS*) + MSYS*) + # Old MSYS environment, or MSYS2 with 32-bit MSYS2 shell. + file_conv=cygwin + ;; + CYGWIN*) + # Cygwin environment. file_conv=cygwin ;; *) @@ -63,12 +74,14 @@ fi case $file_conv/,$2, in *,$file_conv,*) + # This is the optimization mentioned above: + # If UNNEEDED_CONVERSIONS contains $file_conv, don't convert. ;; mingw/*) file=`cmd //C echo "$file " | sed -e 's/"\(.*\) " *$/\1/'` ;; - cygwin/* | msys/*) - file=`cygpath -m "$file" || echo "$file"` + cygwin/*) + file=`cygpath -w "$file" || echo "$file"` ;; wine/*) file=`winepath -w "$file" || echo "$file"` @@ -343,7 +356,7 @@ # Local Variables: # mode: shell-script # sh-indentation: 2 -# eval: (add-hook 'before-save-hook 'time-stamp) +# eval: (add-hook 'before-save-hook 'time-stamp nil t) # time-stamp-start: "scriptversion=" # time-stamp-format: "%:y-%02m-%02d.%02H" # time-stamp-time-zone: "UTC0" diff -urN gawk-5.3.1/build-aux/config.rpath gawk-5.3.2/build-aux/config.rpath --- gawk-5.3.1/build-aux/config.rpath 2024-09-16 08:54:27.000000000 +0300 +++ gawk-5.3.2/build-aux/config.rpath 2025-03-09 13:13:49.000000000 +0200 @@ -3,7 +3,7 @@ # run time search path of shared libraries in a binary (executable or # shared library). # -# Copyright 1996-2024 Free Software Foundation, Inc. +# Copyright 1996-2025 Free Software Foundation, Inc. # Taken from GNU libtool, 2001 # Originally by Gordon Matzigkeit , 1996 # @@ -49,7 +49,7 @@ func_version () { echo "config.rpath (GNU gnulib, module havelib)" - echo "Copyright (C) 2024 Free Software Foundation, Inc. + echo "Copyright (C) 2025 Free Software Foundation, Inc. License: All-Permissive. This is free software: you are free to change and redistribute it. There is NO WARRANTY, to the extent permitted by law." diff -urN gawk-5.3.1/build-aux/depcomp gawk-5.3.2/build-aux/depcomp --- gawk-5.3.1/build-aux/depcomp 2024-09-16 08:54:27.000000000 +0300 +++ gawk-5.3.2/build-aux/depcomp 2025-03-09 13:13:49.000000000 +0200 @@ -1,9 +1,9 @@ #! /bin/sh # depcomp - compile a program generating dependencies as side-effects -scriptversion=2024-06-19.01; # UTC +scriptversion=2024-12-03.03; # UTC -# Copyright (C) 1999-2024 Free Software Foundation, Inc. +# Copyright (C) 1999-2025 Free Software Foundation, Inc. # 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 @@ -784,7 +784,7 @@ # Local Variables: # mode: shell-script # sh-indentation: 2 -# eval: (add-hook 'before-save-hook 'time-stamp) +# eval: (add-hook 'before-save-hook 'time-stamp nil t) # time-stamp-start: "scriptversion=" # time-stamp-format: "%:y-%02m-%02d.%02H" # time-stamp-time-zone: "UTC0" diff -urN gawk-5.3.1/build-aux/install-sh gawk-5.3.2/build-aux/install-sh --- gawk-5.3.1/build-aux/install-sh 2024-09-16 08:54:27.000000000 +0300 +++ gawk-5.3.2/build-aux/install-sh 2025-03-09 13:13:49.000000000 +0200 @@ -1,7 +1,7 @@ #!/bin/sh # install - install a program, script, or datafile -scriptversion=2024-06-19.01; # UTC +scriptversion=2024-12-03.03; # UTC # This originates from X11R5 (mit/util/scripts/install.sh), which was # later released in X11R6 (xc/config/util/install.sh) with the @@ -533,7 +533,7 @@ done # Local variables: -# eval: (add-hook 'before-save-hook 'time-stamp) +# eval: (add-hook 'before-save-hook 'time-stamp nil t) # time-stamp-start: "scriptversion=" # time-stamp-format: "%:y-%02m-%02d.%02H" # time-stamp-time-zone: "UTC0" diff -urN gawk-5.3.1/build-aux/texinfo.tex gawk-5.3.2/build-aux/texinfo.tex --- gawk-5.3.1/build-aux/texinfo.tex 2024-09-16 08:54:27.000000000 +0300 +++ gawk-5.3.2/build-aux/texinfo.tex 2025-03-09 13:13:49.000000000 +0200 @@ -3,9 +3,9 @@ % Load plain if necessary, i.e., if running under initex. \expandafter\ifx\csname fmtname\endcsname\relax\input plain\fi % -\def\texinfoversion{2024-02-10.22} +\def\texinfoversion{2025-01-31.21} % -% Copyright 1985, 1986, 1988, 1990-2024 Free Software Foundation, Inc. +% Copyright 1985, 1986, 1988, 1990-2025 Free Software Foundation, Inc. % % This texinfo.tex file is free software: you can redistribute it and/or % modify it under the terms of the GNU General Public License as @@ -156,8 +156,9 @@ % Give the space character the catcode for a space. \def\spaceisspace{\catcode`\ =10\relax} -% Likewise for ^^M, the end of line character. -\def\endlineisspace{\catcode13=10\relax} +% Used to ignore an active newline that may appear immediately after +% a macro name. +{\catcode13=\active \gdef\ignoreactivenewline{\let^^M\empty}} \chardef\dashChar = `\- \chardef\slashChar = `\/ @@ -951,8 +952,16 @@ \let\setfilename=\comment % @bye. -\outer\def\bye{\chappager\pagelabels\tracingstats=1\ptexend} - +\outer\def\bye{% + \chappager\pagelabels + % possibly set in \printindex + \ifx\byeerror\relax\else\errmessage{\byeerror}\fi + \tracingstats=1\ptexend} + +% set in \donoderef below, but we need to define this here so that +% conditionals balance inside the large \ifpdf ... \fi blocks below. +\newif\ifnodeseen +\nodeseenfalse \message{pdf,} % adobe `portable' document format @@ -971,6 +980,11 @@ \newif\ifpdf \newif\ifpdfmakepagedest +\newif\ifluatex +\ifx\luatexversion\thisisundefined\else + \luatextrue +\fi + % % For LuaTeX % @@ -978,8 +992,7 @@ \newif\iftxiuseunicodedestname \txiuseunicodedestnamefalse % For pdfTeX etc. -\ifx\luatexversion\thisisundefined -\else +\ifluatex % Use Unicode destination names \txiuseunicodedestnametrue % Escape PDF strings with converting UTF-16 from UTF-8 @@ -1068,12 +1081,17 @@ \fi \fi +\newif\ifxetex +\ifx\XeTeXrevision\thisisundefined\else + \xetextrue +\fi + \newif\ifpdforxetex \pdforxetexfalse \ifpdf \pdforxetextrue \fi -\ifx\XeTeXrevision\thisisundefined\else +\ifxetex \pdforxetextrue \fi @@ -1163,58 +1181,90 @@ be supported due to the design of the PDF format; use regular TeX (DVI output) for that.)} +% definitions for pdftex or luatex with pdf output \ifpdf + % Strings in PDF outlines can either be ASCII, or encoded in UTF-16BE + % with BOM. Unfortunately there is no simple way with pdftex to output + % UTF-16, so we have to do some quite convoluted expansion games if we + % find the string contains a non-ASCII codepoint if we want these to + % display correctly. We generated the UTF-16 sequences in + % \DeclareUnicodeCharacter and we access them here. % - % Color manipulation macros using ideas from pdfcolor.tex, - % except using rgb instead of cmyk; the latter is said to render as a - % very dark gray on-screen and a very dark halftone in print, instead - % of actual black. The dark red here is dark enough to print on paper as - % nearly black, but still distinguishable for online viewing. We use - % black by default, though. - \def\rgbDarkRed{0.50 0.09 0.12} - \def\rgbBlack{0 0 0} + \def\defpdfoutlinetextunicode#1{% + \def\pdfoutlinetext{#1}% + % + % Make UTF-8 sequences expand to UTF-16 definitions. + \passthroughcharsfalse \utfbytespdftrue + \utfviiidefinedwarningfalse + % + % Completely expand, eliminating any control sequences such as \code, + % leaving only possibly \utfbytes. + \let\utfbytes\relax + \pdfaccentliterals + \xdef\pdfoutlinetextchecked{#1}% + \checkutfbytes + }% + % Check if \utfbytes occurs in expansion. + \def\checkutfbytes{% + \expandafter\checkutfbytesz\pdfoutlinetextchecked\utfbytes\finish + }% + \def\checkutfbytesz#1\utfbytes#2\finish{% + \def\after{#2}% + \ifx\after\empty + % No further action needed. Output ASCII string as-is, as converting + % to UTF-16 is somewhat slow (and uses more space). + \global\let\pdfoutlinetext\pdfoutlinetextchecked + \else + \passthroughcharstrue % pass UTF-8 sequences unaltered + \xdef\pdfoutlinetext{\pdfoutlinetext}% + \expandafter\expandutfsixteen\expandafter{\pdfoutlinetext}\pdfoutlinetext + \fi + }% % - % rg sets the color for filling (usual text, etc.); - % RG sets the color for stroking (thin rules, e.g., normal _'s). - \def\pdfsetcolor#1{\pdfliteral{#1 rg #1 RG}} + \catcode2=1 % begin-group character + \catcode3=2 % end-group character % - % Set color, and create a mark which defines \thiscolor accordingly, - % so that \makeheadline knows which color to restore. - \def\curcolor{0 0 0}% - \def\setcolor#1{% - \ifx#1\curcolor\else - \xdef\currentcolordefs{\gdef\noexpand\thiscolor{#1}}% - \domark - \pdfsetcolor{#1}% - \xdef\curcolor{#1}% - \fi - } + % argument should be pure UTF-8 with no control sequences. convert to + % UTF-16BE by inserting null bytes before bytes < 128 and expanding + % UTF-8 multibyte sequences to saved UTF-16BE sequences. + \def\expandutfsixteen#1#2{% + \bgroup \asciitounicode + \passthroughcharsfalse + \let\utfbytes\asis + % + % for Byte Order Mark (BOM) + \catcode"FE=12 + \catcode"FF=12 + % + % we want to treat { and } in #1 as any other ASCII bytes. however, + % we need grouping characters for \scantokens and definitions/assignments, + % so define alternative grouping characters using control characters + % that are unlikely to occur. + % this does not affect 0x02 or 0x03 bytes arising from expansion as + % these are tokens with different catcodes. + \catcode"02=1 % begin-group character + \catcode"03=2 % end-group character + % + \expandafter\xdef\expandafter#2\scantokens{% + ^^02^^fe^^ff#1^^03}% + % NB we need \scantokens to provide both the open and close group tokens + % for \xdef otherwise there is an e-TeX error "File ended while + % scanning definition of..." + % NB \scantokens is a e-TeX command which is assumed to be provided by + % pdfTeX. + % + \egroup + }% % - \let\maincolor\rgbBlack - \pdfsetcolor{\maincolor} - \edef\thiscolor{\maincolor} - \def\currentcolordefs{} + \catcode2=12 \catcode3=12 % defaults % - \def\makefootline{% - \baselineskip24pt - \line{\pdfsetcolor{\maincolor}\the\footline}% - } + % Color support % - \def\makeheadline{% - \vbox to 0pt{% - \vskip-22.5pt - \line{% - \vbox to8.5pt{}% - % Extract \thiscolor definition from the marks. - \getcolormarks - % Typeset the headline with \maincolor, then restore the color. - \pdfsetcolor{\maincolor}\the\headline\pdfsetcolor{\thiscolor}% - }% - \vss - }% - \nointerlineskip - } + % rg sets the color for filling (usual text, etc.); + % RG sets the color for stroking (thin rules, e.g., normal _'s). + \def\pdfsetcolor#1{\pdfliteral{#1 rg #1 RG}} % + % PDF outline support % \pdfcatalog{/PageMode /UseOutlines} % @@ -1311,18 +1361,15 @@ \def\pdfoutlinetext{#1}% \else \ifx \declaredencoding \utfeight - \ifx\luatexversion\thisisundefined - % For pdfTeX with UTF-8. - % TODO: the PDF format can use UTF-16 in bookmark strings, - % but the code for this isn't done yet. - % Use ASCII approximations. - \passthroughcharsfalse - \def\pdfoutlinetext{#1}% - \else + \ifluatex % For LuaTeX with UTF-8. % Pass through Unicode characters for title texts. \passthroughcharstrue - \def\pdfoutlinetext{#1}% + \pdfaccentliterals + \xdef\pdfoutlinetext{#1}% + \else + % For pdfTeX with UTF-8. + \defpdfoutlinetextunicode{#1}% \fi \else % For non-Latin-1 or non-UTF-8 encodings. @@ -1344,11 +1391,6 @@ % used to mark target names; must be expandable. \def\pdfmkpgn#1{#1} % - % by default, use black for everything. - \def\urlcolor{\rgbBlack} - \let\linkcolor\rgbBlack - \def\endlink{\setcolor{\maincolor}\pdfendlink} - % % Adding outlines to PDF; macros for calculating structure of outlines % come from Petr Olsak \def\expnumber#1{\expandafter\ifx\csname#1\endcsname\relax 0% @@ -1412,6 +1454,10 @@ \def\unnsecentry{\numsecentry}% \def\unnsubsecentry{\numsubsecentry}% \def\unnsubsubsecentry{\numsubsubsecentry}% + % + % Treat index initials like @section. Note that this is the wrong + % level if the index is not at the level of @appendix or @chapter. + \def\idxinitialentry{\numsecentry}% \readdatafile{toc}% % % Read toc second time, this time actually producing the outlines. @@ -1433,6 +1479,8 @@ \dopdfoutline{##1}{count-\expnumber{subsec##2}}{##3}{##4}}% \def\numsubsubsecentry##1##2##3##4{% count is always zero \dopdfoutline{##1}{}{##3}{##4}}% + \def\idxinitialentry##1##2##3##4{% + \dopdfoutline{##1}{}{idx.##1.##2}{##4}}% % % PDF outlines are displayed using system fonts, instead of % document fonts. Therefore we cannot use special characters, @@ -1446,6 +1494,7 @@ % we use for the index sort strings. % \indexnofonts + \ifnodeseen\else \dopdfoutlinecontents \fi % for @contents at beginning \setupdatafile % We can have normal brace characters in the PDF outlines, unlike % Texinfo index files. So set that up. @@ -1454,6 +1503,10 @@ \catcode`\\=\active \otherbackslash \input \tocreadfilename \endgroup + \ifnodeseen \dopdfoutlinecontents \fi % for @contents at end + } + \def\dopdfoutlinecontents{% + \expandafter\dopdfoutline\expandafter{\putwordTOC}{}{txi.CONTENTS}{}% } {\catcode`[=1 \catcode`]=2 \catcode`{=\other \catcode`}=\other @@ -1480,55 +1533,16 @@ \else \let \startlink \pdfstartlink \fi - % make a live url in pdf output. - \def\pdfurl#1{% - \begingroup - % it seems we really need yet another set of dummies; have not - % tried to figure out what each command should do in the context - % of @url. for now, just make @/ a no-op, that's the only one - % people have actually reported a problem with. - % - \normalturnoffactive - \def\@{@}% - \let\/=\empty - \makevalueexpandable - % do we want to go so far as to use \indexnofonts instead of just - % special-casing \var here? - \def\var##1{##1}% - % - \leavevmode\setcolor{\urlcolor}% - \startlink attr{/Border [0 0 0]}% - user{/Subtype /Link /A << /S /URI /URI (#1) >>}% - \endgroup} - % \pdfgettoks - Surround page numbers in #1 with @pdflink. #1 may - % be a simple number, or a list of numbers in the case of an index - % entry. - \def\pdfgettoks#1.{\setbox\boxA=\hbox{\toksA={#1.}\toksB={}\maketoks}} - \def\addtokens#1#2{\edef\addtoks{\noexpand#1={\the#1#2}}\addtoks} - \def\adn#1{\addtokens{\toksC}{#1}\global\countA=1\let\next=\maketoks} - \def\poptoks#1#2|ENDTOKS|{\let\first=#1\toksD={#1}\toksA={#2}} - \def\maketoks{% - \expandafter\poptoks\the\toksA|ENDTOKS|\relax - \ifx\first0\adn0 - \else\ifx\first1\adn1 \else\ifx\first2\adn2 \else\ifx\first3\adn3 - \else\ifx\first4\adn4 \else\ifx\first5\adn5 \else\ifx\first6\adn6 - \else\ifx\first7\adn7 \else\ifx\first8\adn8 \else\ifx\first9\adn9 - \else - \ifnum0=\countA\else\makelink\fi - \ifx\first.\let\next=\done\else - \let\next=\maketoks - \addtokens{\toksB}{\the\toksD} - \ifx\first,\addtokens{\toksB}{\space}\fi - \fi - \fi\fi\fi\fi\fi\fi\fi\fi\fi\fi - \next} - \def\makelink{\addtokens{\toksB}% - {\noexpand\pdflink{\the\toksC}}\toksC={}\global\countA=0} + \def\pdfmakeurl#1{% + \startlink attr{/Border [0 0 0]}% + user{/Subtype /Link /A << /S /URI /URI (#1) >>}% + }% + \def\endlink{\setcolor{\maincolor}\pdfendlink} + % \def\pdflink#1{\pdflinkpage{#1}{#1}}% \def\pdflinkpage#1#2{% \startlink attr{/Border [0 0 0]} goto name{\pdfmkpgn{#1}} \setcolor{\linkcolor}#2\endlink} - \def\done{\edef\st{\global\noexpand\toksA={\the\toksB}}\st} \else % non-pdf mode \let\pdfmkdest = \gobble @@ -1537,13 +1551,12 @@ \let\setcolor = \gobble \let\pdfsetcolor = \gobble \let\pdfmakeoutlines = \relax -\fi % \ifx\pdfoutput +\fi % % For XeTeX % -\ifx\XeTeXrevision\thisisundefined -\else +\ifxetex % % XeTeX version check % @@ -1569,45 +1582,8 @@ \fi % % Color support - % - \def\rgbDarkRed{0.50 0.09 0.12} - \def\rgbBlack{0 0 0} - % \def\pdfsetcolor#1{\special{pdf:scolor [#1]}} % - % Set color, and create a mark which defines \thiscolor accordingly, - % so that \makeheadline knows which color to restore. - \def\setcolor#1{% - \xdef\currentcolordefs{\gdef\noexpand\thiscolor{#1}}% - \domark - \pdfsetcolor{#1}% - } - % - \def\maincolor{\rgbBlack} - \pdfsetcolor{\maincolor} - \edef\thiscolor{\maincolor} - \def\currentcolordefs{} - % - \def\makefootline{% - \baselineskip24pt - \line{\pdfsetcolor{\maincolor}\the\footline}% - } - % - \def\makeheadline{% - \vbox to 0pt{% - \vskip-22.5pt - \line{% - \vbox to8.5pt{}% - % Extract \thiscolor definition from the marks. - \getcolormarks - % Typeset the headline with \maincolor, then restore the color. - \pdfsetcolor{\maincolor}\the\headline\pdfsetcolor{\thiscolor}% - }% - \vss - }% - \nointerlineskip - } - % % PDF outline support % % Emulate pdfTeX primitive @@ -1645,11 +1621,6 @@ \safewhatsit{\pdfdest name{\pdfdestname} xyz}% } % - % by default, use black for everything. - \def\urlcolor{\rgbBlack} - \def\linkcolor{\rgbBlack} - \def\endlink{\setcolor{\maincolor}\pdfendlink} - % \def\dopdfoutline#1#2#3#4{% \setpdfoutlinetext{#1} \setpdfdestname{#3} @@ -1663,7 +1634,6 @@ % \def\pdfmakeoutlines{% \begingroup - % % For XeTeX, counts of subentries are not necessary. % Therefore, we read toc only once. % @@ -1682,6 +1652,11 @@ \def\numsubsubsecentry##1##2##3##4{% \dopdfoutline{##1}{4}{##3}{##4}}% % + % Note this is at the wrong level unless the index is in an @appendix + % or @chapter. + \def\idxinitialentry##1##2##3##4{% + \dopdfoutline{##1}{2}{idx.##1.##2}{##4}}% + % \let\appentry\numchapentry% \let\appsecentry\numsecentry% \let\appsubsecentry\numsubsecentry% @@ -1696,15 +1671,23 @@ % Therefore, the encoding and the language may not be considered. % \indexnofonts + \pdfaccentliterals + \ifnodeseen\else \dopdfoutlinecontents \fi % for @contents at beginning + % \setupdatafile % We can have normal brace characters in the PDF outlines, unlike % Texinfo index files. So set that up. \def\{{\lbracecharliteral}% \def\}{\rbracecharliteral}% \catcode`\\=\active \otherbackslash - \input \tocreadfilename + \input \tocreadfilename\relax + \ifnodeseen \dopdfoutlinecontents \fi % for @contents at end \endgroup } + \def\dopdfoutlinecontents{% + \expandafter\dopdfoutline\expandafter + {\putwordTOC}{1}{txi.CONTENTS}{txi.CONTENTS}% + } {\catcode`[=1 \catcode`]=2 \catcode`{=\other \catcode`}=\other \gdef\lbracecharliteral[{]% @@ -1717,7 +1700,7 @@ % However, due to a UTF-16 conversion issue of xdvipdfmx 20150315, % ``\special{pdf:dest ...}'' cannot handle non-ASCII strings. % It is fixed by xdvipdfmx 20160106 (TeX Live SVN r39753). -% + % \def\skipspaces#1{\def\PP{#1}\def\D{|}% \ifx\PP\D\let\nextsp\relax \else\let\nextsp\skipspaces @@ -1732,55 +1715,17 @@ \edef\temp{#1}% \expandafter\skipspaces\temp|\relax } - % make a live url in pdf output. - \def\pdfurl#1{% - \begingroup - % it seems we really need yet another set of dummies; have not - % tried to figure out what each command should do in the context - % of @url. for now, just make @/ a no-op, that's the only one - % people have actually reported a problem with. - % - \normalturnoffactive - \def\@{@}% - \let\/=\empty - \makevalueexpandable - % do we want to go so far as to use \indexnofonts instead of just - % special-casing \var here? - \def\var##1{##1}% - % - \leavevmode\setcolor{\urlcolor}% - \special{pdf:bann << /Border [0 0 0] - /Subtype /Link /A << /S /URI /URI (#1) >> >>}% - \endgroup} + \def\pdfmakeurl#1{% + \special{pdf:bann << /Border [0 0 0] + /Subtype /Link /A << /S /URI /URI (#1) >> >>}% + } \def\endlink{\setcolor{\maincolor}\special{pdf:eann}} - \def\pdfgettoks#1.{\setbox\boxA=\hbox{\toksA={#1.}\toksB={}\maketoks}} - \def\addtokens#1#2{\edef\addtoks{\noexpand#1={\the#1#2}}\addtoks} - \def\adn#1{\addtokens{\toksC}{#1}\global\countA=1\let\next=\maketoks} - \def\poptoks#1#2|ENDTOKS|{\let\first=#1\toksD={#1}\toksA={#2}} - \def\maketoks{% - \expandafter\poptoks\the\toksA|ENDTOKS|\relax - \ifx\first0\adn0 - \else\ifx\first1\adn1 \else\ifx\first2\adn2 \else\ifx\first3\adn3 - \else\ifx\first4\adn4 \else\ifx\first5\adn5 \else\ifx\first6\adn6 - \else\ifx\first7\adn7 \else\ifx\first8\adn8 \else\ifx\first9\adn9 - \else - \ifnum0=\countA\else\makelink\fi - \ifx\first.\let\next=\done\else - \let\next=\maketoks - \addtokens{\toksB}{\the\toksD} - \ifx\first,\addtokens{\toksB}{\space}\fi - \fi - \fi\fi\fi\fi\fi\fi\fi\fi\fi\fi - \next} - \def\makelink{\addtokens{\toksB}% - {\noexpand\pdflink{\the\toksC}}\toksC={}\global\countA=0} \def\pdflink#1{\pdflinkpage{#1}{#1}}% \def\pdflinkpage#1#2{% \special{pdf:bann << /Border [0 0 0] /Type /Annot /Subtype /Link /A << /S /GoTo /D (#1) >> >>}% \setcolor{\linkcolor}#2\endlink} - \def\done{\edef\st{\global\noexpand\toksA={\the\toksB}}\st} -% + % % % @image support % @@ -1837,6 +1782,164 @@ } \fi +% common definitions and code for pdftex, luatex and xetex +\ifpdforxetex + % The dark red here is dark enough to print on paper as + % nearly black, but still distinguishable for online viewing. We use + % black by default, though. + \def\rgbDarkRed{0.50 0.09 0.12} + \def\rgbBlack{0 0 0} + % + % Set color, and create a mark which defines \thiscolor accordingly, + % so that \makeheadline knows which color to restore. + \def\curcolor{0 0 0}% + \def\setcolor#1{% + \ifx#1\curcolor\else + \xdef\currentcolordefs{\gdef\noexpand\thiscolor{#1}}% + \domark + \pdfsetcolor{#1}% + \xdef\curcolor{#1}% + \fi + } + % + \let\maincolor\rgbBlack + \pdfsetcolor{\maincolor} + \edef\thiscolor{\maincolor} + \def\currentcolordefs{} + % + \def\makefootline{% + \baselineskip24pt + \line{\pdfsetcolor{\maincolor}\the\footline}% + } + % + \def\makeheadline{% + \vbox to 0pt{% + \vskip-22.5pt + \line{% + \vbox to8.5pt{}% + % Extract \thiscolor definition from the marks. + \getcolormarks + % Typeset the headline with \maincolor, then restore the color. + \pdfsetcolor{\maincolor}\the\headline\pdfsetcolor{\thiscolor}% + }% + \vss + }% + \nointerlineskip + } + % + % by default, use black for everything. + \def\urlcolor{\rgbBlack} + \let\linkcolor\rgbBlack + % + % make a live url in pdf output. + \def\pdfurl#1{% + \begingroup + % it seems we really need yet another set of dummies; have not + % tried to figure out what each command should do in the context + % of @url. for now, just make @/ a no-op, that's the only one + % people have actually reported a problem with. + % + \normalturnoffactive + \def\@{@}% + \let\/=\empty + \makevalueexpandable + % do we want to go so far as to use \indexnofonts instead of just + % special-casing \var here? + \def\var##1{##1}% + % + \leavevmode\setcolor{\urlcolor}% + \pdfmakeurl{#1}% + \endgroup} + % + % \pdfgettoks - Surround page numbers in #1 with @pdflink. #1 may + % be a simple number, or a list of numbers in the case of an index + % entry. + \def\pdfgettoks#1.{\setbox\boxA=\hbox{\toksA={#1.}\toksB={}\maketoks}} + \def\addtokens#1#2{\edef\addtoks{\noexpand#1={\the#1#2}}\addtoks} + \def\adn#1{\addtokens{\toksC}{#1}\global\countA=1\let\next=\maketoks} + \def\poptoks#1#2|ENDTOKS|{\let\first=#1\toksD={#1}\toksA={#2}} + \def\maketoks{% + \expandafter\poptoks\the\toksA|ENDTOKS|\relax + \ifx\first0\adn0 + \else\ifx\first1\adn1 \else\ifx\first2\adn2 \else\ifx\first3\adn3 + \else\ifx\first4\adn4 \else\ifx\first5\adn5 \else\ifx\first6\adn6 + \else\ifx\first7\adn7 \else\ifx\first8\adn8 \else\ifx\first9\adn9 + \else + \ifnum0=\countA\else\makelink\fi + \ifx\first.\let\next=\done\else + \let\next=\maketoks + \addtokens{\toksB}{\the\toksD} + \ifx\first,\addtokens{\toksB}{\space}\fi + \fi + \fi\fi\fi\fi\fi\fi\fi\fi\fi\fi + \next} + \def\makelink{\addtokens{\toksB}% + {\noexpand\pdflink{\the\toksC}}\toksC={}\global\countA=0} + \def\done{\edef\st{\global\noexpand\toksA={\the\toksB}}\st} +\fi + +\ifpdforxetex + % for pdftex. + {\catcode`^^cc=13 + \gdef\pdfaccentliteralsutfviii{% + % For PDF outline only. Unicode combining accents follow the + % character they modify. Note we need at least the first byte + % of the UTF-8 sequences to have an active catcode to allow the + % definitions to do their magic. + \def\"##1{##1^^cc^^88}% U+0308 + \def\'##1{##1^^cc^^81}% U+0301 + \def\,##1{##1^^cc^^a7}% U+0327 + \def\=##1{##1^^cc^^85}% U+0305 + \def\^##1{##1^^cc^^82}% U+0302 + \def\`##1{##1^^cc^^80}% U+0300 + \def\~##1{##1^^cc^^83}% U+0303 + \def\dotaccent##1{##1^^cc^^87}% U+0307 + \def\H##1{##1^^cc^^8b}% U+030B + \def\ogonek##1{##1^^cc^^a8}% U+0328 + \def\ringaccent##1{##1^^cc^^8a}% U+030A + \def\u##1{##1^^cc^^8c}% U+0306 + \def\ubaraccent##1{##1^^cc^^b1}% U+0331 + \def\udotaccent##1{##1^^cc^^a3}% U+0323 + \def\v##1{##1^^cc^^8c}% U+030C + % this definition of @tieaccent will only work with exactly two characters + % in argument as we need to insert the combining character between them. + \def\tieaccent##1{\tieaccentz##1}% + \def\tieaccentz##1##2{##1^^cd^^a1##2} % U+0361 + }}% + % + % for xetex and luatex, which both support extended ^^^^ escapes and + % process the Unicode codepoint as a single token. + \gdef\pdfaccentliteralsnative{% + \def\"##1{##1^^^^0308}% + \def\'##1{##1^^^^0301}% + \def\,##1{##1^^^^0327}% + \def\=##1{##1^^^^0305}% + \def\^##1{##1^^^^0302}% + \def\`##1{##1^^^^0300}% + \def\~##1{##1^^^^0303}% + \def\dotaccent##1{##1^^^^0307}% + \def\H##1{##1^^^^030b}% + \def\ogonek##1{##1^^^^0328}% + \def\ringaccent##1{##1^^^^030a}% + \def\u##1{##1^^^^0306}% + \def\ubaraccent##1{##1^^^^0331}% + \def\udotaccent##1{##1^^^^0323}% + \def\v##1{##1^^^^030c}% + \def\tieaccent##1{\tieaccentz##1}% + \def\tieaccentz##1##2{##1^^^^0361##2} % U+0361 + }% + % + % use the appropriate definition + \ifluatex + \let\pdfaccentliterals\pdfaccentliteralsnative + \else + \ifxetex + \let\pdfaccentliterals\pdfaccentliteralsnative + \else + \let\pdfaccentliterals\pdfaccentliteralsutfviii + \fi + \fi +\fi % \message{fonts,} @@ -2768,15 +2871,15 @@ % @cite unconditionally uses \sl with \smartitaliccorrection. \def\cite#1{{\sl #1}\smartitaliccorrection} -% @var unconditionally uses \sl. This gives consistency for -% parameter names whether they are in @def, @table @code or a -% regular paragraph. -% To get ttsl font for @var when used in code context, @set txicodevaristt. -% The \null is to reset \spacefactor. +% By default, use ttsl font for @var when used in code context. +% To unconditionally use \sl for @var, @clear txicodevaristt. This +% gives consistency for parameter names whether they are in @def, +% @table @code or a regular paragraph. \def\aftersmartic{} \def\var#1{% \let\saveaftersmartic = \aftersmartic \def\aftersmartic{\null\let\aftersmartic=\saveaftersmartic}% + % The \null is to reset \spacefactor. % \ifflagclear{txicodevaristt}% {\def\varnext{{{\sl #1}}\smartitaliccorrection}}% @@ -2784,7 +2887,6 @@ \varnext } -% To be removed after next release \def\SETtxicodevaristt{}% @set txicodevaristt \let\i=\smartitalic @@ -2804,7 +2906,7 @@ \def\ii#1{{\it #1}} % italic font % @b, explicit bold. Also @strong. -\def\b#1{{\bf #1}} +\def\b#1{{\bf \defcharsdefault #1}} \let\strong=\b % @sansserif, explicit sans. @@ -3035,9 +3137,7 @@ \unhbox0\ (\urefcode{#1})% \fi \else - \ifx\XeTeXrevision\thisisundefined - \unhbox0\ (\urefcode{#1})% DVI, always show arg and url - \else + \ifxetex % For XeTeX \ifurefurlonlylink % PDF plus option to not display url, show just arg @@ -3047,6 +3147,8 @@ % visibility, if the pdf is eventually used to print, etc. \unhbox0\ (\urefcode{#1})% \fi + \else + \unhbox0\ (\urefcode{#1})% DVI, always show arg and url \fi \fi \else @@ -3126,11 +3228,12 @@ % at the end of the line, or no break at all here. % Changing the value of the penalty and/or the amount of stretch affects how % preferable one choice is over the other. +% Check test cases in doc/texinfo-tex-test.texi before making any changes. \def\urefallowbreak{% \penalty0\relax - \hskip 0pt plus 2 em\relax + \hskip 0pt plus 3 em\relax \penalty1000\relax - \hskip 0pt plus -2 em\relax + \hskip 0pt plus -3 em\relax } \urefbreakstyle after @@ -3665,15 +3768,24 @@ {\font\thisecfont = #1ctt\ecsize \space at \nominalsize}% % else {\ifx\curfontstyle\bfstylename - % bold: - \font\thisecfont = #1cb\ifusingit{i}{x}\ecsize \space at \nominalsize + \etcfontbold{#1}% \else - % regular: - \font\thisecfont = #1c\ifusingit{ti}{rm}\ecsize \space at \nominalsize + \ifrmisbold + \etcfontbold{#1}% + \else + % regular: + \font\thisecfont = #1c\ifusingit{ti}{rm}\ecsize \space + at \nominalsize + \fi \fi}% \thisecfont } +\def\etcfontbold#1{% + % bold: + \font\thisecfont = #1cb\ifusingit{i}{x}\ecsize \space at \nominalsize +} + % @registeredsymbol - R in a circle. The font for the R should really % be smaller yet, but lllsize is the best we can do for now. % Adapted from the plain.tex definition of \copyright. @@ -5438,6 +5550,9 @@ \closein 1 \endgroup} +% Checked in @bye +\let\byeerror\relax + % If the index file starts with a backslash, forgo reading the index % file altogether. If somebody upgrades texinfo.tex they may still have % old index files using \ as the escape character. Reading this would @@ -5446,7 +5561,9 @@ \ifflagclear{txiindexescapeisbackslash}{% \uccode`\~=`\\ \uppercase{\if\noexpand~}\noexpand#1 \ifflagclear{txiskipindexfileswithbackslash}{% -\errmessage{% + % Delay the error message until the very end to give a chance + % for the whole index to be output as input for texindex. + \global\def\byeerror{% ERROR: A sorted index file in an obsolete format was skipped. To fix this problem, please upgrade your version of 'texi2dvi' or 'texi2pdf' to that at . @@ -5518,7 +5635,6 @@ \def\initial{% \bgroup - \initialglyphs \initialx } @@ -5541,7 +5657,10 @@ % % No shrink because it confuses \balancecolumns. \vskip 1.67\baselineskip plus 1\baselineskip - \leftline{\secfonts \kern-0.05em \secbf #1}% + \doindexinitialentry{#1}% + \initialglyphs + \leftline{% + \secfonts \kern-0.05em \secbf #1}% % \secfonts is inside the argument of \leftline so that the change of % \baselineskip will not affect any glue inserted before the vbox that % \leftline creates. @@ -5551,6 +5670,32 @@ \egroup % \initialglyphs } +\def\doindexinitialentry#1{% + \ifpdforxetex + \global\advance\idxinitialno by 1 + \def\indexlbrace{\{} + \def\indexrbrace{\}} + \def\indexbackslash{\realbackslash} + \def\indexatchar{\@} + \writetocentry{idxinitial}{\asis #1}{IDX\the\idxinitialno}% + % The @asis removes a pair of braces around e.g. {@indexatchar} that + % are output by texindex. + % + \vbox to 0pt{}% + % This vbox fixes the \pdfdest location for double column formatting. + % Without it, the \pdfdest is output above topskip glue at the top + % of a column as this glue is not added until the first box. + \pdfmkdest{idx.\asis #1.IDX\the\idxinitialno}% + \fi +} + +% No listing in TOC +\def\idxinitialentry#1#2#3#4{} + +% For index initials. +\newcount\idxinitialno \idxinitialno=1 + + \newdimen\entryrightmargin \entryrightmargin=0pt @@ -5567,7 +5712,7 @@ % \entry typesets a paragraph consisting of the text (#1), dot leaders, and % then page number (#2) flushed to the right margin. It is used for index % and table of contents entries. The paragraph is indented by \leftskip. -% +% If \tocnodetarget is set, link text to the referenced node. \def\entry{% \begingroup % @@ -5608,7 +5753,13 @@ \global\setbox\boxA=\hbox\bgroup \ifpdforxetex \iflinkentrytext - \pdflinkpage{#1}{\unhbox\boxA}% + \ifx\tocnodetarget\empty + \unhbox\boxA + \else + \startxreflink{\tocnodetarget}{}% + \unhbox\boxA + \endlink + \fi \else \unhbox\boxA \fi @@ -5625,11 +5776,18 @@ % \null\nobreak\indexdotfill % Have leaders before the page number. % + \hskip\skip\thinshrinkable \ifpdforxetex - \pdfgettoks#1.% - \hskip\skip\thinshrinkable\the\toksA + \ifx\tocnodetarget\empty + \pdfgettoks#1.% + \the\toksA + \else + % Should just be a single page number in toc + \startxreflink{\tocnodetarget}{}% + #1\endlink + \fi \else - \hskip\skip\thinshrinkable #1% + #1% \fi \fi \egroup % end \boxA @@ -6759,12 +6917,13 @@ % Prepare to read what we've written to \tocfile. % -\def\startcontents#1{% +\def\startcontents#1#2{% % If @setchapternewpage on, and @headings double, the contents should % start on an odd page, unlike chapters. \contentsalignmacro \immediate\closeout\tocfile % + #2% % Don't need to put `Contents' or `Short Contents' in the headline. % It is abundantly clear what they are. \chapmacro{#1}{Yomitfromtoc}{}% @@ -6795,7 +6954,7 @@ % Normal (long) toc. % \def\contents{% - \startcontents{\putwordTOC}% + \startcontents{\putwordTOC}{\contentsmkdest}% \openin 1 \tocreadfilename\space \ifeof 1 \else \findsecnowidths @@ -6811,9 +6970,13 @@ \contentsendroman } +\def\contentsmkdest{% + \pdfmkdest{txi.CONTENTS}% +} + % And just the chapters. \def\summarycontents{% - \startcontents{\putwordShortTOC}% + \startcontents{\putwordShortTOC}{}% % \let\partentry = \shortpartentry \let\numchapentry = \shortchapentry @@ -6892,7 +7055,7 @@ \vskip 0pt plus 5\baselineskip \penalty-300 \vskip 0pt plus -5\baselineskip - \dochapentry{#1}{\numeralbox}{}% + \dochapentry{#1}{\numeralbox}{#3}{}% } % % Parts, in the short toc. @@ -6905,12 +7068,12 @@ % Chapters, in the main contents. \def\numchapentry#1#2#3#4{% \retrievesecnowidth\secnowidthchap{#2}% - \dochapentry{#1}{#2}{#4}% + \dochapentry{#1}{#2}{#3}{#4}% } % Chapters, in the short toc. \def\shortchapentry#1#2#3#4{% - \tocentry{#1}{\shortchaplabel{#2}}{#4}% + \tocentry{#1}{\shortchaplabel{#2}}{#3}{#4}% } % Appendices, in the main contents. @@ -6923,79 +7086,77 @@ % \def\appentry#1#2#3#4{% \retrievesecnowidth\secnowidthchap{#2}% - \dochapentry{\appendixbox{#2}\hskip.7em#1}{}{#4}% + \dochapentry{\appendixbox{#2}\hskip.7em#1}{}{#3}{#4}% } % Unnumbered chapters. -\def\unnchapentry#1#2#3#4{\dochapentry{#1}{}{#4}} -\def\shortunnchapentry#1#2#3#4{\tocentry{#1}{}{#4}} +\def\unnchapentry#1#2#3#4{\dochapentry{#1}{}{#3}{#4}} +\def\shortunnchapentry#1#2#3#4{\tocentry{#1}{}{#3}{#4}} % Sections. -\def\numsecentry#1#2#3#4{\dosecentry{#1}{#2}{#4}} - \def\numsecentry#1#2#3#4{% \retrievesecnowidth\secnowidthsec{#2}% - \dosecentry{#1}{#2}{#4}% + \dosecentry{#1}{#2}{#3}{#4}% } \let\appsecentry=\numsecentry \def\unnsecentry#1#2#3#4{% \retrievesecnowidth\secnowidthsec{#2}% - \dosecentry{#1}{}{#4}% + \dosecentry{#1}{}{#3}{#4}% } % Subsections. \def\numsubsecentry#1#2#3#4{% \retrievesecnowidth\secnowidthssec{#2}% - \dosubsecentry{#1}{#2}{#4}% + \dosubsecentry{#1}{#2}{#3}{#4}% } \let\appsubsecentry=\numsubsecentry \def\unnsubsecentry#1#2#3#4{% \retrievesecnowidth\secnowidthssec{#2}% - \dosubsecentry{#1}{}{#4}% + \dosubsecentry{#1}{}{#3}{#4}% } % And subsubsections. -\def\numsubsubsecentry#1#2#3#4{\dosubsubsecentry{#1}{#2}{#4}} +\def\numsubsubsecentry#1#2#3#4{\dosubsubsecentry{#1}{#2}{#3}{#4}} \let\appsubsubsecentry=\numsubsubsecentry -\def\unnsubsubsecentry#1#2#3#4{\dosubsubsecentry{#1}{}{#4}} +\def\unnsubsubsecentry#1#2#3#4{\dosubsubsecentry{#1}{}{#3}{#4}} % This parameter controls the indentation of the various levels. % Same as \defaultparindent. \newdimen\tocindent \tocindent = 15pt % Now for the actual typesetting. In all these, #1 is the text, #2 is -% a section number if present, and #3 is the page number. +% a section number if present, #3 is the node, and #4 is the page number. % % If the toc has to be broken over pages, we want it to be at chapters % if at all possible; hence the \penalty. -\def\dochapentry#1#2#3{% +\def\dochapentry#1#2#3#4{% \penalty-300 \vskip1\baselineskip plus.33\baselineskip minus.25\baselineskip \begingroup % Move the page numbers slightly to the right \advance\entryrightmargin by -0.05em \chapentryfonts \extrasecnoskip=0.4em % separate chapter number more - \tocentry{#1}{#2}{#3}% + \tocentry{#1}{#2}{#3}{#4}% \endgroup \nobreak\vskip .25\baselineskip plus.1\baselineskip } -\def\dosecentry#1#2#3{\begingroup +\def\dosecentry#1#2#3#4{\begingroup \secnowidth=\secnowidthchap \secentryfonts \leftskip=\tocindent - \tocentry{#1}{#2}{#3}% + \tocentry{#1}{#2}{#3}{#4}% \endgroup} -\def\dosubsecentry#1#2#3{\begingroup +\def\dosubsecentry#1#2#3#4{\begingroup \secnowidth=\secnowidthsec \subsecentryfonts \leftskip=2\tocindent - \tocentry{#1}{#2}{#3}% + \tocentry{#1}{#2}{#3}{#4}% \endgroup} -\def\dosubsubsecentry#1#2#3{\begingroup +\def\dosubsubsecentry#1#2#3#4{\begingroup \secnowidth=\secnowidthssec \subsubsecentryfonts \leftskip=3\tocindent - \tocentry{#1}{#2}{#3}% + \tocentry{#1}{#2}{#3}{#4}% \endgroup} % Used for the maximum width of a section number so we can align @@ -7005,12 +7166,15 @@ \newdimen\extrasecnoskip \extrasecnoskip=0pt -% \tocentry{TITLE}{SEC NO}{PAGE} +\let\tocnodetarget\empty + +% \tocentry{TITLE}{SEC NO}{NODE}{PAGE} % -\def\tocentry#1#2#3{% +\def\tocentry#1#2#3#4{% + \def\tocnodetarget{#3}% \def\secno{#2}% \ifx\empty\secno - \entry{#1}{#3}% + \entry{#1}{#4}% \else \ifdim 0pt=\secnowidth \setbox0=\hbox{#2\hskip\labelspace\hskip\extrasecnoskip}% @@ -7021,7 +7185,7 @@ #2\hskip\labelspace\hskip\extrasecnoskip\hfill}% \fi \entrycontskip=\wd0 - \entry{\box0 #1}{#3}% + \entry{\box0 #1}{#4}% \fi } \newdimen\labelspace @@ -7901,7 +8065,7 @@ {\rm\enskip}% hskip 0.5 em of \rmfont }{}% % - \boldbrax + \parenbrackglyphs % arguments will be output next, if any. } @@ -7911,7 +8075,10 @@ \def\^^M{}% for line continuation \df \ifdoingtypefn \tt \else \sl \fi \ifflagclear{txicodevaristt}{}% - {\def\var##1{{\setregularquotes \ttsl ##1}}}% + % use \ttsl for @var in both @def* and @deftype*. + % the kern prevents an italic correction at end, which appears + % too much for ttsl. + {\def\var##1{{\setregularquotes \ttsl ##1\kern 0pt }}}% #1% \egroup } @@ -7928,8 +8095,9 @@ \let\lparen = ( \let\rparen = ) % Be sure that we always have a definition for `(', etc. For example, -% if the fn name has parens in it, \boldbrax will not be in effect yet, -% so TeX would otherwise complain about undefined control sequence. +% if the fn name has parens in it, \parenbrackglyphs will not be in +% effect yet, so TeX would otherwise complain about undefined control +% sequence. { \activeparens \gdef\defcharsdefault{% @@ -7939,49 +8107,28 @@ } \globaldefs=1 \defcharsdefault - \gdef\boldbrax{\let(=\opnr\let)=\clnr\let[=\lbrb\let]=\rbrb} + \gdef\parenbrackglyphs{\let(=\opnr\let)=\cpnr\let[=\lbrb\let]=\rbrb} \gdef\magicamp{\let&=\amprm} } \let\ampchar\& -\newcount\parencount - -% If we encounter &foo, then turn on ()-hacking afterwards -\newif\ifampseen -\def\amprm#1 {\ampseentrue{\rm\ }} - -\def\parenfont{% - \ifampseen - % At the first level, print parens in roman, - % otherwise use the default font. - \ifnum \parencount=1 \rm \fi - \else - % The \sf parens (in \boldbrax) actually are a little bolder than - % the contained text. This is especially needed for [ and ] . - \sf - \fi -} -\def\infirstlevel#1{% - \ifampseen - \ifnum\parencount=1 - #1% - \fi - \fi -} -\def\bfafterword#1 {#1 \bf} +\def\amprm#1 {{\rm\ }} +\newcount\parencount +% opening and closing parentheses in roman font \def\opnr{% + \ptexslash % italic correction \global\advance\parencount by 1 - {\parenfont(}% - \infirstlevel \bfafterword + {\sf(}% } -\def\clnr{% - {\parenfont)}% - \infirstlevel \sl +\def\cpnr{% + \ptexslash % italic correction + {\sf)}% \global\advance\parencount by -1 } \newcount\brackcount +% left and right square brackets in bold font \def\lbrb{% \global\advance\brackcount by 1 {\bf[}% @@ -8511,7 +8658,7 @@ \expandafter\xdef\csname\the\macname\endcsname{% \begingroup \noexpand\spaceisspace - \noexpand\endlineisspace + \noexpand\ignoreactivenewline \noexpand\expandafter % skip any whitespace after the macro name. \expandafter\noexpand\csname\the\macname @@@\endcsname}% \expandafter\xdef\csname\the\macname @@@\endcsname{% @@ -8812,8 +8959,13 @@ \ifx\lastnode\empty\else \setref{\lastnode}{#1}% \global\let\lastnode=\empty + \setnodeseenonce \fi } +\def\setnodeseenonce{ + \global\nodeseentrue + \let\setnodeseenonce\relax +} % @nodedescription, @nodedescriptionblock - do nothing for TeX \parseargdef\nodedescription{} @@ -9551,7 +9703,9 @@ % For pdfTeX and LuaTeX <= 0.80 \dopdfimage{#1}{#2}{#3}% \else - \ifx\XeTeXrevision\thisisundefined + \ifxetex + \doxeteximage{#1}{#2}{#3}% + \else % For epsf.tex % \epsfbox itself resets \epsf?size at each figure. \setbox0 = \hbox{\ignorespaces #2}% @@ -9559,9 +9713,6 @@ \setbox0 = \hbox{\ignorespaces #3}% \ifdim\wd0 > 0pt \epsfysize=#3\relax \fi \epsfbox{#1.eps}% - \else - % For XeTeX - \doxeteximage{#1}{#2}{#3}% \fi \fi % @@ -9907,25 +10058,24 @@ \newif\iftxinativeunicodecapable \newif\iftxiusebytewiseio -\ifx\XeTeXrevision\thisisundefined - \ifx\luatexversion\thisisundefined - \txinativeunicodecapablefalse - \txiusebytewiseiotrue - \else +\ifxetex + \txinativeunicodecapabletrue + \txiusebytewiseiofalse +\else + \ifluatex \txinativeunicodecapabletrue \txiusebytewiseiofalse + \else + \txinativeunicodecapablefalse + \txiusebytewiseiotrue \fi -\else - \txinativeunicodecapabletrue - \txiusebytewiseiofalse \fi % Set I/O by bytes instead of UTF-8 sequence for XeTeX and LuaTex % for non-UTF-8 (byte-wise) encodings. % \def\setbytewiseio{% - \ifx\XeTeXrevision\thisisundefined - \else + \ifxetex \XeTeXdefaultencoding "bytes" % For subsequent files to be read \XeTeXinputencoding "bytes" % For document root file % Unfortunately, there seems to be no corresponding XeTeX command for @@ -9934,8 +10084,7 @@ % place of non-ASCII characters. \fi - \ifx\luatexversion\thisisundefined - \else + \ifluatex \directlua{ local utf8_char, byte, gsub = unicode.utf8.char, string.byte, string.gsub local function convert_char (char) @@ -10044,8 +10193,7 @@ \fi % lattwo \fi % ascii % - \ifx\XeTeXrevision\thisisundefined - \else + \ifxetex \ifx \declaredencoding \utfeight \else \ifx \declaredencoding \ascii @@ -10328,11 +10476,15 @@ \gdef\UTFviiiDefined#1{% \ifx #1\relax - \message{\linenumber Unicode char \string #1 not defined for Texinfo}% + \ifutfviiidefinedwarning + \message{\linenumber Unicode char \string #1 not defined for Texinfo}% + \fi \else \expandafter #1% \fi } +\newif\ifutfviiidefinedwarning +\utfviiidefinedwarningtrue % Give non-ASCII bytes the active definitions for processing UTF-8 sequences \begingroup @@ -10342,8 +10494,8 @@ % Loop from \countUTFx to \countUTFy, performing \UTFviiiTmp % substituting ~ and $ with a character token of that value. - \def\UTFviiiLoop{% - \global\catcode\countUTFx\active + \gdef\UTFviiiLoop{% + \catcode\countUTFx\active \uccode`\~\countUTFx \uccode`\$\countUTFx \uppercase\expandafter{\UTFviiiTmp}% @@ -10351,7 +10503,7 @@ \ifnum\countUTFx < \countUTFy \expandafter\UTFviiiLoop \fi} - + % % For bytes other than the first in a UTF-8 sequence. Not expected to % be expanded except when writing to auxiliary files. \countUTFx = "80 @@ -10385,6 +10537,16 @@ \else\expandafter\UTFviiiFourOctets\expandafter$\fi }}% \UTFviiiLoop + % + % for pdftex only, used to expand ASCII to UTF-16BE. + \gdef\asciitounicode{% + \countUTFx = "20 + \countUTFy = "80 + \def\UTFviiiTmp{% + \def~{\nullbyte $}}% + \UTFviiiLoop + } + {\catcode0=11 \gdef\nullbyte{^^00}}% \endgroup \def\globallet{\global\let} % save some \expandafter's below @@ -10409,8 +10571,8 @@ \fi } -% These macros are used here to construct the name of a control -% sequence to be defined. +% These macros are used here to construct the names of macros +% that expand to the definitions for UTF-8 sequences. \def\UTFviiiTwoOctetsName#1#2{% \csname u8:#1\string #2\endcsname}% \def\UTFviiiThreeOctetsName#1#2#3{% @@ -10418,6 +10580,35 @@ \def\UTFviiiFourOctetsName#1#2#3#4{% \csname u8:#1\string #2\string #3\string #4\endcsname}% +% generate UTF-16 from codepoint +\def\utfsixteentotoks#1#2{% + \countUTFz = "#2\relax + \ifnum \countUTFz > 65535 + % doesn't work for codepoints > U+FFFF + % we don't define glyphs for any of these anyway, so it doesn't matter + #1={U+#2}% + \else + \countUTFx = \countUTFz + \divide\countUTFx by 256 + \countUTFy = \countUTFx + \multiply\countUTFx by 256 + \advance\countUTFz by -\countUTFx + \uccode`,=\countUTFy + \uccode`;=\countUTFz + \ifnum\countUTFy = 0 + \uppercase{#1={\nullbyte\string;}}% + \else\ifnum\countUTFz = 0 + \uppercase{#1={\string,\nullbyte}}% + \else + \uppercase{#1={\string,\string;}}% + \fi\fi + % NB \uppercase cannot insert a null byte + \fi +} + +\newif\ifutfbytespdf +\utfbytespdffalse + % For UTF-8 byte sequences (TeX, e-TeX and pdfTeX), % provide a definition macro to replace a Unicode character; % this gets used by the @U command @@ -10434,18 +10625,22 @@ \countUTFz = "#1\relax \begingroup \parseXMLCharref - - % Give \u8:... its definition. The sequence of seven \expandafter's - % expands after the \gdef three times, e.g. % + % Completely expand \UTFviiiTmp, which looks like: % 1. \UTFviiTwoOctetsName B1 B2 % 2. \csname u8:B1 \string B2 \endcsname % 3. \u8: B1 B2 (a single control sequence token) + \xdef\UTFviiiTmp{\UTFviiiTmp}% % - \expandafter\expandafter - \expandafter\expandafter - \expandafter\expandafter - \expandafter\gdef \UTFviiiTmp{#2}% + \ifpdf + \toksA={#2}% + \utfsixteentotoks\toksB{#1}% + \expandafter\xdef\UTFviiiTmp{% + \noexpand\ifutfbytespdf\noexpand\utfbytes{\the\toksB}% + \noexpand\else\the\toksA\noexpand\fi}% + \else + \expandafter\gdef\UTFviiiTmp{#2}% + \fi % \expandafter\ifx\csname uni:#1\endcsname \relax \else \message{Internal error, already defined: #1}% @@ -10455,8 +10650,9 @@ \expandafter\globallet\csname uni:#1\endcsname \UTFviiiTmp \endgroup} % - % Given the value in \countUTFz as a Unicode code point, set \UTFviiiTmp - % to the corresponding UTF-8 sequence. + % Given the value in \countUTFz as a Unicode code point, set + % \UTFviiiTmp to one of the \UTVviii*OctetsName macros followed by + % the corresponding UTF-8 sequence. \gdef\parseXMLCharref{% \ifnum\countUTFz < "20\relax \errhelp = \EMsimple @@ -10515,6 +10711,16 @@ \catcode"#1=\other } +% Suppress ligature creation from adjacent characters. +\ifluatex + \def\nolig{{}} +\else + % Braces do not suppress ligature creation in LuaTeX, e.g. in of{}fice + % to suppress the "ff" ligature. Using a kern appears to be the only + % workaround. + \def\nolig{\kern0pt{}} +\fi + % https://en.wikipedia.org/wiki/Plane_(Unicode)#Basic_M % U+0000..U+007F = https://en.wikipedia.org/wiki/Basic_Latin_(Unicode_block) % U+0080..U+00FF = https://en.wikipedia.org/wiki/Latin-1_Supplement_(Unicode_block) @@ -11132,8 +11338,8 @@ % Punctuation \DeclareUnicodeCharacter{2013}{--}% \DeclareUnicodeCharacter{2014}{---}% - \DeclareUnicodeCharacter{2018}{\quoteleft{}}% - \DeclareUnicodeCharacter{2019}{\quoteright{}}% + \DeclareUnicodeCharacter{2018}{\quoteleft\nolig}% + \DeclareUnicodeCharacter{2019}{\quoteright\nolig}% \DeclareUnicodeCharacter{201A}{\quotesinglbase{}}% \DeclareUnicodeCharacter{201C}{\quotedblleft{}}% \DeclareUnicodeCharacter{201D}{\quotedblright{}}% @@ -11168,7 +11374,7 @@ \DeclareUnicodeCharacter{2287}{\ensuremath\supseteq}% % \DeclareUnicodeCharacter{2016}{\ensuremath\Vert}% - \DeclareUnicodeCharacter{2032}{\ensuremath\prime}% + \DeclareUnicodeCharacter{2032}{\ensuremath{^\prime}}% \DeclareUnicodeCharacter{210F}{\ensuremath\hbar}% \DeclareUnicodeCharacter{2111}{\ensuremath\Im}% \DeclareUnicodeCharacter{2113}{\ensuremath\ell}% @@ -11291,6 +11497,25 @@ % \global\mathchardef\checkmark="1370% actually the square root sign \DeclareUnicodeCharacter{2713}{\ensuremath\checkmark}% + % + % These are all the combining accents. We need these empty definitions + % at present for the sake of PDF outlines. + \DeclareUnicodeCharacter{0300}{}% + \DeclareUnicodeCharacter{0301}{}% + \DeclareUnicodeCharacter{0302}{}% + \DeclareUnicodeCharacter{0303}{}% + \DeclareUnicodeCharacter{0305}{}% + \DeclareUnicodeCharacter{0306}{}% + \DeclareUnicodeCharacter{0307}{}% + \DeclareUnicodeCharacter{0308}{}% + \DeclareUnicodeCharacter{030A}{}% + \DeclareUnicodeCharacter{030B}{}% + \DeclareUnicodeCharacter{030C}{}% + \DeclareUnicodeCharacter{0323}{}% + \DeclareUnicodeCharacter{0327}{}% + \DeclareUnicodeCharacter{0328}{}% + \DeclareUnicodeCharacter{0331}{}% + \DeclareUnicodeCharacter{0361}{}% }% end of \unicodechardefs % UTF-8 byte sequence (pdfTeX) definitions (replacing and @U command) @@ -11429,12 +11654,12 @@ \pdfhorigin = 1 true in \pdfvorigin = 1 true in \else - \ifx\XeTeXrevision\thisisundefined - \special{papersize=#8,#7}% - \else + \ifxetex \pdfpageheight #7\relax \pdfpagewidth #8\relax % XeTeX does not have \pdfhorigin and \pdfvorigin. + \else + \special{papersize=#8,#7}% \fi \fi % @@ -11634,21 +11859,21 @@ #1#2#3=\countB\relax } -\ifx\XeTeXrevision\thisisundefined - \ifx\luatexversion\thisisundefined +\ifxetex % XeTeX + \mtsetprotcode\textrm + \def\mtfontexpand#1{} +\else + \ifluatex % LuaTeX + \mtsetprotcode\textrm + \def\mtfontexpand#1{\expandglyphsinfont#1 20 20 1\relax} + \else \ifpdf % pdfTeX \mtsetprotcode\textrm \def\mtfontexpand#1{\pdffontexpand#1 20 20 1 autoexpand\relax} \else % TeX \def\mtfontexpand#1{} \fi - \else % LuaTeX - \mtsetprotcode\textrm - \def\mtfontexpand#1{\expandglyphsinfont#1 20 20 1\relax} \fi -\else % XeTeX - \mtsetprotcode\textrm - \def\mtfontexpand#1{} \fi @@ -11657,18 +11882,18 @@ \def\microtypeON{% \microtypetrue % - \ifx\XeTeXrevision\thisisundefined - \ifx\luatexversion\thisisundefined + \ifxetex % XeTeX + \XeTeXprotrudechars=2 + \else + \ifluatex % LuaTeX + \adjustspacing=2 + \protrudechars=2 + \else \ifpdf % pdfTeX \pdfadjustspacing=2 \pdfprotrudechars=2 \fi - \else % LuaTeX - \adjustspacing=2 - \protrudechars=2 \fi - \else % XeTeX - \XeTeXprotrudechars=2 \fi % \mtfontexpand\textrm @@ -11679,18 +11904,18 @@ \def\microtypeOFF{% \microtypefalse % - \ifx\XeTeXrevision\thisisundefined - \ifx\luatexversion\thisisundefined + \ifxetex % XeTeX + \XeTeXprotrudechars=0 + \else + \ifluatex % LuaTeX + \adjustspacing=0 + \protrudechars=0 + \else \ifpdf % pdfTeX \pdfadjustspacing=0 \pdfprotrudechars=0 \fi - \else % LuaTeX - \adjustspacing=0 - \protrudechars=0 \fi - \else % XeTeX - \XeTeXprotrudechars=0 \fi } diff -urN gawk-5.3.1/builtin.c gawk-5.3.2/builtin.c --- gawk-5.3.1/builtin.c 2024-09-17 09:09:56.000000000 +0300 +++ gawk-5.3.2/builtin.c 2025-04-02 06:57:42.000000000 +0300 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 1986, 1988, 1989, 1991-2024, + * Copyright (C) 1986, 1988, 1989, 1991-2025, * the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the @@ -559,6 +559,14 @@ check_exact_args(nargs, "isarray", 1); tmp = POP(); + + if (tmp->type == Node_param_list) { + tmp = GET_PARAM(tmp->param_cnt); + if (tmp->type == Node_array_ref) { + tmp = tmp->orig_array; + } + } + if (tmp->type != Node_var_array) { ret = 0; // could be Node_var_new @@ -810,7 +818,7 @@ * way to do things. */ memset(& mbs, 0, sizeof(mbs)); - emalloc(substr, char *, (length * gawk_mb_cur_max) + 1, "do_substr"); + emalloc(substr, char *, (length * gawk_mb_cur_max) + 1); wp = t1->wstptr + indx; for (cp = substr; length > 0; length--) { result = wcrtomb(cp, *wp, & mbs); @@ -951,9 +959,9 @@ break; bufsize *= 2; if (bufp == buf) - emalloc(bufp, char *, bufsize, "do_strftime"); + emalloc(bufp, char *, bufsize); else - erealloc(bufp, char *, bufsize, "do_strftime"); + erealloc(bufp, char *, bufsize); } ret = make_string(bufp, buflen); if (bufp != buf) @@ -1646,9 +1654,9 @@ amt = ilen + subseplen + strlen("length") + 1; if (oldamt == 0) { - emalloc(buf, char *, amt, "do_match"); + emalloc(buf, char *, amt); } else if (amt > oldamt) { - erealloc(buf, char *, amt, "do_match"); + erealloc(buf, char *, amt); } oldamt = amt; memcpy(buf, buff, ilen); @@ -1901,7 +1909,7 @@ * for example. */ if (gawk_mb_cur_max > 1 && repllen > 0) { - emalloc(mb_indices, char *, repllen * sizeof(char), "do_sub"); + emalloc(mb_indices, char *, repllen * sizeof(char)); index_multibyte_buffer(repl, mb_indices, repllen); } @@ -1954,7 +1962,7 @@ /* guesstimate how much room to allocate; +1 forces > 0 */ buflen = textlen + (ampersands + 1) * repllen + 1; - emalloc(buf, char *, buflen + 1, "do_sub"); + emalloc(buf, char *, buflen + 1); buf[buflen] = '\0'; bp = buf; @@ -1981,7 +1989,7 @@ sofar = bp - buf; while (buflen < (sofar + len + 1)) { buflen *= 2; - erealloc(buf, char *, buflen, "sub_common"); + erealloc(buf, char *, buflen); bp = buf + sofar; } for (scan = text; scan < matchstart; scan++) @@ -2114,7 +2122,7 @@ sofar = bp - buf; if (buflen < (sofar + textlen + 1)) { buflen = sofar + textlen + 1; - erealloc(buf, char *, buflen, "do_sub"); + erealloc(buf, char *, buflen); bp = buf + sofar; } /* @@ -2170,20 +2178,8 @@ * remain a regexp. In that case, we have to update the compiled * regular expression that it holds. */ - bool is_regex = false; - NODE *target = *lhs; - - if ((target->flags & REGEX) != 0) { - is_regex = true; + bool is_regex = ((target->flags & REGEX) != 0); - if (target->valref == 1) { - // free old regex registers - refree(target->typed_re->re_reg[0]); - if (target->typed_re->re_reg[1] != NULL) - refree(target->typed_re->re_reg[1]); - freenode(target->typed_re); - } - } unref(*lhs); // nuke original value if (is_regex) *lhs = make_typed_regex(buf, textlen); @@ -2204,9 +2200,13 @@ NODE **lhs, *rhs; NODE *zero = make_number(0.0); NODE *result; + const char *fname = name; - if (name[0] == 'g') { - if (name[1] == 'e') + if (fname[0] == 'a') // awk::... + fname += 5; + + if (fname[0] == 'g') { + if (fname[1] == 'e') flags = GENSUB; else flags = GSUB; @@ -2307,17 +2307,33 @@ if (nargs == 3) array = POP(); regex = POP(); - - /* Don't need to pop the string just to push it back ... */ + text = POP(); bool need_free = false; if ((regex->flags & REGEX) != 0) regex = regex->typed_re; - else { + else if (regex->type == Node_var_new || regex->type == Node_elem_new) { + if (regex->type == Node_elem_new) + elem_new_reset(regex); + else if (regex->vname != NULL) + efree(regex->vname); + memset(regex, 0, sizeof(*regex)); + regex->type = Node_dynregex; + regex->re_exp = dupnode(Nnull_string); + } else { regex = make_regnode(Node_regex, regex); need_free = true; } + if (text->type == Node_var_new || text->type == Node_elem_new) { + if (text->type == Node_elem_new) + elem_new_reset(text); + else if (text->vname != NULL) + efree(text->vname); + text = dupnode(Nnull_string); + } + + PUSH(text); PUSH(regex); if (array) @@ -2342,12 +2358,16 @@ { NODE *regex, *seps; NODE *result; + const char *fname = name; regex = seps = NULL; if (nargs < 2 || nargs > 4) fatal(_("indirect call to %s requires two to four arguments"), name); + if (fname[0] == 'a') // awk::... + fname += 5; + if (nargs == 4) seps = POP(); @@ -2361,7 +2381,7 @@ need_free = true; } } else { - if (name[0] == 's') { + if (fname[0] == 's') { regex = make_regnode(Node_regex, FS_node->var_value); regex->re_flags |= FS_DFLT; } else @@ -2378,7 +2398,7 @@ if (seps) PUSH(seps); - result = (name[0] == 's') ? do_split(nargs) : do_patsplit(nargs); + result = (fname[0] == 's') ? do_split(nargs) : do_patsplit(nargs); if (need_free) { refree(regex->re_reg[0]); @@ -3113,6 +3133,14 @@ else dbg = NULL; arg = POP(); + + if (arg->type == Node_param_list) { + arg = GET_PARAM(arg->param_cnt); + if (arg->type == Node_array_ref) { + arg = arg->orig_array; + } + } + switch (arg->type) { case Node_var_array: /* Node_var_array is never UPREF'ed */ @@ -3146,7 +3174,7 @@ #define SETVAL(X, V) { \ size_t l = nl + sizeof(#X); \ - emalloc(p, char *, l+1, "do_typeof"); \ + emalloc(p, char *, l+1); \ sprintf(p, "%s_" #X, nextfree[i].name); \ assoc_set(dbg, make_str_node(p, l, ALREADY_MALLOCED), make_number((AWKNUM) (V))); \ } diff -urN gawk-5.3.1/ChangeLog gawk-5.3.2/ChangeLog --- gawk-5.3.1/ChangeLog 2024-09-17 21:43:39.000000000 +0300 +++ gawk-5.3.2/ChangeLog 2025-04-02 08:36:23.000000000 +0300 @@ -1,3 +1,299 @@ +2025-04-02 Arnold D. Robbins + + * README: Version adjusted for release. + * configure.ac: Ditto. + * 5.3.2: Release tar made. + +2025-03-27 Arnold D. Robbins + + * field.c (do_split): Fix subtle issue with " " vs. / / + as separator argument to split(). Reported by Jason Kwan + with assistance from Nethox. + +2025-03-25 Arnold D. Robbins + + * io.c (find_source): Always append .awk when searching, even if + --traditional. Thanks to Nethox for + pointing out the inconsistency. + * NEWS: Updated. + +2025-03-19 Collin Funk + + Fix build on AIX. + * awk.h [_AIX]: Include before defining macros which + cause errors when expanded in function prototypes. + +2025-03-18 Arnold D. Robbins + + * awk.h (POP_SCALAR): Use DEREF on original value for Node_var_new. + +2025-03-17 Arnold D. Robbins + + Fix problems calling functions indirectly with Node_var_new. + Thanks to Denis Shirokov for the report + and test case. + + * awk.h (POP_SCALAR): Handle Node_var_new. + (fixtype): Change assertion into a runtime test and failure. + That way it'll happen even if compiled with NDEBUG. + + Unrelated cleanup: + + * builtin.c (call_match): Remove redundant tests for + Node_var_new inside a test for either Node_var_new or + Node_elem_new. + +2025-03-11 Arnold D. Robbins + + * re.c (check_bracket_exp): Rewrite the routine to correctly handle + special characters after the opening bracket. Thanks to + Mohamed Akram for the report. + (reflags2str): Unrelated: Add RE_DEBUG to the list. + +2025-03-09 Arnold D. Robbins + + Bug fix: + + * eval.c (elem_new_reset): Set vname to NULL. This is a bug fix that + only showed up when compiling for 32 bit. + + Memory cleanup: + + * eval.c (setup_frame, PUSH_CODE, init_interpret): After call to + getnode(), memset the new node to zero. + * field.c (set_record): Ditto. + * interpret.h (r_interpret): Case Op_array_for_init: Ditto. + * node.c (make_str_node): Ditto. + * profile.c (pp_push): Ditto. + * symbol.c (append_symbol): Ditto. + + Compiler warning fix: + + * main.c (enable_pma): Add a return true to silence compiler + warnings when USE_PERSISTENT_MALLOC is not defined. + + General improvement: + + * interpret.h (r_interpret): Case Op_func_call, if do_itrace, + print the function name. + +2025-02-24 Arnold D. Robbins + + * NEWS: Updated. + * main.c (UPDATE_YEAR): Update. + * array.c, awk.h, awkgram.y, cint_array.c, command.y, debug.c, + eval.c, ext.c, field.c, floatcomp.c, gawkapi.c, int_array.c, + interpret.h, io.c, mpfr.c, node.c, printf.c, profile.c, re.c, + str_array.c, symbol.c: Update copyright year. + +2025-02-14 Paul Eggert + + * main.c (main): Omit BSD hack that misbehaved by putting stderr + in O_APPEND mode, which can cause later stderr output to be put in + the wrong place, even after Gawk has exited and even if Gawk + never outputs anything. For example, the shell command + "echo abcdefgh >foo; (gawk 'BEGIN{}'; echo ouch >&2) 2<>foo" + incorrectly appended "ouch" to the end of foo rather than + correctly overwriting the start of "foo" with "ouch". + The BSD issue can be addressed in the test case instead. + +2025-02-16 Arnold D. Robbins + + * int_array.c (INT_CHAIN_MAX): Bump it up from 2 to 10. + * str_array.c (STR_CHAIN_MAX): Ditto. + +2025-02-05 Arnold D. Robbins + + * configure.ac: Add checks for spawn.h and _NSGetExecutablePath + function. + * awk.h (os_disable_aslr): Add function declaration. + * main.c (enable_pma): Move OS specific code out of this function + and in posix/gawkmisc.c. Instead, call os_disable_aslr(). + +2025-02-05 Arnold D. Robbins + + * main.c (enable_pma): Remove unused argc parameter and adjust + call. Add call to unsetenv() for magic env var if it was + there, so that the environment is as it was before the exec. + +2025-02-05 Arnold D. Robbins + + * main.c (enable_pma): New function. Has the entire init flow + for PMA. Also has new linux-specific code to deal with being + an PIE executable. + (main): Call enable_pma(). + * configure.ac: Add checks for and the + personality() system call. + * NEWS: Updated. + +2025-02-05 Arnold D. Robbins + + Bug fixes for indirect calls of match and patsplit. + Thanks to Denis Shirokov for the report + and test case. + + * builtin.c (call_match): Pop the text of the stack. Handle + the case that the regex is Node_var_new or Node_elem_new. + Same for the text. Push text onto the stack first, then + everything else. + Also, free the vname for the regex argument if it's a Node_var_new; + same for the text argument. + * eval.c (setup_frame): Handle Node_regex and Node_dynregex. + * field.c (do_patsplit): Handle the case of the source being + Node_param_list, and then if Node_var_new or Node_elem_new. + +2025-02-05 Arnold D. Robbins + + * node.c (r_unref): For Node_var_new, free the vname. + +2025-02-05 Arnold D. Robbins + + Stylistic cleanups and small code cleanups. + + * array.c, eval.c, ext.c, interpret.h: Some stylistic cleanups. + * awk.h (eln_pa, eln_vn): Renamed to elemnew_parent and + elemnew_vname. All uses adjusted. + (union worn): Renamed to `z' and only needs the wsp and vn + pointers in it. + +2025-02-03 Cristian Ioneci + + Fix issues triggered by using in certain ways array elements passed to + a function; issues include crash dumps, reads-after-free, internal errors, + incorrect results. + See test cases in test/ar2fn_*.awk. + + * awk.h: Add an union around `wsp', `wslen', part of NODE's `sub.val', in + order to overlap a char* over `wsp'; adjust/add #defines to access the + moved/added members. + (force_string_fmt, force_number): Clear Node_elem_new specific members + when the type is changed. + * interpret.h (r_interpret): Make a newborn Node_elem_new remember its + parent and a string representation of the index in the parent; for that + use `typre' and the added char* mentioned above (in awk.h) + (r_interpret): Clear Node_elem_new specific members when the type is + changed. + * array.c (force_array): The node will become a Node_var_array: if + present, use the values stashed in the previously mentioned fields to + properly set its `parent_array' and `vname'. + (adjust_param_node): New function. + (adjust_fcall_stack): Extra handling of Node_elem_new nodes. + * eval.c (elem_new_reset): New function. + (elem_new_to_scalar): Clear Node_elem_new specific members using the newly + introduced function above. + * ext.c (get_actual_argument): Clear Node_elem_new specific members when + the type is changed. + * gawkapi.c (api_sym_update): Clear Node_elem_new specific members when + the type is changed. + * mpfr.c (mpg_force_number): Clear Node_elem_new specific members when + the type is changed. + * node.c (r_force_number): Clear Node_elem_new specific members when + the type is changed. + (r_unref): Add code to free the eln_vn member of a Node_elem_new. + +2025-01-26 Arnold D. Robbins + + * interpret.h (r_interpret): Case Op_store_var; move REGEX + check to ... + * node.c (r_unref): ... here. + * builtin.c (do_sub): Remove REGEX freeing code, simplify what + remained when checking if original target was a regex. + +2025-01-24 Arnold D. Robbins + + * interpret.h (r_interpret): Case Op_store_var; add a + check for valref == 1. Duh. + +2025-01-23 Arnold D. Robbins + + * interpret.h (r_interpret): Case Op_store_var; free up + typed regex stuff to avoid memory leaks. See memleak2 test. + Thanks to Denis Shirokov for the report + and test case. + +2025-01-22 Arnold D. Robbins + + * configure.ac: Add hack if GCC to use -O3 instead of -O2. + + Unrelated: + + * builtin.c (call_sub, call_split_func): Handle the case of + the function name being preceded by awk::. + Thanks to Denis Shirokov for the reports. + +2025-01-20 Arnold D. Robbins + + * TODO: Add item about variable line number and filename + definition point. + +2025-01-07 Arnold D. Robbins + + Thanks to Cristian Ioneci for the + report and test case and fixes for these. + + * builtin.c (do_isarray): Handle Node_param_list also. + (do_typeof): Additional checking for passed-in array. + +2025-01-06 Arnold D. Robbins + + * builtin.c (do_typeof): Handle Node_param_list. Thanks to + Thanks to Denis Shirokov for the report and + test case. + +2025-01-02 Arnold D. Robbins + + * NEWS: Updated. Copyright year updated, too. + +2024-12-15 Arnold D. Robbins + + * awk.h (emalloc, erealloc, ezalloc): Move to using __func__ + instead of requiring the function name as a string in the + source code. + * All source files: Updated all uses. + +2024-12-11 Arnold D. Robbins + + * awk.h: Remove accidentally left-over Tandem bits. + +2024-10-17 Paul Eggert + + * floatcomp.c (adjust_uint): Add commentary. + +2024-10-13 Arnold D. Robbins + + * NEWS: Updated. + +2024-10-10 Arnold D. Robbins + + Check if RE match at end of string could be an exact + match. This is true if the maybe_long flag is false. + Thanks to Ronald D. Rechenmacher for + the idea. + + * io.c (rsrescan): Add an additional check when the + match is exactly at the end. + * re.c (make_regexp): Add backslash to the list of + characters which sets the maybe_long field. + +2024-09-25 Arnold D. Robbins + + Clean up spurious newlines in pretty printer output. + Thanks to John Devin for the + motivation. + + * awk.h (close_prof_file): New function. + * main.c (main): All close_prof_file. + * profile.c (close_prof_file): New function. + (at_start): New variable. + (pprint, print_lib_list, print_include_list, print_comment, + pp_func, pp_namespace): Use it. + +2024-09-19 Arnold D. Robbins + + * array.c (do_delete): Handle case where subscript is Node_elem_new. + Thanks to Denis Shirokov for the report and + test case. + 2024-09-17 Arnold D. Robbins * 5.3.1: Release tar made. diff -urN gawk-5.3.1/cint_array.c gawk-5.3.2/cint_array.c --- gawk-5.3.1/cint_array.c 2024-09-17 09:09:19.000000000 +0300 +++ gawk-5.3.2/cint_array.c 2025-03-30 11:41:29.000000000 +0300 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 1986, 1988, 1989, 1991-2013, 2016, 2017, 2019-2022, + * Copyright (C) 1986, 1988, 1989, 1991-2013, 2016, 2017, 2019-2022, 2025, * the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the @@ -246,7 +246,7 @@ assert(symbol->table_size == 0); /* nodes[0] .. nodes[NHAT- 1] not used */ - ezalloc(symbol->nodes, NODE **, INT32_BIT * sizeof(NODE *), "cint_lookup"); + ezalloc(symbol->nodes, NODE **, INT32_BIT * sizeof(NODE *)); } symbol->table_size++; /* one more element in array */ @@ -404,7 +404,7 @@ assert(symbol->nodes != NULL); /* allocate new table */ - ezalloc(new, NODE **, INT32_BIT * sizeof(NODE *), "cint_copy"); + ezalloc(new, NODE **, INT32_BIT * sizeof(NODE *)); old = symbol->nodes; for (i = NHAT; i < INT32_BIT; i++) { @@ -464,10 +464,10 @@ t->flags = (unsigned int) assoc_kind; if (num_elems == 1 || num_elems == xn->table_size) return list; - erealloc(list, NODE **, list_size * sizeof(NODE *), "cint_list"); + erealloc(list, NODE **, list_size * sizeof(NODE *)); k = elem_size * xn->table_size; } else - emalloc(list, NODE **, list_size * sizeof(NODE *), "cint_list"); + emalloc(list, NODE **, list_size * sizeof(NODE *)); if ((assoc_kind & AINUM) == 0) { /* not sorting by "index num" */ @@ -770,7 +770,7 @@ actual_size /= 2; tree->flags |= HALFHAT; } - ezalloc(table, NODE **, actual_size * sizeof(NODE *), "tree_lookup"); + ezalloc(table, NODE **, actual_size * sizeof(NODE *)); tree->nodes = table; } else size = tree->array_size; @@ -943,7 +943,7 @@ if ((tree->flags & HALFHAT) != 0) hsize /= 2; - ezalloc(new, NODE **, hsize * sizeof(NODE *), "tree_copy"); + ezalloc(new, NODE **, hsize * sizeof(NODE *)); newtree->nodes = new; newtree->array_base = tree->array_base; newtree->array_size = tree->array_size; @@ -1061,7 +1061,7 @@ array->table_size = 0; /* sanity */ array->array_size = size; array->array_base = base; - ezalloc(array->nodes, NODE **, size * sizeof(NODE *), "leaf_lookup"); + ezalloc(array->nodes, NODE **, size * sizeof(NODE *)); symbol->array_capacity += size; } @@ -1140,7 +1140,7 @@ long size, i; size = array->array_size; - ezalloc(new, NODE **, size * sizeof(NODE *), "leaf_copy"); + ezalloc(new, NODE **, size * sizeof(NODE *)); newarray->nodes = new; newarray->array_size = size; newarray->array_base = array->array_base; diff -urN gawk-5.3.1/command.y gawk-5.3.2/command.y --- gawk-5.3.1/command.y 2024-09-17 19:27:06.000000000 +0300 +++ gawk-5.3.2/command.y 2025-04-02 06:57:42.000000000 +0300 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 2004, 2010, 2011, 2014, 2016, 2017, 2019-2021, 2023, 2024, + * Copyright (C) 2004, 2010, 2011, 2014, 2016, 2017, 2019-2021, 2023-2025, * the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the @@ -767,7 +767,7 @@ len += strlen(a->a_string) + 1; /* 1 for ',' */ len += EVALSIZE; - emalloc(s, char *, (len + 1) * sizeof(char), "append_statement"); + emalloc(s, char *, (len + 1) * sizeof(char)); arg = mk_cmdarg(D_string); arg->a_string = s; arg->a_count = len; /* kludge */ @@ -794,7 +794,7 @@ ssize = stmt_list->a_count; if (len > ssize - slen) { ssize = slen + len + EVALSIZE; - erealloc(s, char *, (ssize + 1) * sizeof(char), "append_statement"); + erealloc(s, char *, (ssize + 1) * sizeof(char)); stmt_list->a_string = s; stmt_list->a_count = ssize; } @@ -806,7 +806,7 @@ } if (stmt == end_EVAL) - erealloc(stmt_list->a_string, char *, slen + 1, "append_statement"); + erealloc(stmt_list->a_string, char *, slen + 1); return stmt_list; #undef EVALSIZE @@ -959,7 +959,7 @@ mk_cmdarg(enum argtype type) { CMDARG *arg; - ezalloc(arg, CMDARG *, sizeof(CMDARG), "mk_cmdarg"); + ezalloc(arg, CMDARG *, sizeof(CMDARG)); arg->type = type; return arg; } @@ -1178,7 +1178,7 @@ bool esc_seen = false; toklen = lexend - lexptr; - emalloc(str, char *, toklen + 1, "yylex"); + emalloc(str, char *, toklen + 1); p = str; while ((c = *++lexptr) != '"') { @@ -1378,7 +1378,7 @@ return dupnode(n); } - emalloc(tmp, NODE **, count * sizeof(NODE *), "concat_args"); + emalloc(tmp, NODE **, count * sizeof(NODE *)); subseplen = SUBSEP_node->var_value->stlen; subsep = SUBSEP_node->var_value->stptr; len = -subseplen; @@ -1390,7 +1390,7 @@ arg = arg->next; } - emalloc(str, char *, len + 1, "concat_args"); + emalloc(str, char *, len + 1); n = tmp[0]; memcpy(str, n->stptr, n->stlen); p = str + n->stlen; diff -urN gawk-5.3.1/configh.in gawk-5.3.2/configh.in --- gawk-5.3.1/configh.in 2024-09-17 19:42:58.000000000 +0300 +++ gawk-5.3.2/configh.in 2025-04-02 07:00:43.000000000 +0300 @@ -14,6 +14,9 @@ /* Define to 1 if the `getpgrp' function requires zero arguments. */ #undef GETPGRP_VOID +/* Define to 1 if we have ADDR_NO_RANDOMIZE value */ +#undef HAVE_ADDR_NO_RANDOMIZE + /* Define to 1 if you have the `alarm' function. */ #undef HAVE_ALARM @@ -177,6 +180,9 @@ /* Define to 1 if you have the header file. */ #undef HAVE_NETINET_IN_H +/* Define to 1 if you have the `personality' function. */ +#undef HAVE_PERSONALITY + /* Define to 1 if you have the `posix_openpt' function. */ #undef HAVE_POSIX_OPENPT @@ -201,6 +207,9 @@ /* we have sockets on this system */ #undef HAVE_SOCKETS +/* Define to 1 if you have the header file. */ +#undef HAVE_SPAWN_H + /* Define to 1 if you have the header file. */ #undef HAVE_STDBOOL_H @@ -276,6 +285,9 @@ /* Define to 1 if you have the header file. */ #undef HAVE_SYS_PARAM_H +/* Define to 1 if you have the header file. */ +#undef HAVE_SYS_PERSONALITY_H + /* Define to 1 if you have the header file. */ #undef HAVE_SYS_SELECT_H @@ -356,6 +368,9 @@ /* systems should define this type here */ #undef HAVE_WINT_T +/* Define to 1 if you have the `_NSGetExecutablePath' function. */ +#undef HAVE__NSGETEXECUTABLEPATH + /* Define to 1 if you have the `__etoa_l' function. */ #undef HAVE___ETOA_L diff -urN gawk-5.3.1/configure gawk-5.3.2/configure --- gawk-5.3.1/configure 2024-09-17 19:42:51.000000000 +0300 +++ gawk-5.3.2/configure 2025-04-02 07:00:35.000000000 +0300 @@ -1,6 +1,6 @@ #! /bin/sh # Guess values for system-dependent variables and create Makefiles. -# Generated by GNU Autoconf 2.71 for GNU Awk 5.3.1. +# Generated by GNU Autoconf 2.71 for GNU Awk 5.3.2. # # Report bugs to . # @@ -611,8 +611,8 @@ # Identity of this package. PACKAGE_NAME='GNU Awk' PACKAGE_TARNAME='gawk' -PACKAGE_VERSION='5.3.1' -PACKAGE_STRING='GNU Awk 5.3.1' +PACKAGE_VERSION='5.3.2' +PACKAGE_STRING='GNU Awk 5.3.2' PACKAGE_BUGREPORT='bug-gawk@gnu.org' PACKAGE_URL='https://www.gnu.org/software/gawk/' @@ -661,6 +661,8 @@ SOCKET_LIBS ENABLE_EXTENSIONS_FALSE ENABLE_EXTENSIONS_TRUE +HAVE_ADDR_NO_RANDOMIZE_FALSE +HAVE_ADDR_NO_RANDOMIZE_TRUE USE_PERSISTENT_MALLOC_FALSE USE_PERSISTENT_MALLOC_TRUE LIBOBJS @@ -1369,7 +1371,7 @@ # Omit some internal or obsolete options to make the list less imposing. # This message is too long to be a string in the A/UX 3.1 sh. cat <<_ACEOF -\`configure' configures GNU Awk 5.3.1 to adapt to many kinds of systems. +\`configure' configures GNU Awk 5.3.2 to adapt to many kinds of systems. Usage: $0 [OPTION]... [VAR=VALUE]... @@ -1440,7 +1442,7 @@ if test -n "$ac_init_help"; then case $ac_init_help in - short | recursive ) echo "Configuration of GNU Awk 5.3.1:";; + short | recursive ) echo "Configuration of GNU Awk 5.3.2:";; esac cat <<\_ACEOF @@ -1563,7 +1565,7 @@ test -n "$ac_init_help" && exit $ac_status if $ac_init_version; then cat <<\_ACEOF -GNU Awk configure 5.3.1 +GNU Awk configure 5.3.2 generated by GNU Autoconf 2.71 Copyright (C) 2021 Free Software Foundation, Inc. @@ -2220,7 +2222,7 @@ This file contains any messages produced by compilers while running configure, to aid debugging if configure makes a mistake. -It was created by GNU Awk $as_me 5.3.1, which was +It was created by GNU Awk $as_me 5.3.2, which was generated by GNU Autoconf 2.71. Invocation command line was $ $0$ac_configure_args_raw @@ -3515,7 +3517,7 @@ # Define the identity of the package. PACKAGE='gawk' - VERSION='5.3.1' + VERSION='5.3.2' printf "%s\n" "#define PACKAGE \"$PACKAGE\"" >>confdefs.h @@ -10307,6 +10309,12 @@ printf "%s\n" "#define HAVE_STRING_H 1" >>confdefs.h fi +ac_fn_c_check_header_compile "$LINENO" "spawn.h" "ac_cv_header_spawn_h" "$ac_includes_default" +if test "x$ac_cv_header_spawn_h" = xyes +then : + printf "%s\n" "#define HAVE_SPAWN_H 1" >>confdefs.h + +fi ac_fn_c_check_header_compile "$LINENO" "sys/ioctl.h" "ac_cv_header_sys_ioctl_h" "$ac_includes_default" if test "x$ac_cv_header_sys_ioctl_h" = xyes then : @@ -10319,6 +10327,12 @@ printf "%s\n" "#define HAVE_SYS_PARAM_H 1" >>confdefs.h fi +ac_fn_c_check_header_compile "$LINENO" "sys/personality.h" "ac_cv_header_sys_personality_h" "$ac_includes_default" +if test "x$ac_cv_header_sys_personality_h" = xyes +then : + printf "%s\n" "#define HAVE_SYS_PERSONALITY_H 1" >>confdefs.h + +fi ac_fn_c_check_header_compile "$LINENO" "sys/select.h" "ac_cv_header_sys_select_h" "$ac_includes_default" if test "x$ac_cv_header_sys_select_h" = xyes then : @@ -11715,6 +11729,12 @@ printf "%s\n" "#define HAVE_MEMSET 1" >>confdefs.h fi +ac_fn_c_check_func "$LINENO" "_NSGetExecutablePath" "ac_cv_func__NSGetExecutablePath" +if test "x$ac_cv_func__NSGetExecutablePath" = xyes +then : + printf "%s\n" "#define HAVE__NSGETEXECUTABLEPATH 1" >>confdefs.h + +fi ac_fn_c_check_func "$LINENO" "mkstemp" "ac_cv_func_mkstemp" if test "x$ac_cv_func_mkstemp" = xyes then : @@ -11727,6 +11747,12 @@ printf "%s\n" "#define HAVE_MTRACE 1" >>confdefs.h fi +ac_fn_c_check_func "$LINENO" "personality" "ac_cv_func_personality" +if test "x$ac_cv_func_personality" = xyes +then : + printf "%s\n" "#define HAVE_PERSONALITY 1" >>confdefs.h + +fi ac_fn_c_check_func "$LINENO" "posix_openpt" "ac_cv_func_posix_openpt" if test "x$ac_cv_func_posix_openpt" = xyes then : @@ -12017,18 +12043,12 @@ use_persistent_malloc=yes case $host_os in linux-*) - { printf "%s\n" "$as_me:${as_lineno-$LINENO}: checking whether C compiler accepts -no-pie" >&5 -printf %s "checking whether C compiler accepts -no-pie... " >&6; } -if test ${ax_cv_check_cflags___no_pie+y} -then : - printf %s "(cached) " >&6 -else $as_nop - - ax_check_save_flags=$CFLAGS - CFLAGS="$CFLAGS -no-pie" - cat confdefs.h - <<_ACEOF >conftest.$ac_ext + cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ + #include + int x = ADDR_NO_RANDOMIZE; + int main (void) { @@ -12039,39 +12059,17 @@ _ACEOF if ac_fn_c_try_compile "$LINENO" then : - ax_cv_check_cflags___no_pie=yes + have_addr_no_randomize=yes else $as_nop - ax_cv_check_cflags___no_pie=no + have_addr_no_randomize=no fi rm -f core conftest.err conftest.$ac_objext conftest.beam conftest.$ac_ext - CFLAGS=$ax_check_save_flags -fi -{ printf "%s\n" "$as_me:${as_lineno-$LINENO}: result: $ax_cv_check_cflags___no_pie" >&5 -printf "%s\n" "$ax_cv_check_cflags___no_pie" >&6; } -if test "x$ax_cv_check_cflags___no_pie" = xyes -then : - LDFLAGS="${LDFLAGS} -no-pie" - export LDFLAGS -else $as_nop - : -fi - ;; *darwin*) - # 27 November 2022: PMA only works on Intel. - case $host in - x86_64-*) - LDFLAGS="${LDFLAGS} -Xlinker -no_pie" - export LDFLAGS - ;; - *) - # disable on all other macOS systems - use_persistent_malloc=no - ;; - esac + true # On macos we no longer need -no-pie ;; *cygwin* | *CYGWIN* | *solaris2.11* | freebsd13.* | openbsd7.* ) - true # nothing do, exes on these systems are not PIE + true # nothing to do, exes on these systems are not PIE ;; # Other OS's go here... *) @@ -12098,6 +12096,14 @@ USE_PERSISTENT_MALLOC_FALSE= fi + if test "$have_addr_no_randomize" = "yes"; then + HAVE_ADDR_NO_RANDOMIZE_TRUE= + HAVE_ADDR_NO_RANDOMIZE_FALSE='#' +else + HAVE_ADDR_NO_RANDOMIZE_TRUE='#' + HAVE_ADDR_NO_RANDOMIZE_FALSE= +fi + if test "$use_persistent_malloc" = "yes" then @@ -12105,6 +12111,12 @@ printf "%s\n" "#define USE_PERSISTENT_MALLOC 1" >>confdefs.h fi +if test "$have_addr_no_randomize" = "yes" +then + +printf "%s\n" "#define HAVE_ADDR_NO_RANDOMIZE 1" >>confdefs.h + +fi # Check whether --enable-extensions was given. @@ -13421,6 +13433,10 @@ as_fn_error $? "conditional \"USE_PERSISTENT_MALLOC\" was never defined. Usually this means the macro was only invoked conditionally." "$LINENO" 5 fi +if test -z "${HAVE_ADDR_NO_RANDOMIZE_TRUE}" && test -z "${HAVE_ADDR_NO_RANDOMIZE_FALSE}"; then + as_fn_error $? "conditional \"HAVE_ADDR_NO_RANDOMIZE\" was never defined. +Usually this means the macro was only invoked conditionally." "$LINENO" 5 +fi if test -z "${ENABLE_EXTENSIONS_TRUE}" && test -z "${ENABLE_EXTENSIONS_FALSE}"; then as_fn_error $? "conditional \"ENABLE_EXTENSIONS\" was never defined. Usually this means the macro was only invoked conditionally." "$LINENO" 5 @@ -13815,7 +13831,7 @@ # report actual input values of CONFIG_FILES etc. instead of their # values after options handling. ac_log=" -This file was extended by GNU Awk $as_me 5.3.1, which was +This file was extended by GNU Awk $as_me 5.3.2, which was generated by GNU Autoconf 2.71. Invocation command line was CONFIG_FILES = $CONFIG_FILES @@ -13885,7 +13901,7 @@ cat >>$CONFIG_STATUS <<_ACEOF || ac_write_fail=1 ac_cs_config='$ac_cs_config_escaped' ac_cs_version="\\ -GNU Awk config.status 5.3.1 +GNU Awk config.status 5.3.2 configured by $0, generated by GNU Autoconf 2.71, with options \\"\$ac_cs_config\\" @@ -15032,10 +15048,17 @@ EOF done fi - for i in . support + for i in . support extension do sed -e '/-O2/s///' -e '/^CFLAGS = /s//&${DEBUG} /' $i/Makefile > foo mv foo $i/Makefile done +elif test "$GCC" = yes +then + for i in . support extension + do + sed -e '/-O2/s//-O3/g' $i/Makefile > foo + mv foo $i/Makefile + done fi diff -urN gawk-5.3.1/configure.ac gawk-5.3.2/configure.ac --- gawk-5.3.1/configure.ac 2024-09-17 19:42:46.000000000 +0300 +++ gawk-5.3.2/configure.ac 2025-04-02 07:00:29.000000000 +0300 @@ -1,7 +1,7 @@ dnl dnl configure.ac --- autoconf input file for gawk dnl -dnl Copyright (C) 1995-2024 the Free Software Foundation, Inc. +dnl Copyright (C) 1995-2025 the Free Software Foundation, Inc. dnl dnl This file is part of GAWK, the GNU implementation of the dnl AWK Programming Language. @@ -23,7 +23,7 @@ dnl Process this file with autoconf to produce a configure script. -AC_INIT([GNU Awk],[5.3.1],[bug-gawk@gnu.org],[gawk]) +AC_INIT([GNU Awk],[5.3.2],[bug-gawk@gnu.org],[gawk]) # This is a hack. Different versions of install on different systems # are just too different. Chuck it and use install-sh. @@ -187,8 +187,9 @@ dnl checks for header files AC_CHECK_HEADERS(arpa/inet.h fcntl.h locale.h libintl.h mcheck.h \ netdb.h netinet/in.h stddef.h string.h \ - sys/ioctl.h sys/param.h sys/select.h sys/socket.h sys/time.h unistd.h \ - termios.h stropts.h wchar.h wctype.h) + spawn.h \ + sys/ioctl.h sys/param.h sys/personality.h sys/select.h sys/socket.h sys/time.h \ + unistd.h termios.h stropts.h wchar.h wctype.h) gl_C_BOOL AC_HEADER_SYS_WAIT @@ -317,7 +318,8 @@ gettimeofday clock_gettime lstat \ getdtablesize \ mbrlen memcmp memcpy memmove memset \ - mkstemp mtrace posix_openpt setenv setlocale setsid sigprocmask \ + _NSGetExecutablePath \ + mkstemp mtrace personality posix_openpt setenv setlocale setsid sigprocmask \ snprintf strcasecmp strchr strcoll strerror strftime strncasecmp \ strsignal strtod strtoul system timegm tmpfile towlower towupper \ tzset usleep waitpid wcrtomb wcscoll wctype) @@ -509,9 +511,16 @@ EOF done fi - for i in . support + for i in . support extension do sed -e '/-O2/s///' -e '/^CFLAGS = /s//&${DEBUG} /' $i/Makefile > foo mv foo $i/Makefile done +elif test "$GCC" = yes +then + for i in . support extension + do + sed -e '/-O2/s//-O3/g' $i/Makefile > foo + mv foo $i/Makefile + done fi diff -urN gawk-5.3.1/debug.c gawk-5.3.2/debug.c --- gawk-5.3.1/debug.c 2024-09-17 19:17:55.000000000 +0300 +++ gawk-5.3.2/debug.c 2025-04-02 06:57:42.000000000 +0300 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 2004, 2010-2013, 2016-2024 the Free Software Foundation, Inc. + * Copyright (C) 2004, 2010-2013, 2016-2025 the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the * AWK Programming Language. @@ -387,7 +387,7 @@ if (input_from_tty && prompt && *prompt) fprintf(out_fp, "%s", prompt); - emalloc(line, char *, line_size + 1, "g_readline"); + emalloc(line, char *, line_size + 1); p = line; end = line + line_size; while ((n = read(input_fd, buf, 1)) > 0) { @@ -397,7 +397,7 @@ break; } if (p == end) { - erealloc(line, char *, 2 * line_size + 1, "g_readline"); + erealloc(line, char *, 2 * line_size + 1); p = line + line_size; line_size *= 2; end = line + line_size; @@ -440,9 +440,9 @@ int numlines = 0; char lastchar = '\0'; - emalloc(buf, char *, s->bufsize, "find_lines"); + emalloc(buf, char *, s->bufsize); pos_size = s->srclines; - emalloc(s->line_offset, int *, (pos_size + 2) * sizeof(int), "find_lines"); + emalloc(s->line_offset, int *, (pos_size + 2) * sizeof(int)); pos = s->line_offset; pos[0] = 0; @@ -453,7 +453,7 @@ while (p < end) { if (*p++ == '\n') { if (++numlines > pos_size) { - erealloc(s->line_offset, int *, (2 * pos_size + 2) * sizeof(int), "find_lines"); + erealloc(s->line_offset, int *, (2 * pos_size + 2) * sizeof(int)); pos = s->line_offset + pos_size; pos_size *= 2; } @@ -586,10 +586,10 @@ } if (linebuf == NULL) { - emalloc(linebuf, char *, s->maxlen + 20, "print_lines"); /* 19 for line # */ + emalloc(linebuf, char *, s->maxlen + 20); /* 19 for line # */ linebuf_len = s->maxlen; } else if (linebuf_len < s->maxlen) { - erealloc(linebuf, char *, s->maxlen + 20, "print_lines"); + erealloc(linebuf, char *, s->maxlen + 20); linebuf_len = s->maxlen; } @@ -1116,7 +1116,7 @@ #define INITIAL_NAME_COUNT 10 if (names == NULL) { - emalloc(names, const char **, INITIAL_NAME_COUNT * sizeof(char *), "print_array"); + emalloc(names, const char **, INITIAL_NAME_COUNT * sizeof(char *)); memset(names, 0, INITIAL_NAME_COUNT * sizeof(char *)); num_names = INITIAL_NAME_COUNT; } @@ -1136,7 +1136,7 @@ // push name onto stack if (cur_name >= num_names) { num_names *= 2; - erealloc(names, const char **, num_names * sizeof(char *), "print_array"); + erealloc(names, const char **, num_names * sizeof(char *)); } names[cur_name++] = arr_name; @@ -1440,7 +1440,7 @@ { struct list_item *d; - ezalloc(d, struct list_item *, sizeof(struct list_item), "add_item"); + ezalloc(d, struct list_item *, sizeof(struct list_item)); d->commands.next = d->commands.prev = &d->commands; d->number = ++list->number; @@ -1503,7 +1503,7 @@ int i; assert(count > 0); - emalloc(subs, NODE **, count * sizeof(NODE *), "do_add_item"); + emalloc(subs, NODE **, count * sizeof(NODE *)); for (i = 0; i < count; i++) { arg = arg->next; subs[i] = dupnode(arg->a_node); @@ -2175,7 +2175,7 @@ BREAKPOINT *b; bp = bcalloc(Op_breakpoint, 1, srcline); - emalloc(b, BREAKPOINT *, sizeof(BREAKPOINT), "mk_breakpoint"); + emalloc(b, BREAKPOINT *, sizeof(BREAKPOINT)); memset(&b->cndn, 0, sizeof(struct condition)); b->commands.next = b->commands.prev = &b->commands; b->silent = false; @@ -4405,10 +4405,10 @@ #define GPRINTF_BUFSIZ 512 if (buf == NULL) { buflen = GPRINTF_BUFSIZ; - emalloc(buf, char *, buflen * sizeof(char), "gprintf"); + emalloc(buf, char *, buflen * sizeof(char)); } else if (buflen - bl < GPRINTF_BUFSIZ/2) { buflen += GPRINTF_BUFSIZ; - erealloc(buf, char *, buflen * sizeof(char), "gprintf"); + erealloc(buf, char *, buflen * sizeof(char)); } #undef GPRINTF_BUFSIZ @@ -4427,7 +4427,7 @@ /* enlarge buffer, and try again */ buflen *= 2; - erealloc(buf, char *, buflen * sizeof(char), "gprintf"); + erealloc(buf, char *, buflen * sizeof(char)); } bl = 0; @@ -4557,7 +4557,7 @@ if (buf == NULL) { /* first time */ buflen = SERIALIZE_BUFSIZ; - emalloc(buf, char *, buflen + 1, "serialize"); + emalloc(buf, char *, buflen + 1); } bl = 0; @@ -4566,7 +4566,7 @@ if (buflen - bl < SERIALIZE_BUFSIZ/2) { enlarge_buffer: buflen *= 2; - erealloc(buf, char *, buflen + 1, "serialize"); + erealloc(buf, char *, buflen + 1); } #undef SERIALIZE_BUFSIZ @@ -4670,7 +4670,7 @@ nchar += (strlen("commands ") + 20 /*cnum*/ + 1 /*CSEP*/ + strlen("end") + 1 /*FSEP*/); if (nchar >= buflen - bl) { buflen = bl + nchar + 1 /*RSEP*/; - erealloc(buf, char *, buflen + 1, "serialize_list"); + erealloc(buf, char *, buflen + 1); } nchar = sprintf(buf + bl, "commands %d", cnum); bl += nchar; @@ -4707,7 +4707,7 @@ nchar = strlen(cndn->expr); if (nchar + 1 /*FSEP*/ >= buflen - bl) { buflen = bl + nchar + 1 /*FSEP*/ + 1 /*RSEP*/; - erealloc(buf, char *, buflen + 1, "serialize_list"); + erealloc(buf, char *, buflen + 1); } memcpy(buf + bl, cndn->expr, nchar); bl += nchar; @@ -4786,7 +4786,7 @@ if (type == D_subscript) { int sub_len; sub_cnt = strtol(pstr[3], NULL, 0); - emalloc(subs, NODE **, sub_cnt * sizeof(NODE *), "unserialize_list_item"); + emalloc(subs, NODE **, sub_cnt * sizeof(NODE *)); cnt++; for (i = 0; i < sub_cnt; i++) { sub_len = strtol(pstr[cnt], NULL, 0); @@ -5095,7 +5095,7 @@ assert(commands != NULL); - emalloc(c, struct commands_item *, sizeof(struct commands_item), "do_commands"); + emalloc(c, struct commands_item *, sizeof(struct commands_item)); c->next = NULL; c->cmd = cmd; @@ -5151,7 +5151,7 @@ /* count maximum required size for tmp */ for (a = arg; a != NULL ; a = a->next) count++; - emalloc(tmp, NODE **, count * sizeof(NODE *), "do_print_f"); + emalloc(tmp, NODE **, count * sizeof(NODE *)); for (i = 0, a = arg; a != NULL ; i++, a = a->next) { switch (a->type) { @@ -5720,9 +5720,9 @@ if (ecount > 0) { if (pcount == 0) - emalloc(this_frame->stack, NODE **, ecount * sizeof(NODE *), "do_eval"); + emalloc(this_frame->stack, NODE **, ecount * sizeof(NODE *)); else - erealloc(this_frame->stack, NODE **, (pcount + ecount) * sizeof(NODE *), "do_eval"); + erealloc(this_frame->stack, NODE **, (pcount + ecount) * sizeof(NODE *)); sp = this_frame->stack + pcount; for (i = 0; i < ecount; i++) { @@ -5964,7 +5964,7 @@ int eofstatus) { struct command_source *cs; - emalloc(cs, struct command_source *, sizeof(struct command_source), "push_cmd_src"); + emalloc(cs, struct command_source *, sizeof(struct command_source)); cs->fd = fd; cs->is_tty = istty; cs->read_func = readfunc; diff -urN gawk-5.3.1/doc/awkcard.in gawk-5.3.2/doc/awkcard.in --- gawk-5.3.1/doc/awkcard.in 2024-09-17 18:14:57.000000000 +0300 +++ gawk-5.3.2/doc/awkcard.in 2025-04-02 06:57:42.000000000 +0300 @@ -2,7 +2,7 @@ .\" .\" Copyright (C) 1996, 1997, 1998, 1999, 2000, 2001, 2002, 2003, 2004, .\" 2005, 2007, 2009, 2010, 2011, 2012, 2013, 2014, 2015, 2016, 2017, 2018, -.\" 2019, 2020, 2021, 2022, 2023, 2024 +.\" 2019, 2020, 2021, 2022, 2023, 2024, 2025 .\" Free Software Foundation, Inc. .\" .\" Permission is granted to make and distribute verbatim copies of @@ -1982,7 +1982,7 @@ .ES .nf \*(CDHost: \*(FCftp.gnu.org\*(FR -File: \*(FC/gnu/gawk/gawk-5.3.1.tar.gz\fP +File: \*(FC/gnu/gawk/gawk-5.3.2.tar.gz\fP .in +.2i .fi GNU \*(AK (\*(GK). There may be a later version. @@ -2010,7 +2010,7 @@ .ES .fi \*(CDCopyright \(co 1996\(en2005, -2007, 2009\(en2024 Free Software Foundation, Inc. +2007, 2009\(en2025 Free Software Foundation, Inc. .sp .5 Permission is granted to make and distribute verbatim copies of this reference card provided the copyright notice and this permission notice diff -urN gawk-5.3.1/doc/ChangeLog gawk-5.3.2/doc/ChangeLog --- gawk-5.3.1/doc/ChangeLog 2024-09-17 21:43:39.000000000 +0300 +++ gawk-5.3.2/doc/ChangeLog 2025-04-02 08:33:54.000000000 +0300 @@ -1,3 +1,186 @@ +2025-04-02 Arnold D. Robbins + + * 5.3.2: Release tar made. + +2025-03-27 Arnold D. Robbins + + * gawk.texi (Bracket Expressions): Add additional notes about + things like \w or \< inside bracket expressions. Thanks to + "Jannick" for the motivation. + +2025-03-25 Arnold D. Robbins + + * gawk.texi (AWKPATH Variable): Path searching and appending .awk + are always done, even in compatibility mode. + +2025-03-21 Paul Eggert + + * gawk.1: Don’t use \w|...| as bleeding-edge groff complains. + Instead, when defining the lq and rq strings, copy what + bleeding-edge grep does, as this should be a better match for the + various groff and traditional troff versions out there. + +2025-03-21 Arnold D. Robbins + + * gawk.texi (Bracket Expressions): Fix the text. A byte can only + hold values from 0 to 255, not 256. Ooops. + +2025-03-20 Thérèse Godefroy + + * gawk_api-figure1.jpg, gawk_api-figure1.pdf, gawk_api-figure1.png, + gawk_api-figure1.svg, gawk_api-figure2.jpg, gawk_api-figure2.pdf, + gawk_api-figure2.png, gawk_api-figure2.svg, gawk_api-figure3.jpg, + gawk_api-figure3.pdf, gawk_api-figure3.png, gawk_api-figure3.svg: + Updated with reasonable contents. + +2025-03-16 Arnold D. Robbins + + * gawk.1: Revert some of the "improvements" since I got "cannot + adjust line" error messages. Fix up use of ``quotes'' to use + the predefined strings that I already had. + + It's a man page, which is secondary; the Source Of Truth is + *always* the Texinfo manual. + + Added a note up front that the man page is secondary to the + manual, to be absolutely clear, once and for all. Sheesh. + +2025-03-09 Bjarni Ingi Gislason + + * gawk.1: Improvements to get through groff's testing + and debugging options. + +2025-03-05 Thérèse Godefroy + + * gawk_api-figure1.pdf gawk_api-figure1.png, gawk_api-figure2.pdf, + gawk_api-figure2.png, gawk_api-figure3.pdf, gawk_api-figure3.png, + gawk_array-elements.pdf, gawk_general-program.pdf, + gawk_process-flow.pdf, gawk_statist.jpg, gawk_statist.pdf, + lflashlight.pdf, rflashlight.pdf: Modified based on SVG. + * gawk_api-figure1.jpg, gawk_api-figure1.svg, + gawk_api-figure2.jpg, gawk_api-figure2.svg, gawk_api-figure3.jpg, + gawk_api-figure3.svg, gawk_array-elements.jpg, + gawk_array-elements.svg, gawk_general-program.jpg, + gawk_general-program.svg, gawk_process-flow.jpg, + gawk_process-flow.svg, gawk_statist.svg, lflashlight.jpg, + lflashlight.svg, rflashlight.jpg, rflashlight.svg: New files. + + * Makefile.am (jpg_images, svg_images): New lists. + (EXTRA_DIST): Add the new lists. + +2025-02-25 Arnold D. Robbins + + * pm-gawk.texi: Add updates about ASLR etc. + +2025-02-24 Arnold D. Robbins + + * awkcard.in, gawk.1: Update copyright years. + * gawk.texi: Update patchlevel, update month. + * wordlist: Add new words, remove words no longer needed. + +2025-02-19 Arnold D. Robbins + + * texinfo.tex: Updated from GNULIB. + +2025-02-17 John E. Malmberg + + * gawk.texi: Update for VSI VMS 9.2 on X86_64. + +2025-02-10 Arnold D. Robbins + + * gawk.texi: Add indexing on `@' for typed regexp constants. + Add a link to the gawkextlib doc on SourceForge. Thanks to + Manuel Collado for both updates. + + Unrelated: + + * pm-gawk.texi: Updated from Terence Kelly. + +2025-02-01 Arnold D. Robbins + + * gawk.1: Remove note that persistent memory is experimental. + * gawk.texi (Persistent Memory): Remove stuff related to PIE + and ASLR. + +2025-01-22 Arnold D. Robbins + + * gawk.texi (Persistent Memory): Note that if a Linux system + uses ASLR, it can be worked around with setarch -R. Thanks + to Terence Kelly for the info. + + The following changes motivicated by Alexander Lasky + . + + (Nonconstant Fields): Note that string expressions that evaluate + to zero also yield $0. + (Escape Sequences, Bracket Expressions): Add some clarifications + about escape sequences in general and in bracket expressions. + +2025-01-10 Arnold D. Robbins + + * gawk.texi (UPDATE-MONTH): Update. + Update output examples of `gawk --version'. Make all + IETF URLs point to .html versions. Thanks to Antonio Colombo + for the motivation. + +2025-01-09 Arnold D. Robbins + + * gawk.texi: Change https URL for cloning the gawk repo. + Update all relevant URLs to be https instead of http. + Update the copyright year. + +2025-01-02 Arnold D. Robbins + + * gawk.texi (Feature History): Note the addition of support + for OpenVMS 9.2-2 x86_64. + +2024-11-19 Arnold D. Robbins + + * gawk.texi (Assert Function): Add an opening quote. + +2024-11-04 Arnold D. Robbins + + * gawk.texi (Bracket Expressions): Add some clarifications + about backslash inside [...]. Thanks to Ed Morton + for the motivation. + +2024-10-20 Arnold D. Robbins + + * gawk.texi [PVERSION]: Nuked. All uses changed to straight + "version". Some other small fixes. Thanks to Antonio Colombo + for the motivation. + +2024-10-15 Arnold D. Robbins + + * gawk.texi (Gory Details): Use @multitable for the tables + instead of hand-crafted tables for each format. Motivated + by Thérèse Godefroy to improve the HTML. + +2024-10-10 Arnold D. Robbins + + * gawk.texi (Contributors): Add Stuart Ferguson. + +2024-10-06 Arnold D. Robbins + + * gawk.texi (Shadowed Variables): New section. Original + text contributed by John Naman, . + +2024-10-05 Arnold D. Robbins + + * gawk.texi: Move @cindex lines to be before @enumerate / + @itemize. Thanks to Thérèse Godefroy + for the report. + +2024-10-02 Arnold D. Robbins + + * gawk.texi (Splitting By Content): Some adjustments + to quoted-csv.awk. + +2024-09-20 Stuart Ferguson + + * gawk.texi (Splitting By Content): Reworked some more. + (More CSV): Removed. + 2024-09-17 Arnold D. Robbins * 5.3.1: Release tar made. @@ -38,12 +221,16 @@ * gawk.texi: Small consistency fix. +2024-08-05 Stuart Ferguson + + * gawk.texi (Splitting By Content, More CSV): Reworked. + 2024-07-30 Arnold D. Robbins * gawk.texi: Small style edits. 2024-07-29 Andrew J. Schorr - + * gawk.texi (Extensions in gawk Not in POSIX awk): Note that typeof and mkbool are also functions unique to gawk. (Naming Rules): Include a reference to the POSIX/GNU node @@ -258,7 +445,7 @@ did CSV parsing. Whew. * awkcard.in: Ditto. - Unrelated: + Unrelated: * gawktexi.in (Extension API Informational Variables): Document do_csv variable in API. (Feature History): Mention do_csv API variable and also @@ -363,7 +550,7 @@ * gawktexi.in (To CSV Function): Fix a typo in the code. Thanks to Andrew Schorr for the catch. - + 2023-04-07 Arnold D. Robbins * gawktexi.in (To CSV Function): New section. @@ -1053,7 +1240,7 @@ review of usage of @code. 2021-09-24 Arnold D. Robbins - + * gawktexi.in (Building the Documentation): Improve the text, add info on building the HTML doc. Thanks to Antonio Colombo for the encouragement. @@ -1374,7 +1561,7 @@ * gawktexi.in: Minor edit related to compatiblity mode and unknown options. Thanks to Arkadiusz Drabczyk for raising the issue. - + Unrelated: * gawktexi.in: A number of small fixes, mostly thanks to diff -urN gawk-5.3.1/doc/gawk.1 gawk-5.3.2/doc/gawk.1 --- gawk-5.3.1/doc/gawk.1 2024-09-17 18:14:57.000000000 +0300 +++ gawk-5.3.2/doc/gawk.1 2025-04-02 06:57:42.000000000 +0300 @@ -3,17 +3,19 @@ .ds GN \s-1GNU\s+1 .ds AK \s-1AWK\s+1 .ds EP \fIGAWK: Effective AWK Programming\fP -.if !\n(.g \{\ -. if !\w|\*(lq| \{\ -. ds lq `` -. if \w'\(lq' .ds lq "\(lq +.if !\w@\*(lq@ \{\ +.\" Recent-enough groff an.tmac does not seem to be in use, +.\" so define the strings lq and rq. +. ie \n(.g \{\ +. ds lq \(lq\" +. ds rq \(rq\" . \} -. if !\w|\*(rq| \{\ +. el \{\ +. ds lq `` . ds rq '' -. if \w'\(rq' .ds rq "\(rq . \} .\} -.TH GAWK 1 "Apr 24 2024" "Free Software Foundation" "Utility Commands" +.TH GAWK 1 "March 23 2025" "Free Software Foundation" "Utility Commands" .SH NAME gawk \- pattern scanning and processing language .SH SYNOPSIS @@ -32,6 +34,19 @@ ] .I program-text file .\|.\|. +.SH README FIRST +This manual page is provided as a courtesy. +Please note that the One Source Of Truth for +.I gawk +is the Texinfo manual, available online in several formats at +.IR https://www.gnu.org/software/gawk/manual . +It may also be installed in the Info subsystem on your system, +and available therefore via the +.IR info (1) +command. +.PP +In the case of any contradiction between the Texinfo manual and +this man page, the manual should be considered to be authoritative. .SH DESCRIPTION .I Gawk is the \*(GN Project's implementation of the \*(AK programming language. @@ -85,7 +100,7 @@ Additionally, every long option has a corresponding short option, so that the option's functionality may be used from within -.B #! +.B #!\& executable scripts. .SH OPTIONS .I Gawk @@ -184,9 +199,9 @@ .BR \-f , however, this option is the last one processed. This should be used with -.B #! +.B #!\& scripts, particularly for CGI applications, to avoid -passing in options or source code (!) on the command line +passing in options or source code (!\&) on the command line from a URL. This option disables command-line variable assignments. .TP @@ -220,8 +235,9 @@ .TP .BR \-I ", " \-\^\-trace Print the internal byte code names as they are executed when running -the program. The trace is printed to standard error. Each ``op code'' -is preceded by a +the program. +The trace is printed to standard error. +Each \*(lqop code\*(rq is preceded by a .B + sign in the output. .TP @@ -252,8 +268,8 @@ .IR value . .TP .BR \-M ", " \-\^\-bignum -Force arbitrary precision arithmetic on numbers. This option has -no effect if +Force arbitrary precision arithmetic on numbers. +This option has no effect if .I gawk is not compiled to use the GNU MPFR and GMP libraries. (In such a case, @@ -266,9 +282,9 @@ The primary .I gawk maintainer is no longer supporting it, although there is -a member of the development team who is. If this situation -changes, the feature -will be removed from +a member of the development team who is. +If this situation changes, +the feature will be removed from .IR gawk . .ig Set @@ -357,7 +373,8 @@ these options cause an immediate, successful exit. .TP .B \-\^\- -Signal the end of options. This is useful to allow further arguments to the +Signal the end of options. +This is useful to allow further arguments to the \*(AK program itself to start with a \*(lq\-\*(rq. .PP In compatibility mode, @@ -493,7 +510,8 @@ rule exists, .I gawk executes the associated code -before processing the contents of the file. Similarly, +before processing the contents of the file. +Similarly, .I gawk executes the code associated with @@ -521,7 +539,7 @@ According to POSIX, files named on the .I awk command line must be -text files. The behavior is ``undefined'' if they are not. Most versions +text files. The behavior is \*(lqundefined\*(rq if they are not. Most versions of .I awk treat a directory on the command line as a fatal error. @@ -634,7 +652,8 @@ .SS Built-in Variables .IR Gawk\^ "'s" built-in variables are listed below. -This list is purposely terse. For details, see +This list is purposely terse. +For details, see .IR https://www.gnu.org/software/gawk/manual/html_node/Built_002din-Variables . .TP "\w'\fBFIELDWIDTHS\fR'u+1n" .B ARGC @@ -879,8 +898,8 @@ just by specifying the array name without a subscript. .PP .I gawk -supports true multidimensional arrays. It does not require that -such arrays be ``rectangular'' as in C or C++. +supports true multidimensional arrays. +It does not require that such arrays be \*(lqrectangular\*(rq as in C or C++. See .I https://www.gnu.org/software/gawk/manual/html_node/Arrays for details. @@ -898,7 +917,7 @@ The left-hand identifier represents the namespace and the right-hand identifier is the variable within it. All simple (non-qualified) names are considered to be in the -``current'' namespace; the default namespace is +\*(lqcurrent\*(rq namespace; the default namespace is .BR awk . However, simple identifiers consisting solely of uppercase letters are forced into the @@ -919,10 +938,11 @@ .SS Variable Typing And Conversion Variables and fields may be (floating point) numbers, or strings, or both. -They may also be regular expressions. How the -value of a variable is interpreted depends upon its context. If used in -a numeric expression, it will be treated as a number; if used as a string -it will be treated as a string. +They may also be regular expressions. +How the value of a variable is interpreted depends upon its context. +If used in a numeric expression, +it will be treated as a number; +if used as a string it will be treated as a string. .PP To force a variable to be treated as a number, add zero to it; to force it to be treated as a string, concatenate it with the null string. @@ -1004,13 +1024,14 @@ .I Gawk provides .I "strongly typed" -regular expression constants. These are written with a leading +regular expression constants. +These are written with a leading .B @ symbol (like so: .BR @/value/ ). Such constants may be assigned to scalars (variables, array elements) -and passed to user-defined functions. Variables that have been so -assigned have regular expression type. +and passed to user-defined functions. +Variables that have been so assigned have regular expression type. .SH PATTERNS AND ACTIONS \*(AK is a line-oriented language. The pattern comes first, and then the action. Action statements are enclosed in @@ -1070,9 +1091,9 @@ .I "relational expression" .IB pattern " && " pattern .IB pattern " || " pattern -.IB pattern " ? " pattern " : " pattern +.IB pattern " ?\& " pattern " : " pattern .BI ( pattern ) -.BI ! " pattern" +.BI !\& " pattern" .IB pattern1 ", " pattern2 .fi .RE @@ -1117,14 +1138,16 @@ Otherwise, there is some problem with the file and the code should use .B nextfile -to skip it. If that is not done, +to skip it. +If that is not done, .I gawk produces its usual fatal error for files that cannot be opened. .PP For .BI / "regular expression" / -patterns, the associated statement is executed for each input record that matches -the regular expression. +patterns, +the associated statement is executed for each input record +that matches the regular expression. Regular expressions are essentially the same as those in .IR egrep (1). See @@ -1262,7 +1285,7 @@ \fB}\fR .fi .RE -.SS "I/O Statements" +.SS I/O Statements The input/output statements are as follows: .TP "\w'\fBprintf \fIfmt, expr-list\fR'u+1n" \fBclose(\fIfile \fR[\fB, \fIhow\fR]\fB)\fR @@ -1440,7 +1463,8 @@ .PP .BR NOTE : Failure in opening a two-way socket results in a non-fatal error being -returned to the calling function. If using a pipe, coprocess, or socket to +returned to the calling function. +If using a pipe, coprocess, or socket to .BR getline , or from .B print @@ -1459,7 +1483,8 @@ statement and .B sprintf() function -are similar to those of C. For details, see +are similar to those of C. +For details, see .IR https://www.gnu.org/software/gawk/manual/html_node/Printf.html . .SS Special File Names When doing I/O redirection from either @@ -1563,7 +1588,8 @@ .I num and .I denom -to integers. Return the quotient of +to integers. +Return the quotient of .I num divided by .I denom @@ -1621,8 +1647,8 @@ sorted values .I s with sequential -integers starting with 1. If the optional -destination array +integers starting with 1. +If the optional destination array .I d is specified, first duplicate @@ -1634,7 +1660,8 @@ leaving the indices of the source array .I s -unchanged. The optional string +unchanged. +The optional string .I how controls the direction and the comparison mode. Valid values for @@ -1924,7 +1951,8 @@ .SS Time Functions .I Gawk provides the following functions for obtaining time stamps and -formatting them. Details are provided in +formatting them. +Details are provided in .IR https://www.gnu.org/software/gawk/manual/html_node/Time-Functions . .TP "\w'\fBsystime()\fR'u+1n" \fBmktime(\fIdatespec\fR [\fB, \fIutc-flag\fR]\fB)\fR @@ -2055,11 +2083,11 @@ looks for the .B \&.gmo files, in case they -will not or cannot be placed in the ``standard'' locations. +will not or cannot be placed in the \*(lqstandard\*(rq locations. It returns the directory where .I domain -is ``bound.'' -.sp .5 +is \*(lqbound.\*(rq +.sp 0.5 The default .I domain is the value of @@ -2160,7 +2188,8 @@ value is provided, or if the function returns by \*(lqfalling off\*(rq the end. .PP -Functions may be called indirectly. To do this, assign +Functions may be called indirectly. +To do this, assign the name of the function to be called, as a string, to a variable. Then use the variable as if it were the name of a function, prefixed with an .B @ @@ -2217,8 +2246,9 @@ .SH INTERNATIONALIZATION String constants are sequences of characters enclosed in double quotes. In non-English speaking environments, it is possible to mark -strings in the \*(AK program as requiring translation to the local -natural language. Such strings are marked in the \*(AK program with +strings in the \*(AK program as +requiring translation to the local natural language. +Such strings are marked in the \*(AK program with a leading underscore (\*(lq_\*(rq). For example, .sp .RS @@ -2291,7 +2321,6 @@ .B GAWK_PERSIST_FILE environment variable, if present, specifies a file to use as the backing store for persistent memory. -.IR "This is an experimental feature" . See \*(EP for the details. .PP The @@ -2305,7 +2334,8 @@ controls the number of retries, and .B GAWK_MSEC_SLEEP the interval between retries. -The interval is in milliseconds. On systems that do not support +The interval is in milliseconds. +On systems that do not support .IR usleep (3), the value is rounded up to an integral number of seconds. .PP @@ -2364,7 +2394,7 @@ .I awk was designed and implemented by Alfred Aho, Peter Weinberger, and Brian Kernighan of Bell Laboratories. -Ozan Yigit is the the current maintainer. +Ozan Yigit is the current maintainer. Brian Kernighan occasionally dabbles in its development. .PP Paul Rubin and Jay Fenlason, @@ -2433,7 +2463,8 @@ .IR "The AWK Programming Language" , second edition, Alfred V.\& Aho, Brian W.\& Kernighan, Peter J.\& Weinberger, -Addison-Wesley, 2023. ISBN 9-780138-269722. +Addison-Wesley, 2023. +ISBN 9-780138-269722. .PP \*(EP, Edition 5.3, shipped with the @@ -2491,7 +2522,7 @@ Copyright \(co 1989, 1991, 1992, 1993, 1994, 1995, 1996, 1997, 1998, 1999, 2001, 2002, 2003, 2004, 2005, 2007, 2009, 2010, 2011, 2012, 2013, 2014, 2015, 2016, 2017, 2018, 2019, -2020, 2021, 2022, 2023, 2024 +2020, 2021, 2022, 2023, 2024, 2025 Free Software Foundation, Inc. .PP Permission is granted to make and distribute verbatim copies of diff -urN gawk-5.3.1/doc/gawk_api-figure1.svg gawk-5.3.2/doc/gawk_api-figure1.svg --- gawk-5.3.1/doc/gawk_api-figure1.svg 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/doc/gawk_api-figure1.svg 2025-03-20 10:46:27.000000000 +0200 @@ -0,0 +1,134 @@ + + + + + still image + image/svg+xml + Gawk: Effective AWK Programming - Loading the extension + https://www.gnu.org/software/gawk/manual/gawk.html#figure_002dload_002dextension + 2025 + https://git.savannah.gnu.org/cgit/gawk.git/tree/doc/gawk_api-figure2.eps + + Free software Foundation, Inc. + https://www.gnu.org/licenses/fdl.html + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + dl_load(api_p, id); + + + API + Struct + gawk Main Program Address Space + Extension + + diff -urN gawk-5.3.1/doc/gawk_api-figure2.svg gawk-5.3.2/doc/gawk_api-figure2.svg --- gawk-5.3.1/doc/gawk_api-figure2.svg 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/doc/gawk_api-figure2.svg 2025-03-20 10:46:27.000000000 +0200 @@ -0,0 +1,108 @@ + + + + + still image + image/svg+xml + Gawk: Effective AWK Programming - Registering a new function + https://www.gnu.org/software/gawk/manual/gawk.html#figure_002dregister_002dnew_002dfunction + 2025 + https://git.savannah.gnu.org/cgit/gawk.git/tree/doc/gawk_api-figure2.eps + + Free Software Foundation, Inc. + https://www.gnu.org/licenses/fdl.html + + + + + + + + + + + + + + + + + + + + + + + + + + register_ext_func({ "chdir", do_chdir, 1 }); + + + gawk Main Program Address Space + Extension + + diff -urN gawk-5.3.1/doc/gawk_api-figure3.svg gawk-5.3.2/doc/gawk_api-figure3.svg --- gawk-5.3.1/doc/gawk_api-figure3.svg 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/doc/gawk_api-figure3.svg 2025-03-20 10:46:27.000000000 +0200 @@ -0,0 +1,114 @@ + + + + + still image + image/svg+xml + Gawk: Effective AWK Programming - Calling the new function + https://www.gnu.org/software/gawk/manual/gawk.html#figure_002dcall_002dnew_002dfunction + 2025 + https://git.savannah.gnu.org/cgit/gawk.git/tree/doc/gawk_api-figure3.eps + + Free Software Foundation, Inc. + https://www.gnu.org/licenses/fdl.html + + + + + + + + + + + + + + + + + + + + + + + + + + + BEGIN { + chdir("/path") + (*fnptr)(1); + } + + + gawk Main Program Address Space + Extension + + diff -urN gawk-5.3.1/doc/gawk_array-elements.svg gawk-5.3.2/doc/gawk_array-elements.svg --- gawk-5.3.1/doc/gawk_array-elements.svg 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/doc/gawk_array-elements.svg 2025-03-09 13:13:49.000000000 +0200 @@ -0,0 +1,66 @@ + + + + + still image + image/svg+xml + Gawk: Effective AWK Programming - A contiguous array + https://www.gnu.org/software/gawk/manual/gawk.html#figure_002darray_002delements + 2024 + https://git.savannah.gnu.org/cgit/gawk.git/tree/doc/gawk_array-element.eps + + Free Software Foundation, Inc. + https://www.gnu.org/licenses/fdl.html + + + + + + + + + + + 8 + "foo" + "" + 30 + 0 + 1 + 2 + 3 + + + Value + Index + + diff -urN gawk-5.3.1/doc/gawk_general-program.svg gawk-5.3.2/doc/gawk_general-program.svg --- gawk-5.3.1/doc/gawk_general-program.svg 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/doc/gawk_general-program.svg 2025-03-09 13:13:49.000000000 +0200 @@ -0,0 +1,57 @@ + + + + + still image + image/svg+xml + Gawk: Effective AWK Programming - General Program Flow + https://www.gnu.org/software/gawk/manual/gawk.html#figure_002dgeneral_002dflow + 2024 + https://git.savannah.gnu.org/cgit/gawk.git/tree/doc/gawk_general-program.eps + + Free Software Foundation, Inc. + https://www.gnu.org/licenses/fdl.html + + + + + + + + + + + + Data + Program + Results + + diff -urN gawk-5.3.1/doc/gawk_process-flow.svg gawk-5.3.2/doc/gawk_process-flow.svg --- gawk-5.3.1/doc/gawk_process-flow.svg 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/doc/gawk_process-flow.svg 2025-03-09 13:13:49.000000000 +0200 @@ -0,0 +1,84 @@ + + + + + still image + image/svg+xml + Gawk: Effective AWK Programming - Basic Program Steps + https://www.gnu.org/software/gawk/manual/gawk.html#figure_002dprocess_002dflow + 2024 + https://git.savannah.gnu.org/cgit/gawk.git/tree/doc/gawk_process-flow.eps + + Free Software Foundation, Inc. + https://www.gnu.org/licenses/fdl.html + + + + + + + + + + + + + + + + + + + + + Initialization + Clean Up + More + Data + ? + Process + No + Yes + + diff -urN gawk-5.3.1/doc/gawk_statist.svg gawk-5.3.2/doc/gawk_statist.svg --- gawk-5.3.1/doc/gawk_statist.svg 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/doc/gawk_statist.svg 2025-03-09 13:13:49.000000000 +0200 @@ -0,0 +1,125 @@ + + + + + still image + image/svg+xml + Gawkinet: TCP/IP Internetworking with Gawk - STATIST: Graphing a Statistical Distribution + https://www.gnu.org/software/gawk/manual/gawkinet/gawkinet.html#STATIST_003a-Graphing-a-Statistical-Distribution + 2024 + https://git.savannah.gnu.org/cgit/gawk.git/tree/doc/gawk_statist.eps + + Free Software Foundation, Inc. + https://www.gnu.org/licenses/fdl.html + + + + + + + + + + + + + + + + + + + + + + + + + + + + -0.3 + -0.2 + -0.1 + 0 + 0.1 + 0.2 + 0.3 + 0.4 + + + -10 + -5 + 0 + 5 + 10 + p(m1=m2) =0.0863798346775753 + p(v1=v2) =0.31647637745891 + + + sample 1 + sample 2 + + diff -urN gawk-5.3.1/doc/gawk.texi gawk-5.3.2/doc/gawk.texi --- gawk-5.3.1/doc/gawk.texi 2024-09-17 18:14:57.000000000 +0300 +++ gawk-5.3.2/doc/gawk.texi 2025-04-02 06:57:58.000000000 +0300 @@ -54,9 +54,9 @@ @c applies to and all the info about who's publishing this edition @c These apply across the board. -@set UPDATE-MONTH September, 2024 +@set UPDATE-MONTH February, 2025 @set VERSION 5.3 -@set PATCHLEVEL 1 +@set PATCHLEVEL 2 @set GAWKINETTITLE TCP/IP Internetworking with @command{gawk} @set GAWKWORKFLOWTITLE Participating in @command{gawk} Development @@ -195,14 +195,12 @@ @set FFN File name @set DF data file @set DDF Data file -@set PVERSION version @end ifclear @ifset FOR_PRINT @set FN filename @set FFN Filename @set DF datafile @set DDF Datafile -@set PVERSION version @end ifset @c For HTML, spell out email addresses, to avoid problems with @@ -303,13 +301,13 @@ Email: gnu@@gnu.org URL: https://www.gnu.org/ -Copyright © 1989, 1991, 1992, 1993, 1996–2005, 2007, 2009–2024 +Copyright © 1989, 1991, 1992, 1993, 1996–2005, 2007, 2009–2025 Free Software Foundation, Inc. All Rights Reserved. @end docbook @ifnotdocbook -Copyright @copyright{} 1989, 1991, 1992, 1993, 1996--2005, 2007, 2009--2024 @* +Copyright @copyright{} 1989, 1991, 1992, 1993, 1996--2005, 2007, 2009--2025 @* Free Software Foundation, Inc. @end ifnotdocbook @sp 2 @@ -596,7 +594,6 @@ * Allowing trailing data:: Capturing optional trailing data. * Fields with fixed data:: Field values with fixed-width data. * Splitting By Content:: Defining Fields By Content -* More CSV:: More on CSV files. * FS versus FPAT:: A subtle difference. * Testing field creation:: Checking how @command{gawk} is splitting records. @@ -813,6 +810,7 @@ * Dynamic Typing Awk:: Dynamic typing in standard @command{awk}. * Dynamic Typing Gawk:: Dynamic typing in @command{gawk}. +* Shadowed Variables:: More about shadowed global variables. * Indirect Calls:: Choosing the function to call at runtime. * Functions Summary:: Summary of functions. @@ -1542,11 +1540,11 @@ @cite{@value{GAWKINETTITLE}} (a separate document, available as part of the @command{gawk} distribution). His code finally became part of the main @command{gawk} distribution -with @command{gawk} @value{PVERSION} 3.1. +with @command{gawk} version 3.1. John Haque rewrote the @command{gawk} internals, in the process providing an @command{awk}-level debugger. This version became available as -@command{gawk} @value{PVERSION} 4.0 in 2011. +@command{gawk} version 4.0 in 2011. @xref{Contributors} for a full list of those who have made important contributions to @command{gawk}. @@ -4020,7 +4018,7 @@ the total program easier. @quotation CAUTION -Prior to @value{PVERSION} 5.0, there was +Prior to version 5.0, there was no requirement that each @var{program-text} be a full syntactic unit. I.e., the following worked: @@ -4064,7 +4062,7 @@ that pass arguments through the URL; using this option prevents a malicious (or other) user from passing in options, assignments, or @command{awk} source code (via @option{-e}) to the CGI application.@footnote{For more detail, -please see Section 4.4 of @uref{http://www.ietf.org/rfc/rfc3875, +please see Section 4.4 of @uref{https://www.ietf.org/rfc/rfc3875.html, RFC 3875}. Also see the @uref{https://lists.gnu.org/archive/html/bug-gawk/2014-11/msg00022.html, explanatory note sent to the @command{gawk} bug @@ -4216,7 +4214,7 @@ @cindex @env{GAWK_NO_MPFR_WARN} environment variable @cindex environment variables @subentry @env{GAWK_NO_MPFR_WARN} @end ignore -As of @value{PVERSION} 5.2, +As of version 5.2, the arbitrary precision arithmetic features in @command{gawk} are ``on parole.'' The primary maintainer is no longer willing to support this feature, @@ -4699,7 +4697,7 @@ By using the @option{-i} or @option{-f} options, your command-line @command{awk} programs can use facilities in @command{awk} library files (@pxref{Library Functions}). -Path searching is not done if @command{gawk} is in compatibility mode. +Path searching is always done, even if @command{gawk} is in compatibility mode. This is true for both @option{--traditional} and @option{--posix}. @xref{Options}. @@ -4721,7 +4719,7 @@ Different past versions of @command{gawk} would also look explicitly in the current directory, either before or after the path search. As of -@value{PVERSION} 4.1.2, this no longer happens; if you wish to look +version 4.1.2, this no longer happens; if you wish to look in the current directory, you must include @file{.} either as a separate entry or as a null entry in the search path. @end quotation @@ -4885,6 +4883,7 @@ switches to using the hash function from GNU Smalltalk for managing arrays. With a value of @samp{fnv1a}, @command{gawk} uses the +@c 1/2025, still on http @uref{http://www.isthe.com/chongo/tech/comp/fnv/index.html, FNV1-A hash function}. These functions may be marginally faster than the standard function. @@ -5174,7 +5173,7 @@ @c This happened long enough ago that we can remove it. The process-related special files @file{/dev/pid}, @file{/dev/ppid}, @file{/dev/pgrpid}, and @file{/dev/user} were deprecated in @command{gawk} -3.1, but still worked. As of @value{PVERSION} 4.0, they are no longer +3.1, but still worked. As of version 4.0, they are no longer interpreted specially by @command{gawk}. (Use @code{PROCINFO} instead; see @ref{Auto-set}.) @end ignore @@ -5186,7 +5185,7 @@ @end ignore As of -@command{gawk} @value{PVERSION} 5.2, +@command{gawk} version 5.2, the arbitrary precision arithmetic feature is ``on parole.'' This feature is now being supported by a volunteer in the development team and not by the primary @@ -5615,7 +5614,7 @@ or the end of the string was encountered. However, using more than two hexadecimal digits produced undefined results. -As of @value{PVERSION} 4.2, only two digits +As of version 4.2, only two digits are processed. @end quotation @@ -5680,7 +5679,10 @@ @cindex @code{\} (backslash) @subentry in escape sequences @cindex portability For complete portability, do not use a backslash before any character not -shown in the previous list or that is not an operator. +shown in the previous list or that is not a regular expression operator. +(The 2024 POSIX standard explicitly lists the operators that can be +escaped, leaving it undefined as to what happens for any other +escaped character. But the bottom line is as described previously.) @c 11/2014: Moved so as to not stack sidebars @cindex sidebar @subentry Backslash Before Regular Characters @@ -6038,7 +6040,7 @@ @command{gawk} did @emph{not} match interval expressions in regexps. -However, beginning with @value{PVERSION} 4.0, +However, beginning with version 4.0, @command{gawk} does match interval expressions by default. This is because compatibility with POSIX has become more important to most @command{gawk} users than compatibility with @@ -6057,7 +6059,7 @@ @cindex BWK @command{awk} @subentry interval expressions in As mentioned, interval expressions were not traditionally available in @command{awk}. In March of 2019, BWK @command{awk} (finally) acquired them. -Starting with @value{PVERSION} 5.2, @command{gawk}'s +Starting with version 5.2, @command{gawk}'s @option{--traditional} option no longer disables interval expressions in regular expressions. @@ -6101,13 +6103,13 @@ of historical interest.) With the increasing popularity of the -@uref{http://www.unicode.org, Unicode character standard}, +@uref{https://www.unicode.org, Unicode character standard}, there is an additional wrinkle to consider. Octal and hexadecimal escape sequences inside bracket expressions are taken to represent only single-byte characters (characters whose values fit within -the range 0--256). To match a range of characters where the endpoints -of the range are larger than 256, enter the multibyte encodings of -the characters directly. +the range 0--255). To match a range of characters where the endpoints +of the range are larger than 255, enter the multibyte encodings of +the characters directly, or use the @code{\u} escape sequence. @cindex @code{\} (backslash) @subentry in bracket expressions @cindex backslash (@code{\}) @subentry in bracket expressions @@ -6125,8 +6127,19 @@ @noindent matches either @samp{d} or @samp{]}. Additionally, if you place @samp{]} right after the opening -@samp{[}, the closing bracket is treated as one of the +@samp{[} (@samp{[]d]}), the closing bracket is treated as one of the characters to be matched. +Inside bracket expressions, it's not necessary to escape +the other standard regular expression operators, such as @samp{*} and @samp{?}, +and for full portability you should not. + +@quotation NOTE +Note that the additional regular expression operators that begin with a +backslash, such as @samp{\<}, or @samp{\w}, have no meaning +when used inside a bracket expression. There, the backslash is taken +to mean escape the following character, so @samp{[\w]} is the same +as @samp{[w]}, and @samp{[\<]} is the same as @samp{[<]}. +@end quotation @cindex POSIX @command{awk} @subentry bracket expressions and @cindex Extended Regular Expressions (EREs) @@ -6134,7 +6147,12 @@ @cindex @command{egrep} utility The treatment of @samp{\} in bracket expressions is compatible with other @command{awk} -implementations and is also mandated by POSIX. +implementations and is also mandated by POSIX.@footnote{See +@uref{https://pubs.opengroup.org/onlinepubs/9799919799/utilities/awk.html#tag_20_06_13_04, +the POSIX standard for @command{awk}}. +The standard doesn't relate to the case +of @samp{\]}, but it does explicitly relate to @samp{\} +before a regular expression metacharacter.} The regular expressions in @command{awk} are a superset of the POSIX specification for Extended Regular Expressions (EREs). POSIX EREs are based on the regular expressions accepted by the @@ -6184,28 +6202,6 @@ @code{/[[:alnum:]]/} to match the alphabetic and numeric characters in your character set. -@ignore -From eliz@gnu.org Fri Feb 15 03:38:41 2019 -Date: Fri, 15 Feb 2019 12:38:23 +0200 -From: Eli Zaretskii -To: arnold@skeeve.com -CC: pengyu.ut@gmail.com, bug-gawk@gnu.org -Subject: Re: [bug-gawk] Does gawk character classes follow this? - -> From: arnold@skeeve.com -> Date: Fri, 15 Feb 2019 03:01:34 -0700 -> Cc: pengyu.ut@gmail.com, bug-gawk@gnu.org -> -> I get the feeling that there's something really bothering you, but -> I don't understand what. -> -> Can you clarify, please? - -I thought I already did: we cannot be expected to provide a definitive -description of what the named classes stand for, because the answer -depends on various factors out of our control. -@end ignore - @c Thanks to @c Date: Tue, 01 Jul 2014 07:39:51 +0200 @c From: Hermann Peifer @@ -6701,9 +6697,9 @@ @c @cindex ISO Latin-1 In multibyte locales, the equivalences between upper- and lowercase characters are tested based on the wide-character values of the locale's -character set. Prior to @value{PVERSION} 5.0, single-byte characters were +character set. Prior to version 5.0, single-byte characters were tested based on the ISO-8859-1 (ISO Latin-1) character set. However, as -of @value{PVERSION} 5.0, single-byte characters are also tested based on +of version 5.0, single-byte characters are also tested based on the values of the locale's character set.@footnote{If you don't understand this, don't worry about it; it just means that @command{gawk} does the right thing.} @@ -7269,7 +7265,12 @@ @ref{Precedence}.) If the field number you compute is zero, you get the entire record. -Thus, @samp{$(2-2)} has the same value as @code{$0}. Negative field +Thus, @samp{$(2-2)} has the same value as @code{$0}. +Similarly, string expressions that evaluate to zero also yield the entire +record. For example, @samp{$"answer"}, @samp{$"0foo"}, or even +@samp{$("foo" "bar")}. + +Negative field numbers are not allowed; trying to reference one usually terminates the program. (The POSIX standard does not define what happens when you reference a negative field number. @command{gawk} @@ -7754,7 +7755,7 @@ Many commonly-used tools use a comma to separate fields, instead of whitespace. This is particularly true of popular spreadsheet programs. There is no universally accepted standard for the format of these files, although -@uref{http://www.ietf.org/rfc/rfc4180, RFC 4180} lists the common +@uref{https://www.ietf.org/rfc/rfc4180.html, RFC 4180} lists the common practices. For decades, anyone wishing to work with CSV files and @command{awk} @@ -7829,7 +7830,7 @@ @code{RS} generates a warning message. To be clear, @command{gawk} takes -@uref{http://www.ietf.org/rfc/rfc4180, RFC 4180} as its +@uref{https://www.ietf.org/rfc/rfc4180.html, RFC 4180} as its specification for CSV input data. There are no mechanisms for accepting nonstandard CSV data, such as files that use a semicolon instead of a comma as the separator. @@ -8186,7 +8187,7 @@ @node Skipping intervening @subsection Skipping Intervening Fields -Starting in @value{PVERSION} 4.2, each field width may optionally be +Starting in version 4.2, each field width may optionally be preceded by a colon-separated value specifying the number of characters to skip before the field starts. Thus, the preceding program could be rewritten to specify @code{FIELDWIDTHS} like so: @@ -8215,7 +8216,7 @@ that has no fixed length. Such data may or may not be present, but if it is, it should be possible to get at it from an @command{awk} program. -Starting with @value{PVERSION} 4.2, in order to provide a way to say ``anything +Starting with version 4.2, in order to provide a way to say ``anything else in the record after the defined fields,'' @command{gawk} allows you to add a final @samp{*} character to the value of @code{FIELDWIDTHS}. There can only be one such character, and it must @@ -8240,7 +8241,7 @@ if there is more data than expected? For many years, what happens in these cases was not well defined. Starting -with @value{PVERSION} 4.2, the rules are as follows: +with version 4.2, the rules are as follows: @table @asis @item Enough data for some fields @@ -8271,13 +8272,10 @@ @node Splitting By Content @section Defining Fields by Content -@quotation NOTE -This whole section needs rewriting now -that @command{gawk} has built-in CSV parsing. Sigh. -@end quotation +@c September 2024. This section rewritten, and a sub-section removed, +@c by Stuart Ferguson . @menu -* More CSV:: More on CSV files. * FS versus FPAT:: A subtle difference. @end menu @@ -8287,50 +8285,55 @@ you might want to skip it on the first reading. @cindex advanced features @subentry specifying field content -Normally, when using @code{FS}, @command{gawk} defines the fields as the -parts of the record that occur in between each field separator. In other -words, @code{FS} defines what a field @emph{is not}, instead of what a field -@emph{is}. -However, there are times when you really want to define the fields by -what they are, and not by what they are not. +Normally, when using @code{FS}, @command{gawk} defines the fields as the parts +of the record that occur in between each field separator. In other words, +@code{FS} defines what a field @emph{is not}, instead of what a field +@emph{is}. However, there are times when we really want to define the fields +by what they are, and not by what they are not. + +@cindex @command{gawk} @subentry @code{FPAT} variable in +@cindex @code{FPAT} variable +The @code{FPAT} variable offers a solution for cases like this. The value +of @code{FPAT} should be a string that provides a regular expression. This +regular expression describes the contents of each field. @cindex CSV (comma separated values) data @subentry parsing with @code{FPAT} @cindex Comma separated values (CSV) data @subentry parsing with @code{FPAT} -The most notorious such case -is comma-separated values (CSV) data. Many spreadsheet programs, -for example, can export their data into text files, where each record is -terminated with a newline, and fields are separated by commas. If -commas only separated the data, there wouldn't be an issue. The problem comes when -one of the fields contains an @emph{embedded} comma. -In such cases, most programs embed the field in double quotes.@footnote{The +We can explore the strengths, and some limitations, of +@code{FPAT} using the case of comma-separated values (CSV) +data. This case is somewhat obsolete as @command{gawk} now has +built-in CSV parsing +(@pxref{Comma Separated Fields}). +Nonetheless, it remains useful as an example of what @code{FPAT}-based field +parsing can do. It is also useful for versions of +@command{gawk} prior to version 5.3. + +Many spreadsheet programs, for example, can export their data into text +files, where each record is terminated with a newline, and fields are +separated by commas. If commas only separated the data, there wouldn't +be an issue with using @samp{FS = ","} to split the data into fields. The +problem comes when one of the fields contains an @emph{embedded} comma. In +such cases, most programs embed the field in double quotes.@footnote{The CSV format lacked a formal standard definition for many years. -@uref{http://www.ietf.org/rfc/rfc4180.txt, RFC 4180} +@uref{https://www.ietf.org/rfc/rfc4180.html, RFC 4180} standardizes the most common practices.} So, we might have data like this: @example @c file eg/misc/addresses.csv -Robbins,Arnold,"1234 A Pretty Street, NE",MyTown,MyState,12345-6789,USA +Robbins,Arnold,,"1234 A Pretty Street, NE",MyTown,MyState,12345-6789,USA @c endfile @end example -@cindex @command{gawk} @subentry @code{FPAT} variable in -@cindex @code{FPAT} variable -The @code{FPAT} variable offers a solution for cases like this. -The value of @code{FPAT} should be a string that provides a regular expression. -This regular expression describes the contents of each field. - In the case of CSV data as presented here, each field is either ``anything that -is not a comma,'' or ``a double quote, anything that is not a double quote, and a -closing double quote.'' (There are more complicated definitions of CSV data, -treated shortly.) -If written as a regular expression constant -(@pxref{Regexp}), -we would have @code{/([^,]+)|("[^"]+")/}. +is not a comma,'' or ``a double quote, anything that is not a double quote, and +a closing double quote.'' We also need to bear in mind that some fields may be +empty. If written as a regular expression constant (@pxref{Regexp}), +we would have @code{/([^,]*)|("[^"]+")/}. Writing this as a string requires us to escape the double quotes, leading to: @example -FPAT = "([^,]+)|(\"[^\"]+\")" +FPAT = "([^,]*)|(\"[^\"]+\")" @end example Putting this to use, here is a simple program to parse the data: @@ -8339,13 +8342,13 @@ @c file eg/misc/simple-csv.awk @group BEGIN @{ - FPAT = "([^,]+)|(\"[^\"]+\")" + FPAT = "([^,]*)|(\"[^\"]+\")" @} @end group @group @{ - print "NF = ", NF + print "NF =", NF for (i = 1; i <= NF; i++) @{ printf("$%d = <%s>\n", i, $i) @} @@ -8358,44 +8361,20 @@ @example $ @kbd{gawk -f simple-csv.awk addresses.csv} -NF = 7 -$1 = -$2 = -$3 = <"1234 A Pretty Street, NE"> -$4 = -$5 = -$6 = <12345-6789> -$7 = +@print{} NF = 8 +@print{} $1 = +@print{} $2 = +@print{} $3 = <> +@print{} $4 = <"1234 A Pretty Street, NE"> +@print{} $5 = +@print{} $6 = +@print{} $7 = <12345-6789> +@print{} $8 = @end example -Note the embedded comma in the value of @code{$3}. - -A straightforward improvement when processing CSV data of this sort -would be to remove the double quotes when they occur, with something like this: - -@example -if (substr($i, 1, 1) == "\"") @{ - len = length($i) - $i = substr($i, 2, len - 2) # Get text within the two double quotes -@} -@end example - -@quotation NOTE -Some programs export CSV data that contains embedded newlines between -the double quotes. @command{gawk} provides no way to deal with this. -Even though a formal specification for CSV data exists, there isn't much -more to be done; -the @code{FPAT} mechanism provides an elegant solution for the majority -of cases, and the @command{gawk} developers are satisfied with that. -@end quotation - -As written, the regexp used for @code{FPAT} requires that each field -contain at least one character. A straightforward modification -(changing the first @samp{+} to @samp{*}) allows fields to be empty: - -@example -FPAT = "([^,]*)|(\"[^\"]+\")" -@end example +Note the empty data field in the value of @code{$3} and the embedded comma in +the value of @code{$4}, in which the data remains wrapped in its enclosing +double quotes. @c 4/2015: @c Consider use of FPAT = "([^,]*)|(\"[^\"]*\")" @@ -8406,38 +8385,14 @@ @c This is too much work. FPAT and CSV files are very flaky and @c fragile. Doing something like this is merely inviting trouble. -As with @code{FS}, the @code{IGNORECASE} variable (@pxref{User-modified}) -affects field splitting with @code{FPAT}. - -Assigning a value to @code{FPAT} overrides field splitting -with @code{FS} and with @code{FIELDWIDTHS}. - -Finally, the @code{patsplit()} function makes the same functionality -available for splitting regular strings (@pxref{String Functions}). - -@quotation NOTE -Given that @command{gawk} now has built-in CSV parsing -(@pxref{Comma Separated Fields}), the examples presented here are obsolete, -since you can use the @option{--csv} option (in which case -@code{FPAT} field parsing doesn't take effect). -Nonetheless, it remains useful as an example of what @code{FPAT}-based -field parsing can do, or if you must use a version of @command{gawk} -prior to 5.3. -@end quotation - -@node More CSV -@subsection More on CSV Files - -@cindex Collado, Manuel -Manuel Collado notes that in addition to commas, a CSV field can also -contain double quotes, that have to be escaped by doubling them. The previously -described regexps fail to accept quoted fields with both commas and -double quotes inside. He suggests that the simplest @code{FPAT} expression that -recognizes this kind of fields is @code{/([^,]*)|("([^"]|"")+")/}. He -provides the following input data to test these variants: +The use of enclosing double quotes has a consequence for fields that contain +double quotes as part of the data itself. For those fields, a double quote +appearing inside a field must be escaped by preceding it with another double +quote, as shown in the third and fourth lines of the following example: @example @c file eg/misc/sample.csv +1,2,3 p,"q,r",s p,"q""r",s p,"q,""r",s @@ -8446,57 +8401,75 @@ @c endfile @end example -@noindent -And here is his test program: +@cindex Collado, Manuel +Manuel Collado suggests that the simplest @code{FPAT} expression that +recognizes this kind of CSV field is @code{/([^,]*)|("([^"]|"")+")/}. + +The following program uses this improved @code{FPAT} expression to split the +example CSV fields above, extracts the underlying data from any double-quoted +fields, and finally prints the data as tab-separated values. +The latter is accomplished by setting @code{OFS} to a TAB character. @example -@c file eg/misc/test-csv.awk +@c file eg/misc/quoted-csv.awk @group BEGIN @{ - fp[0] = "([^,]+)|(\"[^\"]+\")" - fp[1] = "([^,]*)|(\"[^\"]+\")" - fp[2] = "([^,]*)|(\"([^\"]|\"\")+\")" - FPAT = fp[fpat+0] + FPAT = "([^,]*)|(\"([^\"]|\"\")+\")" + OFS = "\t" # Print tab-separated values @} @end group @group @{ - print "<" $0 ">" - printf("NF = %s ", NF) - for (i = 1; i <= NF; i++) @{ - printf("<%s>", $i) - @} - print "" + for (i = 1; i <= NF; i++) @{ + # Extract data from double-quoted fields + if (substr($i, 1, 1) == "\"") @{ + gsub(/^"|"$/, "", $i) # Remove enclosing quotes + gsub(/""/, "\"", $i) # Convert "" to " + @} + @} + $1 = $1 # force rebuild of the record + print @} @end group @c endfile @end example -When run on the third variant, it produces: +When run, it produces: @example -$ @kbd{gawk -v fpat=2 -f test-csv.awk sample.csv} -@print{} -@print{} NF = 3

<"q,r"> -@print{} -@print{} NF = 3

<"q""r"> -@print{} -@print{} NF = 3

<"q,""r"> -@print{} -@print{} NF = 3

<""> -@print{} -@print{} NF = 3

<> -@end example +$ @kbd{gawk -f quoted-csv.awk sample.csv} +@print{} 1 2 3 +@print{} p q,r s +@print{} p q"r s +@print{} p q,"r s +@print{} p s +@print{} p s +@end example + +Some programs export CSV data that contain @emph{embedded newlines} between +the double quotes, and here we run into a limitation of @code{FPAT}: it +provides no way to deal with this. Hence, using @code{FPAT} to do your own CSV +parsing is an elegant approach for the majority of cases, but not all. @cindex Collado, Manuel @cindex @code{CSVMODE} library for @command{gawk} @cindex CSV (comma separated values) data @subentry parsing with @code{CSVMODE} library @cindex Comma separated values (CSV) data @subentry parsing with @code{FPAT} library -In general, using @code{FPAT} to do your own CSV parsing is like having -a bed with a blanket that's not quite big enough. There's always a corner -that isn't covered. We recommend, instead, that you use Manuel Collado's -@uref{http://mcollado.z15.es/xgawk/, @code{CSVMODE} library for @command{gawk}}. +For a more general solution to working with CSV data, see +@ref{Comma Separated Fields}. If your version of @command{gawk} +is prior to version 5.3, we recommend that you use Manuel Collado's +@uref{https://mcollado.z15.es/gawk-extras/, @code{CSVMODE} library for +@command{gawk}}. + +As with @code{FS}, the @code{IGNORECASE} variable (@pxref{User-modified}) +affects field splitting with @code{FPAT}. + +Assigning a value to @code{FPAT} overrides field splitting +with @code{FS} and with @code{FIELDWIDTHS}. + +Finally, the @code{patsplit()} function makes the same functionality +available for splitting regular strings (@pxref{String Functions}). @node FS versus FPAT @subsection @code{FS} Versus @code{FPAT}: A Subtle Difference @@ -10906,10 +10879,10 @@ Here are some things to bear in mind when using the special @value{FN}s that @command{gawk} provides: -@itemize @value{BULLET} @cindex compatibility mode (@command{gawk}) @subentry file names @cindex file names @subentry in compatibility mode @cindex POSIX mode +@itemize @value{BULLET} @item Recognition of the @value{FN}s for the three standard preopened files is disabled only in POSIX mode. @@ -11137,10 +11110,10 @@ In these cases, @command{gawk} sets the predefined variable @code{ERRNO} to a string describing the problem. -In @command{gawk}, starting with @value{PVERSION} 4.2, when closing a pipe or +In @command{gawk}, starting with version 4.2, when closing a pipe or coprocess (input or output), the return value is the exit status of the command, as described in @ref{table-close-pipe-return-values}.@footnote{Prior -to @value{PVERSION} 4.2, the return value from closing a pipe or co-process +to version 4.2, the return value from closing a pipe or co-process was the full 16-bit exit value as defined by the @code{wait()} system call.} Otherwise, it is the return value from the system's @code{close()} or @code{fclose()} C functions when closing input or output files, @@ -11787,6 +11760,8 @@ for matching, and not an expression. @cindex values @subentry regexp +@cindex @code{@@} (at-sign) @subentry strongly typed regexp constant +@cindex at-sign (@code{@@}) @subentry strongly typed regexp constant @command{gawk} provides this feature. A strongly typed regexp constant looks almost like a regular regexp constant, except that it is preceded by an @samp{@@} sign: @@ -13427,7 +13402,7 @@ Fortunately, as of August 2016, comparison based on locale collating order is no longer required for the @code{==} and @code{!=} -operators.@footnote{See @uref{http://austingroupbugs.net/view.php?id=1070, +operators.@footnote{See @uref{https://austingroupbugs.net/view.php?id=1070, the Austin Group website}.} However, comparison based on locales is still required for @code{<}, @code{<=}, @code{>}, and @code{>=}. POSIX thus recommends as follows: @@ -13443,7 +13418,7 @@ @end quotation @cindex POSIX mode -As of @value{PVERSION} 4.2, @command{gawk} continues to use locale +As of version 4.2, @command{gawk} continues to use locale collating order for @code{<}, @code{<=}, @code{>}, and @code{>=} only in POSIX mode. @@ -14551,9 +14526,9 @@ @command{gawk} reads the first record from a file. @code{FILENAME} is set to the name of the current file, and @code{FNR} is set to zero. -Prior to @value{PVERSION} 5.1.1 of @command{gawk}, as an accident of the +Prior to version 5.1.1 of @command{gawk}, as an accident of the implementation, @code{$0} and the fields retained any previous values -they had in @code{BEGINFILE} rules. Starting with @value{PVERSION} +they had in @code{BEGINFILE} rules. Starting with version 5.1.1, @code{$0} and the fields are cleared, since no record has been read yet from the file that is about to be processed. @@ -15428,7 +15403,7 @@ For many years, @code{nextfile} was a common extension. In September 2012, it was accepted for inclusion into the POSIX standard. -See @uref{http://austingroupbugs.net/view.php?id=607, the Austin Group website}. +See @uref{https://austingroupbugs.net/view.php?id=607, the Austin Group website}. @end quotation @cindex functions @subentry user-defined @subentry @code{next}/@code{nextfile} statements and @@ -15598,7 +15573,7 @@ @item FIELDWIDTHS # A space-separated list of columns that tells @command{gawk} how to split input with fixed columnar boundaries. -Starting in @value{PVERSION} 4.2, each field width may optionally be +Starting in version 4.2, each field width may optionally be preceded by a colon-separated value specifying the number of characters to skip before the field starts. Assigning a value to @code{FIELDWIDTHS} @@ -15866,7 +15841,7 @@ environment passed on to any programs that @command{awk} may spawn via redirection or the @code{system()} function. -However, beginning with @value{PVERSION} 4.2, if not in POSIX +However, beginning with version 4.2, if not in POSIX compatibility mode, @command{gawk} does update its own environment when @code{ENVIRON} is changed, thus changing the environment seen by programs that it creates. You should therefore be especially careful if you @@ -16260,7 +16235,7 @@ Also, you may not use the @code{delete} statement with the @code{SYMTAB} array. -Prior to @value{PVERSION} 5.0 of @command{gawk}, you could +Prior to version 5.0 of @command{gawk}, you could use an index for @code{SYMTAB} that was not a predefined identifier: @example @@ -17593,7 +17568,7 @@ @quotation NOTE For many years, using @code{delete} without a subscript was a common extension. In September 2012, it was accepted for inclusion into the -POSIX standard. See @uref{http://austingroupbugs.net/view.php?id=544, +POSIX standard. See @uref{https://austingroupbugs.net/view.php?id=544, the Austin Group website}. @end quotation @@ -18011,6 +17986,7 @@ * Built-in:: Summarizes the built-in functions. * User-defined:: Describes User-defined functions in detail. * Dynamic Typing:: How variable types can change at runtime. +* Shadowed Variables:: More about shadowed global variables. * Indirect Calls:: Choosing the function to call at runtime. * Functions Summary:: Summary of functions. @end menu @@ -18195,7 +18171,7 @@ @command{awk} version of @code{rand()}. In fact, for many years, @command{gawk} used the BSD @code{random()} function, which is considerably better than @code{rand()}, to produce random numbers. -From @value{PVERSION} 4.1.4, courtesy of Nelson H.F.@: Beebe, @command{gawk} +From version 4.1.4, courtesy of Nelson H.F.@: Beebe, @command{gawk} uses the Bays-Durham shuffle buffer algorithm which considerably extends the period of the random number generator, and eliminates short-range and long-range correlations that might exist in the original generator.} @@ -19143,6 +19119,21 @@ the @var{replacement} string that did not precede an @samp{&} was passed through unchanged. This is illustrated in @ref{table-sub-escapes}. +@float Table,table-sub-escapes +@caption{Historical escape sequence processing for @code{sub()} and @code{gsub()}} +@multitable @columnfractions .20 .20 .60 +@headitem You type @tab @code{sub()} sees @tab @code{sub()} generates +@item @code{@ @ @ @ @ \&} @tab @code{@ @ @ &} @tab The matched text +@item @code{@ @ @ @ \\&} @tab @code{@ @ \&} @tab A literal @samp{&} +@item @code{@ @ @ \\\&} @tab @code{@ @ \&} @tab A literal @samp{&} +@item @code{@ @ \\\\&} @tab @code{@ \\&} @tab A literal @samp{\&} +@item @code{@ \\\\\&} @tab @code{@ \\&} @tab A literal @samp{\&} +@item @code{\\\\\\&} @tab @code{\\\&} @tab A literal @samp{\\&} +@item @code{@ @ @ @ \\q} @tab @code{@ @ \q} @tab A literal @samp{\q} +@end multitable +@end float + +@ignore @c Thank to Karl Berry for help with the TeX stuff. @float Table,table-sub-escapes @caption{Historical escape sequence processing for @code{sub()} and @code{gsub()}} @@ -19194,6 +19185,7 @@ @end ifnotdocbook @end ifnottex @end float +@end ignore @noindent This table shows the lexical-level processing, where @@ -19218,6 +19210,19 @@ @float Table,table-sub-proposed @caption{@command{gawk} rules for @code{sub()} and backslash} +@multitable @columnfractions .20 .20 .60 +@headitem You type @tab @code{sub()} sees @tab @code{sub()} generates +@item @code{\\\\\\&} @tab @code{\\\&} @tab A literal @samp{\&} +@item @code{@ @ \\\\&} @tab @code{@ \\&} @tab A literal @samp{\}, followed by the matched text +@item @code{@ @ @ @ \\&} @tab @code{@ @ \&} @tab A literal @samp{&} +@item @code{@ @ @ @ \\q} @tab @code{@ @ \q} @tab A literal @samp{\q} +@item @code{@ @ @ \\\\} @tab @code{@ @ \\} @tab @code{\\} +@end multitable +@end float + +@ignore +@float Table,table-sub-proposed +@caption{@command{gawk} rules for @code{sub()} and backslash} @tex \vbox{\bigskip % We need more characters for escape and tab ... @@ -19260,6 +19265,7 @@ @end ifnotdocbook @end ifnottex @end float +@end ignore In a nutshell, at the runtime level, there are now three special sequences of characters (@samp{\\\&}, @samp{\\&}, and @samp{\&}) whereas historically @@ -19281,6 +19287,19 @@ @float Table,table-posix-sub @caption{POSIX rules for @code{sub()} and @code{gsub()}} +@multitable @columnfractions .20 .20 .60 +@headitem You type @tab @code{sub()} sees @tab @code{sub()} generates +@item @code{\\\\\\&} @tab @code{\\\&} @tab A literal @samp{\&} +@item @code{@ @ \\\\&} @tab @code{@ \\&} @tab A literal @samp{\}, followed by the matched text +@item @code{@ @ @ @ \\&} @tab @code{@ @ \&} @tab A literal @samp{&} +@item @code{@ @ @ @ \\q} @tab @code{@ @ \q} @tab A literal @samp{\q} +@item @code{@ @ @ \\\\} @tab @code{@ @ \\} @tab @code{\} +@end multitable +@end float + +@ignore +@float Table,table-posix-sub +@caption{POSIX rules for @code{sub()} and @code{gsub()}} @tex \vbox{\bigskip % We need more characters for escape and tab ... @@ -19323,21 +19342,22 @@ @end ifnotdocbook @end ifnottex @end float +@end ignore The only case where the difference is noticeable is the last one: @samp{\\\\} is seen as @samp{\\} and produces @samp{\} instead of @samp{\\}. -Starting with @value{PVERSION} 3.1.4, @command{gawk} followed the POSIX rules +Starting with version 3.1.4, @command{gawk} followed the POSIX rules when @option{--posix} was specified (@pxref{Options}). Otherwise, it continued to follow the proposed rules, as that had been its behavior for many years. -When @value{PVERSION} 4.0.0 was released, the @command{gawk} maintainer +When version 4.0.0 was released, the @command{gawk} maintainer made the POSIX rules the default, breaking well over a decade's worth of backward compatibility.@footnote{This was rather naive of him, despite there being a note in this @value{SECTION} indicating that the next major version would move to the POSIX rules.} Needless to say, this was a bad idea, -and as of @value{PVERSION} 4.0.1, @command{gawk} resumed its historical +and as of version 4.0.1, @command{gawk} resumed its historical behavior, and only follows the POSIX rules when @option{--posix} is given. The rules for @code{gensub()} are considerably simpler. At the runtime @@ -19350,6 +19370,20 @@ @float Table,table-gensub-escapes @caption{Escape sequence processing for @code{gensub()}} +@multitable @columnfractions .20 .20 .60 +@headitem You type @tab @code{gensub()} sees @tab @code{gensub()} generates +@item @code{@ @ @ @ @ @ &} @tab @code{@ @ @ &} @tab The matched text +@item @code{@ @ @ @ \\&} @tab @code{@ @ \&} @tab A literal @samp{&} +@item @code{@ @ @ \\\\} @tab @code{@ @ \\} @tab A literal @samp{\} +@item @code{@ @ \\\\&} @tab @code{@ \\&} @tab A literal @samp{\}, then the matched text +@item @code{\\\\\\&} @tab @code{\\\&} @tab A literal @samp{\&} +@item @code{@ @ @ @ \\q} @tab @code{@ @ \q} @tab A literal @samp{q} +@end multitable +@end float + +@ignore +@float Table,table-gensub-escapes +@caption{Escape sequence processing for @code{gensub()}} @tex \vbox{\bigskip % We need more characters for escape and tab ... @@ -19395,6 +19429,7 @@ @end ifnotdocbook @end ifnottex @end float +@end ignore Because of the complexity of the lexical- and runtime-level processing and the special cases for @code{sub()} and @code{gsub()}, @@ -19457,7 +19492,7 @@ Brian Kernighan added @code{fflush()} to his @command{awk} in April 1992. For two decades, it was a common extension. In December 2012, it was accepted for inclusion into the POSIX standard. -See @uref{http://austingroupbugs.net/view.php?id=634, the Austin Group website}. +See @uref{https://austingroupbugs.net/view.php?id=634, the Austin Group website}. POSIX standardizes @code{fflush()} as follows: if there is no argument, or if the argument is the null string (@w{@code{""}}), @@ -19465,7 +19500,7 @@ and pipes. @quotation NOTE -Prior to @value{PVERSION} 4.0.2, @command{gawk} +Prior to version 4.0.2, @command{gawk} would flush only the standard output if there was no argument, and flush all output files and pipes if the argument was the null string. This was changed in order to be compatible with BWK @@ -20262,7 +20297,7 @@ @end table @quotation CAUTION -Beginning with @command{gawk} @value{PVERSION} 4.2, negative +Beginning with @command{gawk} version 4.2, negative operands are not allowed for any of these functions. A negative operand produces a fatal error. See the sidebar ``Beware The Smoke and Mirrors!'' for more information as to why. @@ -20670,6 +20705,7 @@ names have been taken away for the arguments and local variables. All other variables used in the @command{awk} program can be referenced or set normally in the function's body. +(Also, @pxref{Shadowed Variables}.) The arguments and local variables last only as long as the function body is executing. Once the body finishes, you can once again access the @@ -21480,7 +21516,7 @@ @print{} untyped @end example -Note that prior to @value{PVERSION} 5.2, array elements +Note that prior to version 5.2, array elements that come into existence simply by referencing them were different, they were automatically forced to be scalars: @@ -21497,6 +21533,65 @@ than in the standard manner of passing untyped variables and array elements as function parameters. +@node Shadowed Variables +@section A Note On Shadowed Variables + +@c Contributed by John Naman , October 2024 + +This @value{SECTION} discusses some aspects of variable shadowing. +Feel free to skip it upon first reading. + +The ``shadowing'' concept is important to know for several reasons. + +@table @emph +@item Name confusion +Using global identifiers (names) locally can lead to very difficult +debugging, it complicates writing, reading and maintaining source code, +and it decreases the portability, (sharing or reuse) of a library of +@command{awk} functions. + +@item Preventing shadowing in functions +It is a best practice to consistently use a naming convention, +such as ``global variable and function names start with a capital letter +and local names begin with lowercase one.'' This also makes programs +easier to follow (@pxref{Library Names}). + +@item Circumventing shadow restrictions in functions +The @command{gawk} extension @code{SYMTAB} provides indirect access +to global variables that are or may be shadowed (see @code{SYMTAB} +in @ref{Auto-set}). For example: + +@example +@dots{} +foo = "global value" +@dots{} + +function test(x, foo) +@{ + # use global value of foo as default + foo = (x > 0) ? SYMTAB["foo"] : "local value" + @dots{} +@} +@end example + +@item Solving complex shadowing problems +The @command{gawk} namespace extension +provides robust handling of potential name collisions with global +variables and functions (@pxref{Namespaces}). Namespaces +are useful to prevent shadowing by providing identifiers that are +common to a group of functions and effectively shadowed from being +referenced by global functions (See @code{FUNCTAB} in @ref{Auto-set}.) +@end table + +Finally, a shadowing caveat: Variables local to a function are @emph{not} +``global'' to anything. @code{SYMTAB} elements refer to all @emph{global} +variables and arrays, but not to @emph{local} variables and arrays. +If a function @code{A(argA, localA)} calls another function @code{B()}, +the two variables local to @code{A()} are @emph{not} accessible in +function @code{B()} or any other function. The global/local distinction +is also important to remember when passing arguments to a function called +indirectly (@pxref{Indirect Calls}). + @node Indirect Calls @section Indirect Function Calls @@ -21854,7 +21949,7 @@ Remember that you must supply a leading @samp{@@} in front of an indirect function call. -Starting with @value{PVERSION} 4.1.2 of @command{gawk}, indirect function +Starting with version 4.1.2 of @command{gawk}, indirect function calls may also be used with built-in functions and with extension functions (@pxref{Dynamic Extensions}). There are some limitations when calling built-in functions indirectly, as follows. @@ -22182,7 +22277,7 @@ that: conventions. You are not required to write your programs this way---we merely recommend that you do so. -Beginning with @value{PVERSION} 5.0, @command{gawk} provides +Beginning with version 5.0, @command{gawk} provides a powerful mechanism for solving the problems described in this section: @dfn{namespaces}. Namespaces and their use are described in detail in @ref{Namespaces}. @@ -22314,6 +22409,12 @@ @node Assert Function @subsection Assertions +@cindex Robbins @subentry William +@quotation +@i{Look both ways before crossing the Atlantic.} +@author William (Bill) Robbins +@end quotation + @cindex assertions @cindex @code{assert()} function (C library) @cindex C library functions @subentry @code{assert()} @@ -22514,7 +22615,7 @@ @cindex functions @subentry library @subentry Cliff random numbers The -@uref{http://mathworld.wolfram.com/CliffRandomNumberGenerator.html, Cliff random number generator} +@uref{https://mathworld.wolfram.com/CliffRandomNumberGenerator.html, Cliff random number generator} is a very simple random number generator that ``passes the noise sphere test for randomness by showing no structure.'' It is easily programmed, in less than 10 lines of @command{awk} code: @@ -28852,7 +28953,7 @@ @cindex Brini, Davide The following program was written by Davide Brini @c (@email{dave_br@@gmx.com}) -and is published on @uref{http://backreference.org/2011/02/03/obfuscated-awk/, +and is published on @uref{https://backreference.org/2011/02/03/obfuscated-awk/, his website}. It serves as his signature in the Usenet group @code{comp.lang.awk}. He supplies the following copyright terms: @@ -30592,27 +30693,26 @@ @cindex persistent memory @cindex PMA memory allocator -Starting with @value{PVERSION} 5.2, @command{gawk} supports -@dfn{persistent memory}. This experimental feature stores the values of +Starting with version 5.2, @command{gawk} supports +@dfn{persistent memory}. This feature stores the values of all of @command{gawk}'s variables, arrays and user-defined functions in a persistent heap, which resides in a file in the filesystem. When persistent memory is not in use (the normal case), @command{gawk}'s data resides in ephemeral system memory. -Persistent memory is enabled on certain 64-bit systems supporting the @code{mmap()} -and @code{munmap()} system calls. @command{gawk} must be compiled as a -non-PIE (Position Independent Executable) binary, since the persistent +Persistent memory is enabled on certain 64-bit systems supporting the +@code{mmap()} and @code{munmap()} system calls. Since the persistent store ends up holding pointers to functions held within the @command{gawk} -executable. This also means that to use the persistent memory, you must -use the same @command{gawk} executable from run to run. +executable, in order to use persistent memory, you must use the same +@command{gawk} executable from run to run. You can see if your version of @command{gawk} supports persistent memory like so: @example $ @kbd{gawk --version} -@print{} GNU Awk 5.2.2, API 3.2, PMA Avon 8-g1, (GNU MPFR 4.1.0, GNU MP 6.2.1) -@print{} Copyright (C) 1989, 1991-2023 Free Software Foundation. +@print{} GNU Awk 5.3.1, API 4.0, PMA Avon 8-g1, (GNU MPFR 4.1.0, GNU MP 6.2.1) +@print{} Copyright (C) 1989, 1991-2024 Free Software Foundation. @dots{} @end example @@ -30622,7 +30722,7 @@ @cindex @env{REALLY_USE_PERSIST_MALLOC} environment variable @cindex environment variables @subentry @env{REALLY_USE_PERSIST_MALLOC} As of this writing, persistent memory has only been tested on GNU/Linux, -Cygwin, Solaris 2.11, Intel architecture macOS systems, +Cygwin, Solaris 2.11, macOS, FreeBSD 13.1 and OpenBSD 7.1. On all others, persistent memory is disabled by default. You can force it to be enabled by exporting the shell variable @@ -30677,13 +30777,12 @@ @command{gawk}'s variables are preserved. However, @command{gawk}'s special variables, such as @code{NR}, are reset upon each run. Only the variables defined by the program are preserved across runs. - @end enumerate -Interestingly, the program that you execute need not be the same from +Interestingly, the @command{awk} program that you execute need not be the same from run to run; the persistent store only maintains the values of variables, arrays, and user-defined functions, not the totality of @command{gawk}'s -internal state. This lets you share data between unrelated programs, +internal state. This lets you share data between unrelated @command{awk} programs, eliminating the need for scripts to communicate via text files. @cindex Kelly, Terence @@ -30797,6 +30896,7 @@ @item @cite{Persistent Scripting} Zi Fan Tan, Jianan Li, Haris Volos, and Terence Kelly, Non-Volatile Memory Workshop (NVMW) 2022, +@c 1/2025, still on http @uref{http://nvmw.ucsd.edu/program/}. This paper motivates and describes a research prototype of persistent @command{gawk} and presents performance evaluations on Intel Optane @@ -30838,10 +30938,12 @@ The prototype only supported persistent data; it did not support persistent functions. -As noted earlier, support for persistent memory is @emph{experimental}. -If it becomes burdensome,@footnote{Meaning, there are too many -bug reports, or too many strange differences in behavior from when -@command{gawk} is run normally.} then the feature will be removed. +@quotation NOTE +The maintainer reserves the right to remove the persistent memory +feature should it become burdensome.@footnote{Meaning, there are too +many bug reports, or too many strange differences in behavior from when +@command{gawk} is run normally.} +@end quotation @node Extension Philosophy @section Builtin Features versus Extensions @@ -31310,9 +31412,9 @@ To use these facilities in your @command{awk} program, follow these steps: -@enumerate @cindex @code{BEGIN} pattern @subentry @code{TEXTDOMAIN} variable and @cindex @code{TEXTDOMAIN} variable @subentry @code{BEGIN} pattern and +@enumerate @item Set the variable @code{TEXTDOMAIN} to the text domain of your program. This is best done in a @code{BEGIN} rule @@ -31579,8 +31681,8 @@ However, it is actually almost portable, requiring very little change: -@itemize @value{BULLET} @cindex @code{TEXTDOMAIN} variable @subentry portability and +@itemize @value{BULLET} @item Assignments to @code{TEXTDOMAIN} won't have any effect, because @code{TEXTDOMAIN} is not special in other @command{awk} implementations. @@ -31812,7 +31914,7 @@ @end ifnotinfo As of this writing, the latest version of GNU @command{gettext} is @uref{ftp://ftp.gnu.org/gnu/gettext/gettext-0.19.8.1.tar.gz, -@value{PVERSION} 0.19.8.1}. +version 0.19.8.1}. If a translation of @command{gawk}'s messages exists, then @command{gawk} produces usage messages, warnings, @@ -33148,7 +33250,7 @@ @cindex debugger @subentry history expansion If @command{gawk} is compiled with -@uref{http://cnswww.cns.cwru.edu/php/chet/readline/readline.html, +@uref{https://tiswww.case.edu/php/chet/readline/rltop.html, the GNU Readline library}, you can take advantage of that library's command completion and history expansion features. The following types of completion are available: @@ -33401,7 +33503,7 @@ less chance for collisions.) These facilities are sometimes referred to as @dfn{packages} or @dfn{modules}. -Starting with @value{PVERSION} 5.0, @command{gawk} provides a +Starting with version 5.0, @command{gawk} provides a simple mechanism to put functions and global variables into separate namespaces. @node Qualified Names @@ -34091,7 +34193,7 @@ @node MPFR On Parole @subsection Arbitrary Precision Arithmetic is On Parole! -As of @value{PVERSION} 5.2, +As of version 5.2, arbitrary precision arithmetic in @command{gawk} is ``on parole.'' The primary @command{gawk} maintainer is no longer maintaining it. Fortunately, a volunteer from the development @@ -34127,15 +34229,15 @@ By default, @command{gawk} uses the double-precision floating-point values supplied by the hardware of the system it runs on. However, if it was compiled to do so, and the @option{-M} command-line option is supplied, -@command{gawk} uses the @uref{http://www.mpfr.org, +@command{gawk} uses the @uref{https://www.mpfr.org, GNU MPFR} and @uref{https://gmplib.org, GNU MP} (GMP) libraries for arbitrary-precision arithmetic on numbers. You can see if MPFR support is available like so: @example $ @kbd{gawk --version} -@print{} GNU Awk 5.2.1, API 3.2, PMA Avon 8-g1, (GNU MPFR 4.1.0, GNU MP 6.2.1) -@print{} Copyright (C) 1989, 1991-2022 Free Software Foundation. +@print{} GNU Awk 5.3.1, API 4.0, PMA Avon 8-g1, (GNU MPFR 4.1.0, GNU MP 6.2.1) +@print{} Copyright (C) 1989, 1991-2024 Free Software Foundation. @dots{} @end example @@ -34171,7 +34273,7 @@ This @value{SECTION} provides a high-level overview of the issues involved when doing lots of floating-point arithmetic.@footnote{There -is a very nice @uref{http://www.validlab.com/goldberg/paper.pdf, +is a very nice @uref{https://www.validlab.com/goldberg/paper.pdf, paper on floating-point arithmetic} by David Goldberg, ``What Every Computer Scientist Should Know About Floating-Point Arithmetic,'' @cite{ACM Computing Surveys} @strong{23}, 1 (1991-03): 5-48. This is @@ -34908,7 +35010,7 @@ The following program calculates the eighth term in Sylvester's sequence@footnote{Weisstein, Eric W. @cite{Sylvester's Sequence}. From MathWorld---A Wolfram Web Resource -@w{(@url{http://mathworld.wolfram.com/SylvestersSequence.html}).}} +@w{(@url{https://mathworld.wolfram.com/SylvestersSequence.html}).}} using a recurrence: @example @@ -35070,13 +35172,13 @@ @quotation It's not that well known but it's not that obscure either. It's Euler's modification to Newton's method for calculating pi. -Take a look at lines (23) - (25) here: @uref{http://mathworld.wolfram.com/PiFormulas.html}. +Take a look at lines (23) - (25) here: @uref{https://mathworld.wolfram.com/PiFormulas.html}. The algorithm I wrote simply expands the multiply by 2 and works from the innermost expression outwards. I used this to program HP calculators because it's quite easy to modify for tiny memory devices with smallish word sizes. See -@uref{http://www.hpmuseum.org/cgi-sys/cgiwrap/hpmuseum/articles.cgi?read=899}. +@uref{https://www.hpmuseum.org/cgi-sys/cgiwrap/hpmuseum/articles.cgi?read=899}. @end quotation @end ifset @@ -35238,7 +35340,7 @@ @cindex POSIX mode Besides handling input, @command{gawk} also needs to print ``correct'' values on -output when a value is either NaN or infinity. Starting with @value{PVERSION} +output when a value is either NaN or infinity. Starting with version 4.2.2, for such values @command{gawk} prints one of the four strings just described: @samp{+inf}, @samp{-inf}, @samp{+nan}, or @samp{-nan}. Similarly, in POSIX mode, @command{gawk} prints the result of @@ -35943,6 +36045,7 @@ Thus, if you know that your extension will spend considerable time reading and/or changing the value of one or more scalar variables, you can obtain a @dfn{scalar cookie}@footnote{See +@c 1/2025, still on http @uref{http://catb.org/jargon/html/C/cookie.html, the ``cookie'' entry in the Jargon file} for a definition of @dfn{cookie}, and @uref{http://catb.org/jargon/html/M/magic-cookie.html, the ``magic cookie'' entry in the Jargon file} for a nice example. @@ -36048,7 +36151,6 @@ @end group @end example -@sp 2 @item #define ezalloc(pointer, type, size, message) @dots{} This is like @code{emalloc()}, but it calls @code{gawk_calloc()} instead of @code{gawk_malloc()}. @@ -39959,7 +40061,11 @@ processing XML files. This is the evolution of the original @command{xgawk} (XML @command{gawk}) project. -There are a number of extensions. Some of the more interesting ones are: +There are a number of extensions. The list of available extensions as well +as their on-line full documentation can be seen in the +@uref{https://gawkextlib.sourceforge.net/, @code{gawkextlib} web pages}. + +Some of the more interesting extensions are: @itemize @value{BULLET} @item @@ -39996,7 +40102,7 @@ @end example @cindex RapidJson JSON parser library -You will need to have the @uref{http://www.rapidjson.org, RapidJson} +You will need to have the @uref{https://www.rapidjson.org, RapidJson} JSON parser library installed in order to build and use the @code{json} extension. @cindex Expat XML parser library @@ -40719,9 +40825,9 @@ @item Changes and/or additions in the command-line options: -@itemize @value{MINUS} @cindex @env{AWKPATH} environment variable @cindex environment variables @subentry @env{AWKPATH} +@itemize @value{MINUS} @item The @env{AWKPATH} environment variable for specifying a path search for the @option{-f} command-line option @@ -40800,7 +40906,7 @@ @item Support for the following obsolete systems was removed from the code -and the documentation for @command{gawk} @value{PVERSION} 4.0: +and the documentation for @command{gawk} version 4.0: @c nested table @itemize @value{MINUS} @@ -40844,7 +40950,7 @@ @item Support for the following obsolete system was removed from the code -for @command{gawk} @value{PVERSION} 4.1: +for @command{gawk} version 4.1: @c nested table @itemize @value{MINUS} @@ -40854,7 +40960,7 @@ @item Support for the following systems was removed from the code -for @command{gawk} @value{PVERSION} 4.2: +for @command{gawk} version 4.2: @c nested table @itemize @value{MINUS} @@ -40867,7 +40973,7 @@ @item Support for the following systems was removed from the code -for @command{gawk} @value{PVERSION} 5.2: +for @command{gawk} version 5.2: @c nested table @@ -40920,9 +41026,9 @@ Version 2.10 of @command{gawk} introduced the following features: -@itemize @value{BULLET} @cindex @env{AWKPATH} environment variable @cindex environment variables @subentry @env{AWKPATH} +@itemize @value{BULLET} @item The @env{AWKPATH} environment variable for specifying a path search for the @option{-f} command-line option @@ -41739,6 +41845,9 @@ (@pxref{Escape Sequences}). @item +Support for OpenVMS 9.2-2 x86_64 (at version 5.3.1). + +@item The need for GNU @code{libsigsegv} was removed from @command{gawk}. The value-add was never very much and it caused problems in some environments. @@ -41872,7 +41981,7 @@ This situation existed for close to 10 years, if not more, and the @command{gawk} maintainer grew weary of trying to explain that @command{gawk} was being nicely standards-compliant, and that the issue -was in the user's locale. During the development of @value{PVERSION} 4.0, +was in the user's locale. During the development of version 4.0, he modified @command{gawk} to always treat ranges in the original, pre-POSIX fashion, unless @option{--posix} was used (@pxref{Options}).@footnote{And thus was born the Campaign for Rational Range Interpretation (or @@ -42138,6 +42247,14 @@ Efraim Yawitz contributed the original text for @ref{Debugger}. @item +@cindex Naman, John +John Naman contributed the original text for @ref{Shadowed Variables}. + +@cindex Ferguson, Stuart +@item +Stuart Ferguson reworked the text in @ref{Splitting By Content}. + +@item @cindex Schorr, Andrew The development of the extension API first released with @command{gawk} 4.1 was driven primarily by @@ -42871,7 +42988,7 @@ want to do that, here are the steps: @example -git clone https://git.savannah.gnu.org/r/gawk.git +git clone https://git.savannah.gnu.org/git/gawk.git cd gawk ./bootstrap.sh && ./configure && make && make check @end example @@ -43121,7 +43238,7 @@ @cindex compiling @command{gawk} @subentry for Cygwin @command{gawk} can be built and used ``out of the box'' under MS-Windows -if you are using the @uref{http://www.cygwin.com, Cygwin environment}. +if you are using the @uref{https://www.cygwin.com, Cygwin environment}. This environment provides an excellent simulation of GNU/Linux, using Bash, GCC, GNU Make, and other GNU programs. Compilation and installation for Cygwin is the @@ -43227,6 +43344,9 @@ @itemize @bullet @item +VSI C x86-64 V7.6-001 (GEM 50YAN) on OpenVMS x86_64 V9.2-3 + +@item HP C V7.3-010 on OpenVMS Alpha V8.4-2L1. @item @@ -43263,9 +43383,9 @@ Dynamic extensions need to be compiled with the same compiler options for floating-point, pointer size, and symbol name handling as were used to compile @command{gawk} itself. -Alpha and Itanium should use IEEE floating point. The pointer size is 32 bits, -and the symbol name handling should be exact case with CRC shortening for -symbols longer than 32 bits. +X86_64, Alpha, and Itanium should use IEEE floating point. The pointer size +is 32 bits, and the symbol name handling should be exact case with CRC +shortening for symbols longer than 32 bits. @example /name=(as_is,short) @@ -43584,7 +43704,7 @@ mailing list: see @ref{Asking for help}. @end itemize -For more information, see @uref{http://www.skeeve.com/fork-my-code.html, +For more information, see @uref{https://www.skeeve.com/fork-my-code.html, @cite{Fork My Code, Please!---An Open Letter To Those of You Who Are Unhappy}}, by Arnold Robbins and Chet Ramey. @@ -44024,13 +44144,13 @@ The original distribution site for the @command{mawk} source code no longer has it. A copy is available at -@uref{http://www.skeeve.com/gawk/mawk1.3.3.tar.gz}. +@uref{https://www.skeeve.com/gawk/mawk1.3.3.tar.gz}. In 2009, Thomas Dickey took on @command{mawk} maintenance. Basic information is available on -@uref{http://www.invisible-island.net/mawk, the project's web page}. +@uref{https://www.invisible-island.net/mawk, the project's web page}. The download URL is -@url{http://invisible-island.net/datafiles/release/mawk.tar.gz}. +@url{https://invisible-island.net/datafiles/release/mawk.tar.gz}. Once you have it, @command{gunzip} may be used to decompress this file. Installation @@ -44080,7 +44200,7 @@ profiling. You may find it at either @uref{ftp://ftp.math.utah.edu/pub/pawk/pawk-20030606.tar.gz} or -@uref{http://www.math.utah.edu/pub/pawk/pawk-20030606.tar.gz}. +@uref{https://www.math.utah.edu/pub/pawk/pawk-20030606.tar.gz}. @item BusyBox @command{awk} @cindex BusyBox Awk @@ -44156,7 +44276,7 @@ to be a full interpreter, although because it uses Java facilities for I/O and for regexp matching, the language it supports is different from POSIX @command{awk}. More information is available on the -@uref{http://jawk.sourceforge.net, project's home page}. +@uref{https://jawk.sourceforge.net, project's home page}. @item Hoijui's @command{jawk} This project, available at @uref{https://github.com/hoijui/Jawk}, @@ -44168,6 +44288,7 @@ @cindex source code @subentry libmawk This is an embeddable @command{awk} interpreter derived from @command{mawk}. For more information, see +@c 1/2025, still on http @uref{http://repo.hu/projects/libmawk/}. @cindex source code @subentry embeddable @command{awk} interpreter @@ -44215,6 +44336,7 @@ The project may also be frozen; no new code changes have been made since approximately 2014. +And, as of January, 2025, the QuikTrim websites were not reachable. @item @command{cppawk} @cindex @command{cppawk} @@ -44386,7 +44508,7 @@ can still access the repository using: @example -git clone https://git.savannah.gnu.org/r/gawk.git +git clone https://git.savannah.gnu.org/git/gawk.git @end example @noindent @@ -45743,7 +45865,7 @@ or place. The most common character set in use today is ASCII (American Standard Code for Information Interchange). Many European countries use an extension of ASCII known as ISO-8859-1 (ISO Latin-1). -The @uref{http://www.unicode.org, Unicode character set} is +The @uref{https://www.unicode.org, Unicode character set} is increasingly popular and standard, and is particularly widely used on GNU/Linux systems. @@ -45755,7 +45877,7 @@ and produces @command{pic} input for drawing them. It was written in @command{awk} by Brian Kernighan and Jon Bentley, and is available from -@uref{http://netlib.org/typesetting/chem}. +@uref{https://netlib.org/typesetting/chem}. @item Comparison Expression A relation that is either true or false, such as @samp{a < b}. @@ -46416,8 +46538,8 @@ the world and later moved into commercial environments as a software development system and network server system. There are many commercial versions of Unix, as well as several work-alike systems whose source code -is freely available (such as GNU/Linux, @uref{http://www.netbsd.org, NetBSD}, -@uref{https://www.freebsd.org, FreeBSD}, and @uref{http://www.openbsd.org, OpenBSD}). +is freely available (such as GNU/Linux, @uref{https://www.netbsd.org, NetBSD}, +@uref{https://www.freebsd.org, FreeBSD}, and @uref{https://www.openbsd.org, OpenBSD}). @item UTC The accepted abbreviation for ``Universal Coordinated Time.'' diff -urN gawk-5.3.1/doc/it/ChangeLog gawk-5.3.2/doc/it/ChangeLog --- gawk-5.3.1/doc/it/ChangeLog 2024-09-17 21:43:39.000000000 +0300 +++ gawk-5.3.2/doc/it/ChangeLog 2025-04-02 08:33:59.000000000 +0300 @@ -1,3 +1,7 @@ +2025-04-02 Arnold D. Robbins + + * 5.3.2: Release tar made. + 2024-09-17 Arnold D. Robbins * 5.3.1: Release tar made. diff -urN gawk-5.3.1/doc/lflashlight.svg gawk-5.3.2/doc/lflashlight.svg --- gawk-5.3.1/doc/lflashlight.svg 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/doc/lflashlight.svg 2025-03-09 13:13:49.000000000 +0200 @@ -0,0 +1,50 @@ + + + + + still image + image/svg+xml + Left flashlight icon + 2024 + https://git.savannah.gnu.org/cgit/gawk.git/tree/doc/lflashlight.eps + + Free Software Foundation, Inc. + https://www.gnu.org/licenses/fdl.html + + + + + + + + + + + + + + diff -urN gawk-5.3.1/doc/Makefile.am gawk-5.3.2/doc/Makefile.am --- gawk-5.3.1/doc/Makefile.am 2024-09-17 18:14:57.000000000 +0300 +++ gawk-5.3.2/doc/Makefile.am 2025-04-02 06:57:42.000000000 +0300 @@ -34,19 +34,23 @@ html_images = $(png_images) gawk_statist.jpg fig_images = $(png_images:%.png=%.fig) -txt_images = $(png_images:%.png=%.txt) gawk_statist.txt eps_images = $(txt_images:%.txt=%.eps) gawk_statist.eps +jpg_images = $(txt_images:%.txt=%.jpg) gawk_statist.jpg pdf_images = $(txt_images:%.txt=%.pdf) gawk_statist.pdf +svg_images = $(txt_images:%.txt=%.svg) gawk_statist.svg +txt_images = $(png_images:%.png=%.txt) gawk_statist.txt EXTRA_DIST = ChangeLog ChangeLog.0 ChangeLog.1 \ README.card ad.block setter.outline \ awkcard.in awkforai.txt texinfo.tex cardfonts \ $(fig_images) $(txt_images) $(eps_images) $(pdf_images) \ - $(html_images) \ + $(html_images) $(jpg_images) $(svg_images) \ it \ macros colors no.colors $(man_MANS) \ lflashlight-small.xpic lflashlight.eps lflashlight.pdf \ + lflashlight.jpg lflashlight.svg \ rflashlight-small.xpic rflashlight.eps rflashlight.pdf \ + rflashlight.jpg rflashlight.svg \ wordlist wordlist2 wordlist3 wordlist4 wordlist5 wordlist6 \ bc_notes diff -urN gawk-5.3.1/doc/Makefile.in gawk-5.3.2/doc/Makefile.in --- gawk-5.3.1/doc/Makefile.in 2024-09-17 19:42:51.000000000 +0300 +++ gawk-5.3.2/doc/Makefile.in 2025-04-02 07:00:35.000000000 +0300 @@ -372,18 +372,22 @@ html_images = $(png_images) gawk_statist.jpg fig_images = $(png_images:%.png=%.fig) -txt_images = $(png_images:%.png=%.txt) gawk_statist.txt eps_images = $(txt_images:%.txt=%.eps) gawk_statist.eps +jpg_images = $(txt_images:%.txt=%.jpg) gawk_statist.jpg pdf_images = $(txt_images:%.txt=%.pdf) gawk_statist.pdf +svg_images = $(txt_images:%.txt=%.svg) gawk_statist.svg +txt_images = $(png_images:%.png=%.txt) gawk_statist.txt EXTRA_DIST = ChangeLog ChangeLog.0 ChangeLog.1 \ README.card ad.block setter.outline \ awkcard.in awkforai.txt texinfo.tex cardfonts \ $(fig_images) $(txt_images) $(eps_images) $(pdf_images) \ - $(html_images) \ + $(html_images) $(jpg_images) $(svg_images) \ it \ macros colors no.colors $(man_MANS) \ lflashlight-small.xpic lflashlight.eps lflashlight.pdf \ + lflashlight.jpg lflashlight.svg \ rflashlight-small.xpic rflashlight.eps rflashlight.pdf \ + rflashlight.jpg rflashlight.svg \ wordlist wordlist2 wordlist3 wordlist4 wordlist5 wordlist6 \ bc_notes diff -urN gawk-5.3.1/doc/pm-gawk.texi gawk-5.3.2/doc/pm-gawk.texi --- gawk-5.3.1/doc/pm-gawk.texi 2024-04-19 16:07:15.000000000 +0300 +++ gawk-5.3.2/doc/pm-gawk.texi 2025-03-09 13:13:49.000000000 +0200 @@ -2,9 +2,11 @@ @c TODO: Checklist for release: @c revise all U P D A T E items as appropriate +@c check all URLs by clicking in PDF version @c check all to-do notes @c remove most comments -@c spell check (last 2am 15 Aug 2022) +@c spell check +@c post final version to pma web site @c verbatim limits: 47 rows x 75 cols, smallformat 58 x 90 @@ -42,9 +44,8 @@ @copying @noindent @c UPDATE copyright info below -Copyright @copyright{} 2022 Terence Kelly @* +Copyright @copyright{} 2022, 2025 Terence Kelly @* @ifnottex -@noindent @email{tpkelly@@eecs.umich.edu} @* @email{tpkelly@@cs.princeton.edu} @* @email{tpkelly@@acm.org} @* @@ -65,15 +66,16 @@ @titlepage @title @value{TYTL} @c UPDATE date below -@subtitle 16 August 2022 -@subtitle @gwk{} version 5.2 -@subtitle @pmg{} version 2022.08Aug.03.1659520468 (Avon 7) +@subtitle 9 February 2025 +@subtitle @gwk{} version 5.3.1 +@subtitle @pmg{} version 2022.10Oct.30.1667172241 (Avon 8) @author Terence Kelly @author @email{tpkelly@@eecs.umich.edu} @author @email{tpkelly@@cs.princeton.edu} @author @email{tpkelly@@acm.org} @author @url{http://web.eecs.umich.edu/~tpkelly/pma/} @author @url{https://dl.acm.org/profile/81100523747} +@author @url{https://queue.acm.org/DrillBits} @vskip 0pt plus 1filll @insertcopying @end titlepage @@ -87,7 +89,7 @@ @ifnotxml @ifnotdocbook @top General Introduction -@gwk{} 5.2 introduces a @emph{persistent memory} feature that can +@gwk{} 5.2 introduced a @emph{persistent memory} feature that can ``remember'' script-defined variables and functions across executions; pass variables between unrelated scripts without serializing/parsing text files; and handle data sets larger than available memory plus @@ -99,6 +101,9 @@ @end ifnotxml @end ifnottex +@c UPDATE: ensure that TOC below matches order of sections and +@c homebrew TOC in Introduction + @menu * Introduction:: * Quick Start:: @@ -117,8 +122,7 @@ @sp 1 -@c UPDATE below after official release -GNU AWK (@gwk{}) 5.2, expected in September 2022, introduces a new +GNU AWK (@gwk{}) 5.2, released in September 2022, introduced a new @emph{persistent memory} feature that makes AWK scripting easier and sometimes improves performance. The new feature, called ``@pmg{},'' can ``remember'' script-defined variables and functions across @@ -126,8 +130,7 @@ scripts without serializing/parsing text files---all with near-zero fuss. @pmg{} does @emph{not} require non-volatile memory hardware nor any other exotic infrastructure; it runs on the ordinary conventional -computers and operating systems that most of us have been using for -decades. +computers and operating systems that we've all been using for decades. @sp 1 @@ -142,7 +145,7 @@ @pmg{}. If you're familiar with @gwk{} and Unix-like environments, dive straight in: @* -@itemize @c @w{} +@itemize @item @ref{Quick Start} hits the ground running with a few keystrokes. @item @ref{Examples} shows how @pmg{} streamlines typical AWK scripting. @item @ref{Performance} covers asymptotic efficiency, OS tuning, and more. @@ -163,6 +166,9 @@ allocator used in @pmg{}: @* @center @url{http://web.eecs.umich.edu/~tpkelly/pma/} +@c not citing this because it might not be as fresh as pma site +@c https://www.gnu.org/software/gawk/manual/pm-gawk/ + @sp 1 @noindent @@ -194,11 +200,11 @@ Here's @pmg{} in action at the @command{bash} shell prompt (@samp{$}): @verbatim - $ truncate -s 4096000 heap.pma - $ export GAWK_PERSIST_FILE=heap.pma - $ gawk 'BEGIN{myvar = 47}' - $ gawk 'BEGIN{myvar += 7; print myvar}' - 54 + $ truncate -s 4096000 heap.pma + $ export GAWK_PERSIST_FILE=heap.pma + $ gawk 'BEGIN{myvar = 47}' + $ gawk 'BEGIN{myvar += 7; print myvar}' + 54 # '7' => not pm-gawk, crash => bad build @end verbatim @noindent First, @command{truncate} creates an empty (all-zero-bytes) @dfn{heap @@ -212,18 +218,19 @@ command invokes @pmg{} on a @emph{different} one-line script that increments and prints @code{myvar}. The output shows that @pmg{} has indeed ``remembered'' @code{myvar} across executions of unrelated -scripts. (If the @gwk{} executable in your search @env{$PATH} lacks -the persistence feature, the output in the above example will be -@samp{7} instead of @samp{54}. @xref{Installation}.) To disable -persistence until you want it again, prevent @gwk{} from finding the -heap file via @command{unset GAWK_PERSIST_FILE}. To permanently -``forget'' script variables, delete the heap file. - -@sp 2 +scripts. To disable persistence until you want it again, prevent +@gwk{} from finding the heap file via @samp{unset GAWK_PERSIST_FILE}. +To permanently ``forget'' script variables, delete the heap file. + +@xref{Installation} for two common problems and their fixes: If you +run the example above and @pmg{} crashes on the @emph{second} +invocation, it is likely that your @pmg{} was incorrectly built. If +the printed output is @samp{7} instead of @samp{54}, the @gwk{} +executable in your search @env{$PATH} lacks the persistence feature. Toggling persistence by @command{export}-ing and @command{unset}-ing ``ambient'' envars requires care: Forgetting to @command{unset} when -you no longer want persistence can cause confusing bugs. Fortunately, +you no longer want persistence can cause surprises. Fortunately, @command{bash} allows you to pass envars more deliberately, on a per-command basis: @verbatim @@ -246,8 +253,8 @@ variable from the heap file. While sometimes less error prone than ambient envars, per-command -envar passing as shown above is verbose and shouty. A shell alias -saves keystrokes and reduces visual clutter: +envar passing is verbose and shouty. A shell alias saves keystrokes +and reduces visual clutter: @verbatim $ alias pm='GAWK_PERSIST_FILE=heap.pma' $ pm gawk 'BEGIN{print ++myvar}' @@ -316,10 +323,11 @@ 26 142 @end verbatim -By making AWK more interactive, @pmg{} invites casual conversations -with data. If we're curious what words in @cite{Finn} are absent from -@cite{Sawyer}, answers (including ``flapdoodle,'' ``yellocution,'' and -``sockdolager'') are easy to find: +@pmg{} feels like it has a read-eval-print loop, which invites casual +interactive conversations with data. If we're curious what words from +@cite{Finn} are not in @cite{Sawyer}, answers (including +``flapdoodle,'' ``yellocution,'' and ``sockdolager'') are a few +keystrokes away: @verbatim $ gawk 'BEGIN{for(w in hf) if (!(w in ts)) print w}' @end verbatim @@ -423,23 +431,9 @@ @page @c = = = = = = = = = = = = = = = = = = = = = = = = = = = = = = = = = -Our third and final set of examples shows that @pmg{} allows us to -bundle both script-defined data and also user-defined @emph{functions} -in a persistent heap that may be passed freely between unrelated AWK -scripts. - -@c ADR doesn't like return in count() below -@c TK: it was put there for a reason: -@c $ truncate -s 10M funcs.pma -@c $ export GAWK_PERSIST_FILE=funcs.pma -@c $ gawk 'function count(A,t) {for(i in A)t++; return t}' -@c $ gawk 'BEGIN { a["x"] = 4; a["y"] = 5; a["z"] = 6 }' -@c $ gawk 'BEGIN { print count(a) }' -@c 3 -@c $ gawk 'BEGIN { delete a }' -@c $ gawk 'BEGIN { print count(a) }' -@c [!!blank line, not zero!!] -@c $ +Our final examples show that @pmg{} allows us to bundle both +script-defined data and also user-defined @emph{functions} in a +persistent heap that we can pass freely between unrelated AWK scripts. The following shell transcript repeatedly invokes @pmg{} to create and then employ a user-defined function. These separate invocations @@ -450,7 +444,7 @@ @verbatim $ truncate -s 10M funcs.pma $ export GAWK_PERSIST_FILE=funcs.pma - $ gawk 'function count(A,t) {for(i in A)t++; return ""==t?0:t}' + $ gawk 'function count(A,t) {for(i in A)t++; return t+0}' $ gawk 'BEGIN { a["x"] = 4; a["y"] = 5; a["z"] = 6 }' $ gawk 'BEGIN { print count(a) }' 3 @@ -477,14 +471,11 @@ and print a count of zero. Finally, the last two @pmg{} commands populate the array with 47 entries and count them. -@c I could be persuaded to leave the polynomial example as an -@c exercise, offering to send my answer to readers upon request. - The following shell script invokes @pmg{} repeatedly to create a collection of user-defined functions that perform basic operations on quadratic polynomials: evaluation at a given point, computing the discriminant, and using the quadratic formula to find the roots. It -then factorizes @math{x^2 + x - 12} into @math{(x - 3)(x + 4)}. +then factors @math{x^2 + x - 12} into @math{(x - 3)(x + 4)}. @smallformat @verbatim #!/bin/sh @@ -509,7 +500,6 @@ rm -f poly.pma @end verbatim @end smallformat -@noindent @page @c ================================================================== @@ -557,6 +547,8 @@ @c so as the size of a corpus increases without bound, the ratio of @c vocabulary size to corpus size tends toward zero. +@c TODO: maybe @samp instead of @verb below; be very careful + The performance advantage of @pmg{} arises when different processes create and access associative arrays. Accessing an element of a persistent array created by a previous @pmg{} process, as we did @@ -693,8 +685,8 @@ @end verbatim @noindent Tuning paging parameters can help non-persistent @gwk{} as well as -@pmg{}. [Disclaimer: OS tuning is an occult art, and your mileage may -vary.] +@pmg{}.@* +[@strong{Disclaimer}: OS tuning is an occult art, and your mileage may vary.] @c sudo sh -c 'echo 3 > /proc/sys/vm/drop_caches' @c @@ -737,9 +729,9 @@ @noindent Whereas @command{ls} reports the logical file size that we expect (one TiB or 2 raised to the power 40 bytes), @command{du} reveals that the -file occupies no storage whatsoever. The file system will allocate -physical storage resources beneath this file as data is written to it; -reading unwritten regions of the file yields zeros. +file consumes @emph{zero} storage. The file system will allocate +physical storage beneath this file as data are written to it; reading +unwritten regions yields zeros. The ``pay as you go'' storage cost of sparse files offers both convenience and control for @pmg{} users. If your file system @@ -752,26 +744,38 @@ won't eat more disk than that. Copying sparse files with GNU @command{cp} creates sparse copies by default. -File-system encryption can preclude sparse files: If the cleartext of +To maximize storage frugality we sometimes want to ``re-sparsify'' +heap files cluttered with de-allocated memory that @pmg{} no longer +needs. A stand-alone utility, @command{pma_sam}, is provided for this +purpose at the @code{pma} web site. +@c Running @command{du} before & after @command{pma_sam} will quantify +@c the savings. + +@c NOTE: In principle, it would be possible for pm-gawk to +@c automatically check whether re-sparsification would be +@c beneficial, and then just do it. However to do this job +@c well would require knowledge about the file system and +@c would be quite tricky. It's best to regard issues +@c surrounding sparse files, including re-sparsification, as +@c sysadmin matters separate from gawk. + +File-system encryption can preclude sparse files: If the plaintext of a byte offset range within a file is all zero bytes, the corresponding -ciphertext probably shouldn't be all zeros! Encrypting at the storage -layer instead of the file system layer may offer acceptable security -while still permitting file systems to implement sparse files. - -Sometimes you might prefer a dense heap file backed by pre-allocated -storage resources, for example to increase the likelihood that -@pmg{}'s internal memory allocation will succeed until the persistent -heap occupies the entire heap file. The @command{fallocate} utility -will do the trick: +ciphertext mustn't be all zeros! Encrypting at the storage layer +instead of the file system may offer acceptable security while still +permitting sparse files. + +Sometimes you want a dense heap file backed by pre-allocated storage, +e.g., to ensure that @pmg{}'s internal memory allocation will succeed +until the persistent heap fills the entire file. The +@command{fallocate} utility does the trick: @verbatim $ fallocate -l 1M mibi $ ls -l mibi -rw-rw-r--. 1 me me 1048576 Aug 5 23:18 mibi $ du -h mibi - 1.0M mibi + 1.0M mibi # We get our MiB, both logically & physically. @end verbatim -@noindent -We get the MiB we asked for, both logically and physically. @c UPDATE: search for username in "ls" examples @@ -801,7 +805,7 @@ @dfn{Persistent} data outlive the processes that access them, but don't necessarily last forever. For example, as explained in -@command{man mq_overview}, message queues are persistent because they +@samp{man mq_overview}, message queues are persistent because they exist until the system shuts down. @dfn{Durable} data reside on a physical medium that retains its contents even without continuously supplied power. For example, hard disk drives and solid state drives @@ -840,7 +844,6 @@ performance ``falls off the cliff'' as @pmg{}'s memory footprint exceeds the capacity of DRAM and paging begins. -@c TODO: @c virtual *machines* / cloud machines can make performance hard to measure repeatably @c here we assume good old fashioned OS install directly on "bare metal" @@ -864,10 +867,8 @@ The C-shell (@command{csh}) script listed below illustrates concepts and implements tips presented in this chapter. It produced the results discussed in @ref{Results} in roughly 20 minutes on an aging -laptop. You can cut and paste the code listing below into a file, or -download it from @url{http://web.eecs.umich.edu/~tpkelly/pma/}. - -@c TODO: post script to Web site when finalized +laptop. To reproduce my experiments, cut/paste the listing below into +a file; take care that no lines are duplicated or omitted. The script measures the performance of four different ways to support word frequency queries over a text corpus: The na@"{@dotless{i}}ve @@ -1091,7 +1092,7 @@ single array element. The upside of the large heap file is @i{O(1)} access instead of @i{O(W)}---a classic time-space tradeoff. If storage is a scarce resource, all three intermediate files can be -compressed, @code{freqtbl} by a factor of roughly 2.7, @code{rwarray} +compressed, @code{freqtbl} by a factor of roughly 2.7x, @code{rwarray} by roughly 5.6x, and @pmg{} by roughly 11x using @command{xz}. Compression is CPU-intensive and slow, another time-space tradeoff. @@ -1125,24 +1126,24 @@ copy if the heap file is damaged, even if last-mod metadata are inadvertently altered. -@c TODO: sync individual files above instead of globally (?) +@c NOTE: we could sync individual files above instead of globally (???) @c First carefully check what sync does in both cases @c using strace, verify that "sync [file]" is correct. @c Also check whether non-GNU/Linux offers fine-grained @c sync command. Cygwin? Solaris? -The @command{cp} command's @command{--reflink} option reduces both the +The @command{cp} command's @option{--reflink} option reduces both the storage footprint of the copy and the time required to make it. Just as sparse files provide ``pay as you go'' storage footprints, reflink copying offers ``pay as you @emph{change}'' storage costs.@footnote{The system call that implements reflink copying is -described in @command{man ioctl_ficlone}.} A reflink copy shares +described in @samp{man ioctl_ficlone}.} A reflink copy shares storage with the original file. The file system ensures that subsequent changes to either file don't affect the other. Reflink copying is not available on all file systems; XFS, BtrFS, and OCFS2 -currently support it.@footnote{The @command{--reflink} option creates +currently support it.@footnote{The @option{--reflink} option creates copies as sparse as the original. If reflink copying is not -available, @command{--sparse=always} should be used.} Fortunately you +available, @option{--sparse=always} should be used.} Fortunately you can install, say, an XFS file system @emph{inside an ordinary file} on some other file system, such as @code{ext4}.@footnote{See @url{https://www.usenix.org/system/files/login/articles/login_winter19_08_kelly.pdf}.} @@ -1200,6 +1201,9 @@ ``Markov'' script persistent. Volos provided and tested the advice on tuning OS parameters in @ref{Virtual Memory and Big Data}. Stan Park provided insights about virtual memory, file systems, and utilities. +Antonio Giovanni Colombo translated this manual +into Italian; see file @file{doc/it/pm-gawk.texi} in +the @gwk{} distribution tarball. @c ================================================================== @c ================================================================== @@ -1208,37 +1212,126 @@ @node Installation @appendix Installation -@c UPDATE below or remove this section if it's obsolete +@c UPDATE this section with every edition of the user manual -@gwk{} 5.2 featuring persistent memory is expected to be released in -September 2022; look for it at @url{http://ftp.gnu.org/gnu/gawk/}. If -5.2 is not released yet, the master git branch is available at -@c -@url{http://git.savannah.gnu.org/cgit/gawk.git/snapshot/gawk-master.tar.gz}. -@c +Users may obtain @pmg{} via software package management systems or via +manual installation. Each approach has pros and cons. + +@strong{Packages} @w{ } Delegating the chore of installation to +software package management systems, such as those associated with +major Linux distributions including Ubuntu and Fedora, is easier---in +theory. Software packages on some Linux distributions, however, lag +years behind the latest software releases. Therefore relatively new +features might be available only in ``upstream'' releases but not +``downstream'' packages. For example, as of February 2025 the +package-installed @gwk{} on Ubuntu Linux is pre-5.2 and therefore +lacks the persistence feature introduced in @gwk{} 5.2, which was +released way back in September 2022! If the first output line of +@code{gawk --version} shows 5.2 or later and ``@code{PMA},'' you've +got a @pmg{} that supports persistence; otherwise see ``Manual +Install'' below. + +@c TODO: Robbins patch with bugzilla below; it says PIE is wrong +@c (postponing this in Feb '25 because situation is in flux; +@c it's best to release updated manual when dust settles) + +Another problem with software installed by package managers is that +the software may have been compiled/built incorrectly. For example, +as of February 2025 the package-installed @gwk{} 5.3.0 on Fedora 41 +was incorrectly created as a position-independent executable (PIE), +despite the official @gwk{} distribution's build system very +deliberately and explicitly disabling PIE. The result, noted in +@ref{Quick Start}, is that @pmg{} crashes the second time it is +invoked. The details of the Fedora package bug, and remedies that are +works in progress as of early February 2025, are available at@* +@w{ } @w{ } @w{ } @w{ } @w{ } @w{ } @url{https://bugzilla.redhat.com/show_bug.cgi?id=2341653} @* +The @command{file} utility reveals whether @gwk{} was incorrectly +built. On Fedora 41, for example: +@verbatim + $ which gawk + /usr/bin/gawk + $ file /usr/bin/gawk + /usr/bin/gawk: ELF 64-bit LSB pie ... +@end verbatim +@noindent +That little word ``@code{pie}'' is likely to blame if your @pmg{} +crashes on the @emph{second} invocation. By default, PIEs run with +address-space layout randomization (ASLR), which @gwk{} 5.2 thru the +current 5.3.1 do not tolerate. + +(Note: The persistent memory allocator that enables persistent-memory +@gwk{}---the @code{pma} library---is perfectly compatible with PIE and +ASLR. The incompatibility of @gwk{} and ASLR arises from the +interpreter's internal data structures, which require that function +pointers be consistent across invocations. ASLR introduces gratuitous +inconsistencies into these pointers.) + +While we're waiting for an elegant and permanent fix for the Fedora 41 +PIE bug, we can use a klugey workaround: Run the @pmg{} interpreter +via @samp{setarch -R}, which disables ASLR despite the PIE. Here's +the first example from @ref{Quick Start}, first without the fix, then +with the fix: +@verbatim + $ truncate -s 4096000 heap.pma + $ export GAWK_PERSIST_FILE=heap.pma + $ gawk 'BEGIN{myvar = 47}' + $ gawk 'BEGIN{myvar += 7; print myvar}' + Segmentation fault (core dumped) # thanks to PIE + + $ rm -f heap.pma # discard heap from first try + $ truncate -s 4096000 heap.pma # start fresh + $ setarch -R gawk 'BEGIN{myvar = 47}' + $ setarch -R gawk 'BEGIN{myvar += 7; print myvar}' + 54 # success +@end verbatim +@noindent +You can define a shell alias to expand the familiar and ergonomic +@gwk{} into the cumbersome and verbose @samp{setarch -R gawk}. + +Alternatively, it might be possible to disable ASLR system-wide by +using @code{sysctl} to twiddle variables such as +@code{kernel.randomize_va_space}. I have not investigated such +measures, which should be used with caution. Fully understand the +implications of such a blunt system-wide change before making it. + +It's reasonable to expect that, in the normal course of events, +correctly built @pmg{} will eventually find its way into the default +package-installed @gwk{} on major GNU/Linux distros. Meanwhile, +manual installation is a fairly easy way to get a working @pmg{}. + +As of version 5.3.2 of @gwk{}, PIE vs.@: non-PIE builds are (or should +be) a non-issue. @gwk{} itself arranges to disable ASLR at runtime when +using persistent memory. + +@quotation NOTE +Apparently there are some systems where regular processes are not +allowed to disable ASLR. On such a system, the @emph{second} attempt to +run @gwk{} with a persistent backing store will fail. In such a case, +you can try building @gwk{} yourself as a non-PIE executable, or use a +different system. +@end quotation + +@strong{Manual Install} @w{ } Manually compiling @gwk{} from source +code in the latest upstream release gives you the most recent stable +version of @gwk{}, built in accordance with with the maintainer's +recipe, with no meddling by intermediaries. Therefore a manual +install won't suffer from bugs such as the PIE bug discussed above. +Download the latest release here:@* +@w{ } @w{ } @w{ } @w{ } @w{ } @w{ } @url{https://ftp.gnu.org/gnu/gawk/}@* +@w{ } @w{ } @w{ } @w{ } @w{ } @w{ } @url{https://ftp.gnu.org/gnu/gawk/gawk-5.3.2.tar.xz} + +Finally, for the ultimate in bleeding-edge upstream freshness, +adventurous do-it-yourselfers can grab the @command{git} master branch +from@* +@url{http://git.savannah.gnu.org/cgit/gawk.git/snapshot/gawk-master.tar.gz}@* Unpack the tarball, run @command{./bootstrap.sh}, @command{./configure}, @command{make}, and @command{make check}, then -try some of the examples presented earlier. In the normal course of -events, 5.2 and later @gwk{} releases featuring @pmg{} will appear in -the software package management systems of major GNU/Linux distros. -Eventually @pmg{} will be available in the default @gwk{} on such -systems. - -@c ADR comments on above, "run ./bootstrap.sh, ./configure ..." -@c TK replies: I haven't been doing this. Neither the README nor the -@c INSTALL in the gawk tarball mention bootstrap.sh. If it's -@c important, shouldn't they? The top of bootstrap.sh says its -@c purpose is "to avoid out-of-date issues in Git sandboxes." -@c When a neurodivergent source code control system requires us to -@c write shell scripts to work around the problems that it creates -@c gratuitously, the universe is trying to tell us something about -@c it. - -@c official gawk: -@c http://ftp.gnu.org/gnu/gawk/ [where to look for 5.2 after release] -@c https://www.skeeve.com/gawk/gawk-5.1.62.tar.gz [doesn't support persistent functions] -@c http://git.savannah.gnu.org/cgit/gawk.git/snapshot/gawk-master.tar.gz [if 5.2 isn't released yet] -@c http://git.savannah.gnu.org/cgit/gawk.git [ongoing development] +try some of the examples presented earlier. + +As of February 2025, @pmg{} is supported on most, but not all, major +Unix-like platforms. The @gwk{} build system decides whether to +include support for persistence; see the @gwk{} documentation and the file +@file{m4/pma.m4} in the @gwk{} distribution. @c ================================================================== @node Debugging @@ -1259,16 +1352,18 @@ the interpreter runs. See the discussion of initialization surrounding the min/max/mean script in @ref{Examples}. -If you suspect a persistence-related bug in @pmg{}, you can set -an environment variable that will cause its persistent heap module, -@code{pma}, to emit more verbose error messages; for details see the -main @gwk{} documentation. +If @pmg{} crashes on the @emph{second} invocation that uses a +particular heap file, see the discussion of PIE in @ref{Installation}. +If you suspect some other kind of persistence-related bug in @pmg{}, +you can set an environment variable that will cause its persistent +heap module, @code{pma}, to emit more verbose error messages; for +details see the main @gwk{} documentation. @c or the @code{pma} documentation at @c @url{http://web.eecs.umich.edu/~tpkelly/pma/}. Programmers: You can re-compile @gwk{} with assertions enabled, which will trigger extensive integrity checks within @code{pma}. Ensure -that @file{pma.c} is compiled @emph{without} the @code{-DNDEBUG} flag +that @file{pma.c} is compiled @emph{without} the @option{-DNDEBUG} flag when @command{make} builds @gwk{}. Run the resulting executable on small inputs, because the integrity checks can be very slow. If assertions fail, that likely indicates bugs somewhere in @pmg{}. Report such @@ -1277,7 +1372,6 @@ using, and try to provide a small and simple script that reliably reproduces the bug. -@page @c ================================================================== @node History @appendix History @@ -1288,7 +1382,7 @@ to trace the evolutionary paths that led to @code{pma} and @pmg{}. I wrote many AWK scripts during my dissertation research on Web -caching twenty years ago, most of which processed log files from Web +caching 25 years ago, most of which processed log files from Web servers and Web caches. Persistent @gwk{} would have made these scripts smaller, faster, and easier to write, but at the time I was unable even to imagine that @pmg{} is possible. So I wrote a lot of @@ -1323,7 +1417,7 @@ memory-mapped file always reflects the most recent successful @code{msync()} call, even in the presence of failures such as power outages and OS or application crashes. The original Linux kernel FAMS -prototype is described in a paper by Park et al. in EuroSys 2013. My +prototype is described in a paper by Park et al.@: in EuroSys 2013. My colleagues and I subsequently implemented FAMS in several different ways including in file systems (FAST 2015) and user-space libraries. My most recent FAMS implementation, which leverages the reflink @@ -1333,22 +1427,21 @@ (@url{https://queue.acm.org/detail.cfm?id=3487353}). In recent years my attention has returned to the advantages of -persistent memory programming, lately a hot topic thanks to the -commercial availability of byte-addressable non-volatile memory -hardware (which, confusingly, is nowadays marketed as ``persistent -memory''). The software abstraction of persistent memory and the -corresponding programming style, however, are perfectly compatible -with @emph{conventional} computers---machines with neither -non-volatile memory nor any other special hardware or software. I -wrote a few papers making this point, for example -@url{https://queue.acm.org/detail.cfm?id=3358957}. +persistent memory programming, which was a hot topic circa COVID +thanks to the fleeting commercial availability of byte-addressable +non-volatile memory hardware (Intel Optane, confusingly marketed as +``persistent memory''). The software abstraction of persistent memory +and the corresponding programming style, however, are perfectly +compatible with @emph{conventional} computers---machines with neither +non-volatile memory nor any other special hardware or software. +Several papers make this point, e.g., +@url{https://queue.acm.org/detail.cfm?id=3358957} In early 2022 I wrote a new stand-alone persistent memory allocator, @code{pma}, to make persistent memory programming easy on conventional hardware. The @code{pma} interface is compatible with @code{malloc()} and, unlike Ken's allocator, @code{pma} is not coupled to a particular -crash-tolerance mechanism. Using @code{pma} is easy and, at least to -some, enjoyable. +crash-tolerance mechanism. Using @code{pma} is easy and fun. Ken had been integrated into prototype forks of both the V8 JavaScript interpreter and a Scheme interpreter, so it was natural to consider @@ -1378,7 +1471,7 @@ @c open source offers more impact than research @c work with colleagues who Think Different from one another -@sp 2 +@c @sp 2 I enjoy several aspects of @pmg{}. It's unobtrusive; as you gain familiarity and experience, it fades into the background of your @@ -1386,7 +1479,7 @@ importantly it simplifies your scripts; much of its value is measured not in the code it enables you to write but rather in the code it lets you discard. It's all that I needed for my dissertation research -twenty years ago, and more. Anecdotally, it appears to inspire +25 years ago, and more. Anecdotally, it appears to inspire creativity in early adopters, who have devised uses that @pmg{}'s designers never anticipated. I'm curious to see what new purposes you find for it. diff -urN gawk-5.3.1/doc/rflashlight.svg gawk-5.3.2/doc/rflashlight.svg --- gawk-5.3.1/doc/rflashlight.svg 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/doc/rflashlight.svg 2025-03-09 13:13:49.000000000 +0200 @@ -0,0 +1,50 @@ + + + + + still image + image/svg+xml + Right flashlight icon + 2024 + https://git.savannah.gnu.org/cgit/gawk.git/tree/doc/rflashlight.eps + + Free Software Foundation, Inc. + https://www.gnu.org/licenses/fdl.html + + + + + + + + + + + + + + diff -urN gawk-5.3.1/doc/texinfo.tex gawk-5.3.2/doc/texinfo.tex --- gawk-5.3.1/doc/texinfo.tex 2024-09-16 08:54:27.000000000 +0300 +++ gawk-5.3.2/doc/texinfo.tex 2025-03-09 13:13:49.000000000 +0200 @@ -3,9 +3,9 @@ % Load plain if necessary, i.e., if running under initex. \expandafter\ifx\csname fmtname\endcsname\relax\input plain\fi % -\def\texinfoversion{2024-02-10.22} +\def\texinfoversion{2025-01-31.21} % -% Copyright 1985, 1986, 1988, 1990-2024 Free Software Foundation, Inc. +% Copyright 1985, 1986, 1988, 1990-2025 Free Software Foundation, Inc. % % This texinfo.tex file is free software: you can redistribute it and/or % modify it under the terms of the GNU General Public License as @@ -156,8 +156,9 @@ % Give the space character the catcode for a space. \def\spaceisspace{\catcode`\ =10\relax} -% Likewise for ^^M, the end of line character. -\def\endlineisspace{\catcode13=10\relax} +% Used to ignore an active newline that may appear immediately after +% a macro name. +{\catcode13=\active \gdef\ignoreactivenewline{\let^^M\empty}} \chardef\dashChar = `\- \chardef\slashChar = `\/ @@ -951,8 +952,16 @@ \let\setfilename=\comment % @bye. -\outer\def\bye{\chappager\pagelabels\tracingstats=1\ptexend} - +\outer\def\bye{% + \chappager\pagelabels + % possibly set in \printindex + \ifx\byeerror\relax\else\errmessage{\byeerror}\fi + \tracingstats=1\ptexend} + +% set in \donoderef below, but we need to define this here so that +% conditionals balance inside the large \ifpdf ... \fi blocks below. +\newif\ifnodeseen +\nodeseenfalse \message{pdf,} % adobe `portable' document format @@ -971,6 +980,11 @@ \newif\ifpdf \newif\ifpdfmakepagedest +\newif\ifluatex +\ifx\luatexversion\thisisundefined\else + \luatextrue +\fi + % % For LuaTeX % @@ -978,8 +992,7 @@ \newif\iftxiuseunicodedestname \txiuseunicodedestnamefalse % For pdfTeX etc. -\ifx\luatexversion\thisisundefined -\else +\ifluatex % Use Unicode destination names \txiuseunicodedestnametrue % Escape PDF strings with converting UTF-16 from UTF-8 @@ -1068,12 +1081,17 @@ \fi \fi +\newif\ifxetex +\ifx\XeTeXrevision\thisisundefined\else + \xetextrue +\fi + \newif\ifpdforxetex \pdforxetexfalse \ifpdf \pdforxetextrue \fi -\ifx\XeTeXrevision\thisisundefined\else +\ifxetex \pdforxetextrue \fi @@ -1163,58 +1181,90 @@ be supported due to the design of the PDF format; use regular TeX (DVI output) for that.)} +% definitions for pdftex or luatex with pdf output \ifpdf + % Strings in PDF outlines can either be ASCII, or encoded in UTF-16BE + % with BOM. Unfortunately there is no simple way with pdftex to output + % UTF-16, so we have to do some quite convoluted expansion games if we + % find the string contains a non-ASCII codepoint if we want these to + % display correctly. We generated the UTF-16 sequences in + % \DeclareUnicodeCharacter and we access them here. % - % Color manipulation macros using ideas from pdfcolor.tex, - % except using rgb instead of cmyk; the latter is said to render as a - % very dark gray on-screen and a very dark halftone in print, instead - % of actual black. The dark red here is dark enough to print on paper as - % nearly black, but still distinguishable for online viewing. We use - % black by default, though. - \def\rgbDarkRed{0.50 0.09 0.12} - \def\rgbBlack{0 0 0} + \def\defpdfoutlinetextunicode#1{% + \def\pdfoutlinetext{#1}% + % + % Make UTF-8 sequences expand to UTF-16 definitions. + \passthroughcharsfalse \utfbytespdftrue + \utfviiidefinedwarningfalse + % + % Completely expand, eliminating any control sequences such as \code, + % leaving only possibly \utfbytes. + \let\utfbytes\relax + \pdfaccentliterals + \xdef\pdfoutlinetextchecked{#1}% + \checkutfbytes + }% + % Check if \utfbytes occurs in expansion. + \def\checkutfbytes{% + \expandafter\checkutfbytesz\pdfoutlinetextchecked\utfbytes\finish + }% + \def\checkutfbytesz#1\utfbytes#2\finish{% + \def\after{#2}% + \ifx\after\empty + % No further action needed. Output ASCII string as-is, as converting + % to UTF-16 is somewhat slow (and uses more space). + \global\let\pdfoutlinetext\pdfoutlinetextchecked + \else + \passthroughcharstrue % pass UTF-8 sequences unaltered + \xdef\pdfoutlinetext{\pdfoutlinetext}% + \expandafter\expandutfsixteen\expandafter{\pdfoutlinetext}\pdfoutlinetext + \fi + }% % - % rg sets the color for filling (usual text, etc.); - % RG sets the color for stroking (thin rules, e.g., normal _'s). - \def\pdfsetcolor#1{\pdfliteral{#1 rg #1 RG}} + \catcode2=1 % begin-group character + \catcode3=2 % end-group character % - % Set color, and create a mark which defines \thiscolor accordingly, - % so that \makeheadline knows which color to restore. - \def\curcolor{0 0 0}% - \def\setcolor#1{% - \ifx#1\curcolor\else - \xdef\currentcolordefs{\gdef\noexpand\thiscolor{#1}}% - \domark - \pdfsetcolor{#1}% - \xdef\curcolor{#1}% - \fi - } + % argument should be pure UTF-8 with no control sequences. convert to + % UTF-16BE by inserting null bytes before bytes < 128 and expanding + % UTF-8 multibyte sequences to saved UTF-16BE sequences. + \def\expandutfsixteen#1#2{% + \bgroup \asciitounicode + \passthroughcharsfalse + \let\utfbytes\asis + % + % for Byte Order Mark (BOM) + \catcode"FE=12 + \catcode"FF=12 + % + % we want to treat { and } in #1 as any other ASCII bytes. however, + % we need grouping characters for \scantokens and definitions/assignments, + % so define alternative grouping characters using control characters + % that are unlikely to occur. + % this does not affect 0x02 or 0x03 bytes arising from expansion as + % these are tokens with different catcodes. + \catcode"02=1 % begin-group character + \catcode"03=2 % end-group character + % + \expandafter\xdef\expandafter#2\scantokens{% + ^^02^^fe^^ff#1^^03}% + % NB we need \scantokens to provide both the open and close group tokens + % for \xdef otherwise there is an e-TeX error "File ended while + % scanning definition of..." + % NB \scantokens is a e-TeX command which is assumed to be provided by + % pdfTeX. + % + \egroup + }% % - \let\maincolor\rgbBlack - \pdfsetcolor{\maincolor} - \edef\thiscolor{\maincolor} - \def\currentcolordefs{} + \catcode2=12 \catcode3=12 % defaults % - \def\makefootline{% - \baselineskip24pt - \line{\pdfsetcolor{\maincolor}\the\footline}% - } + % Color support % - \def\makeheadline{% - \vbox to 0pt{% - \vskip-22.5pt - \line{% - \vbox to8.5pt{}% - % Extract \thiscolor definition from the marks. - \getcolormarks - % Typeset the headline with \maincolor, then restore the color. - \pdfsetcolor{\maincolor}\the\headline\pdfsetcolor{\thiscolor}% - }% - \vss - }% - \nointerlineskip - } + % rg sets the color for filling (usual text, etc.); + % RG sets the color for stroking (thin rules, e.g., normal _'s). + \def\pdfsetcolor#1{\pdfliteral{#1 rg #1 RG}} % + % PDF outline support % \pdfcatalog{/PageMode /UseOutlines} % @@ -1311,18 +1361,15 @@ \def\pdfoutlinetext{#1}% \else \ifx \declaredencoding \utfeight - \ifx\luatexversion\thisisundefined - % For pdfTeX with UTF-8. - % TODO: the PDF format can use UTF-16 in bookmark strings, - % but the code for this isn't done yet. - % Use ASCII approximations. - \passthroughcharsfalse - \def\pdfoutlinetext{#1}% - \else + \ifluatex % For LuaTeX with UTF-8. % Pass through Unicode characters for title texts. \passthroughcharstrue - \def\pdfoutlinetext{#1}% + \pdfaccentliterals + \xdef\pdfoutlinetext{#1}% + \else + % For pdfTeX with UTF-8. + \defpdfoutlinetextunicode{#1}% \fi \else % For non-Latin-1 or non-UTF-8 encodings. @@ -1344,11 +1391,6 @@ % used to mark target names; must be expandable. \def\pdfmkpgn#1{#1} % - % by default, use black for everything. - \def\urlcolor{\rgbBlack} - \let\linkcolor\rgbBlack - \def\endlink{\setcolor{\maincolor}\pdfendlink} - % % Adding outlines to PDF; macros for calculating structure of outlines % come from Petr Olsak \def\expnumber#1{\expandafter\ifx\csname#1\endcsname\relax 0% @@ -1412,6 +1454,10 @@ \def\unnsecentry{\numsecentry}% \def\unnsubsecentry{\numsubsecentry}% \def\unnsubsubsecentry{\numsubsubsecentry}% + % + % Treat index initials like @section. Note that this is the wrong + % level if the index is not at the level of @appendix or @chapter. + \def\idxinitialentry{\numsecentry}% \readdatafile{toc}% % % Read toc second time, this time actually producing the outlines. @@ -1433,6 +1479,8 @@ \dopdfoutline{##1}{count-\expnumber{subsec##2}}{##3}{##4}}% \def\numsubsubsecentry##1##2##3##4{% count is always zero \dopdfoutline{##1}{}{##3}{##4}}% + \def\idxinitialentry##1##2##3##4{% + \dopdfoutline{##1}{}{idx.##1.##2}{##4}}% % % PDF outlines are displayed using system fonts, instead of % document fonts. Therefore we cannot use special characters, @@ -1446,6 +1494,7 @@ % we use for the index sort strings. % \indexnofonts + \ifnodeseen\else \dopdfoutlinecontents \fi % for @contents at beginning \setupdatafile % We can have normal brace characters in the PDF outlines, unlike % Texinfo index files. So set that up. @@ -1454,6 +1503,10 @@ \catcode`\\=\active \otherbackslash \input \tocreadfilename \endgroup + \ifnodeseen \dopdfoutlinecontents \fi % for @contents at end + } + \def\dopdfoutlinecontents{% + \expandafter\dopdfoutline\expandafter{\putwordTOC}{}{txi.CONTENTS}{}% } {\catcode`[=1 \catcode`]=2 \catcode`{=\other \catcode`}=\other @@ -1480,55 +1533,16 @@ \else \let \startlink \pdfstartlink \fi - % make a live url in pdf output. - \def\pdfurl#1{% - \begingroup - % it seems we really need yet another set of dummies; have not - % tried to figure out what each command should do in the context - % of @url. for now, just make @/ a no-op, that's the only one - % people have actually reported a problem with. - % - \normalturnoffactive - \def\@{@}% - \let\/=\empty - \makevalueexpandable - % do we want to go so far as to use \indexnofonts instead of just - % special-casing \var here? - \def\var##1{##1}% - % - \leavevmode\setcolor{\urlcolor}% - \startlink attr{/Border [0 0 0]}% - user{/Subtype /Link /A << /S /URI /URI (#1) >>}% - \endgroup} - % \pdfgettoks - Surround page numbers in #1 with @pdflink. #1 may - % be a simple number, or a list of numbers in the case of an index - % entry. - \def\pdfgettoks#1.{\setbox\boxA=\hbox{\toksA={#1.}\toksB={}\maketoks}} - \def\addtokens#1#2{\edef\addtoks{\noexpand#1={\the#1#2}}\addtoks} - \def\adn#1{\addtokens{\toksC}{#1}\global\countA=1\let\next=\maketoks} - \def\poptoks#1#2|ENDTOKS|{\let\first=#1\toksD={#1}\toksA={#2}} - \def\maketoks{% - \expandafter\poptoks\the\toksA|ENDTOKS|\relax - \ifx\first0\adn0 - \else\ifx\first1\adn1 \else\ifx\first2\adn2 \else\ifx\first3\adn3 - \else\ifx\first4\adn4 \else\ifx\first5\adn5 \else\ifx\first6\adn6 - \else\ifx\first7\adn7 \else\ifx\first8\adn8 \else\ifx\first9\adn9 - \else - \ifnum0=\countA\else\makelink\fi - \ifx\first.\let\next=\done\else - \let\next=\maketoks - \addtokens{\toksB}{\the\toksD} - \ifx\first,\addtokens{\toksB}{\space}\fi - \fi - \fi\fi\fi\fi\fi\fi\fi\fi\fi\fi - \next} - \def\makelink{\addtokens{\toksB}% - {\noexpand\pdflink{\the\toksC}}\toksC={}\global\countA=0} + \def\pdfmakeurl#1{% + \startlink attr{/Border [0 0 0]}% + user{/Subtype /Link /A << /S /URI /URI (#1) >>}% + }% + \def\endlink{\setcolor{\maincolor}\pdfendlink} + % \def\pdflink#1{\pdflinkpage{#1}{#1}}% \def\pdflinkpage#1#2{% \startlink attr{/Border [0 0 0]} goto name{\pdfmkpgn{#1}} \setcolor{\linkcolor}#2\endlink} - \def\done{\edef\st{\global\noexpand\toksA={\the\toksB}}\st} \else % non-pdf mode \let\pdfmkdest = \gobble @@ -1537,13 +1551,12 @@ \let\setcolor = \gobble \let\pdfsetcolor = \gobble \let\pdfmakeoutlines = \relax -\fi % \ifx\pdfoutput +\fi % % For XeTeX % -\ifx\XeTeXrevision\thisisundefined -\else +\ifxetex % % XeTeX version check % @@ -1569,45 +1582,8 @@ \fi % % Color support - % - \def\rgbDarkRed{0.50 0.09 0.12} - \def\rgbBlack{0 0 0} - % \def\pdfsetcolor#1{\special{pdf:scolor [#1]}} % - % Set color, and create a mark which defines \thiscolor accordingly, - % so that \makeheadline knows which color to restore. - \def\setcolor#1{% - \xdef\currentcolordefs{\gdef\noexpand\thiscolor{#1}}% - \domark - \pdfsetcolor{#1}% - } - % - \def\maincolor{\rgbBlack} - \pdfsetcolor{\maincolor} - \edef\thiscolor{\maincolor} - \def\currentcolordefs{} - % - \def\makefootline{% - \baselineskip24pt - \line{\pdfsetcolor{\maincolor}\the\footline}% - } - % - \def\makeheadline{% - \vbox to 0pt{% - \vskip-22.5pt - \line{% - \vbox to8.5pt{}% - % Extract \thiscolor definition from the marks. - \getcolormarks - % Typeset the headline with \maincolor, then restore the color. - \pdfsetcolor{\maincolor}\the\headline\pdfsetcolor{\thiscolor}% - }% - \vss - }% - \nointerlineskip - } - % % PDF outline support % % Emulate pdfTeX primitive @@ -1645,11 +1621,6 @@ \safewhatsit{\pdfdest name{\pdfdestname} xyz}% } % - % by default, use black for everything. - \def\urlcolor{\rgbBlack} - \def\linkcolor{\rgbBlack} - \def\endlink{\setcolor{\maincolor}\pdfendlink} - % \def\dopdfoutline#1#2#3#4{% \setpdfoutlinetext{#1} \setpdfdestname{#3} @@ -1663,7 +1634,6 @@ % \def\pdfmakeoutlines{% \begingroup - % % For XeTeX, counts of subentries are not necessary. % Therefore, we read toc only once. % @@ -1682,6 +1652,11 @@ \def\numsubsubsecentry##1##2##3##4{% \dopdfoutline{##1}{4}{##3}{##4}}% % + % Note this is at the wrong level unless the index is in an @appendix + % or @chapter. + \def\idxinitialentry##1##2##3##4{% + \dopdfoutline{##1}{2}{idx.##1.##2}{##4}}% + % \let\appentry\numchapentry% \let\appsecentry\numsecentry% \let\appsubsecentry\numsubsecentry% @@ -1696,15 +1671,23 @@ % Therefore, the encoding and the language may not be considered. % \indexnofonts + \pdfaccentliterals + \ifnodeseen\else \dopdfoutlinecontents \fi % for @contents at beginning + % \setupdatafile % We can have normal brace characters in the PDF outlines, unlike % Texinfo index files. So set that up. \def\{{\lbracecharliteral}% \def\}{\rbracecharliteral}% \catcode`\\=\active \otherbackslash - \input \tocreadfilename + \input \tocreadfilename\relax + \ifnodeseen \dopdfoutlinecontents \fi % for @contents at end \endgroup } + \def\dopdfoutlinecontents{% + \expandafter\dopdfoutline\expandafter + {\putwordTOC}{1}{txi.CONTENTS}{txi.CONTENTS}% + } {\catcode`[=1 \catcode`]=2 \catcode`{=\other \catcode`}=\other \gdef\lbracecharliteral[{]% @@ -1717,7 +1700,7 @@ % However, due to a UTF-16 conversion issue of xdvipdfmx 20150315, % ``\special{pdf:dest ...}'' cannot handle non-ASCII strings. % It is fixed by xdvipdfmx 20160106 (TeX Live SVN r39753). -% + % \def\skipspaces#1{\def\PP{#1}\def\D{|}% \ifx\PP\D\let\nextsp\relax \else\let\nextsp\skipspaces @@ -1732,55 +1715,17 @@ \edef\temp{#1}% \expandafter\skipspaces\temp|\relax } - % make a live url in pdf output. - \def\pdfurl#1{% - \begingroup - % it seems we really need yet another set of dummies; have not - % tried to figure out what each command should do in the context - % of @url. for now, just make @/ a no-op, that's the only one - % people have actually reported a problem with. - % - \normalturnoffactive - \def\@{@}% - \let\/=\empty - \makevalueexpandable - % do we want to go so far as to use \indexnofonts instead of just - % special-casing \var here? - \def\var##1{##1}% - % - \leavevmode\setcolor{\urlcolor}% - \special{pdf:bann << /Border [0 0 0] - /Subtype /Link /A << /S /URI /URI (#1) >> >>}% - \endgroup} + \def\pdfmakeurl#1{% + \special{pdf:bann << /Border [0 0 0] + /Subtype /Link /A << /S /URI /URI (#1) >> >>}% + } \def\endlink{\setcolor{\maincolor}\special{pdf:eann}} - \def\pdfgettoks#1.{\setbox\boxA=\hbox{\toksA={#1.}\toksB={}\maketoks}} - \def\addtokens#1#2{\edef\addtoks{\noexpand#1={\the#1#2}}\addtoks} - \def\adn#1{\addtokens{\toksC}{#1}\global\countA=1\let\next=\maketoks} - \def\poptoks#1#2|ENDTOKS|{\let\first=#1\toksD={#1}\toksA={#2}} - \def\maketoks{% - \expandafter\poptoks\the\toksA|ENDTOKS|\relax - \ifx\first0\adn0 - \else\ifx\first1\adn1 \else\ifx\first2\adn2 \else\ifx\first3\adn3 - \else\ifx\first4\adn4 \else\ifx\first5\adn5 \else\ifx\first6\adn6 - \else\ifx\first7\adn7 \else\ifx\first8\adn8 \else\ifx\first9\adn9 - \else - \ifnum0=\countA\else\makelink\fi - \ifx\first.\let\next=\done\else - \let\next=\maketoks - \addtokens{\toksB}{\the\toksD} - \ifx\first,\addtokens{\toksB}{\space}\fi - \fi - \fi\fi\fi\fi\fi\fi\fi\fi\fi\fi - \next} - \def\makelink{\addtokens{\toksB}% - {\noexpand\pdflink{\the\toksC}}\toksC={}\global\countA=0} \def\pdflink#1{\pdflinkpage{#1}{#1}}% \def\pdflinkpage#1#2{% \special{pdf:bann << /Border [0 0 0] /Type /Annot /Subtype /Link /A << /S /GoTo /D (#1) >> >>}% \setcolor{\linkcolor}#2\endlink} - \def\done{\edef\st{\global\noexpand\toksA={\the\toksB}}\st} -% + % % % @image support % @@ -1837,6 +1782,164 @@ } \fi +% common definitions and code for pdftex, luatex and xetex +\ifpdforxetex + % The dark red here is dark enough to print on paper as + % nearly black, but still distinguishable for online viewing. We use + % black by default, though. + \def\rgbDarkRed{0.50 0.09 0.12} + \def\rgbBlack{0 0 0} + % + % Set color, and create a mark which defines \thiscolor accordingly, + % so that \makeheadline knows which color to restore. + \def\curcolor{0 0 0}% + \def\setcolor#1{% + \ifx#1\curcolor\else + \xdef\currentcolordefs{\gdef\noexpand\thiscolor{#1}}% + \domark + \pdfsetcolor{#1}% + \xdef\curcolor{#1}% + \fi + } + % + \let\maincolor\rgbBlack + \pdfsetcolor{\maincolor} + \edef\thiscolor{\maincolor} + \def\currentcolordefs{} + % + \def\makefootline{% + \baselineskip24pt + \line{\pdfsetcolor{\maincolor}\the\footline}% + } + % + \def\makeheadline{% + \vbox to 0pt{% + \vskip-22.5pt + \line{% + \vbox to8.5pt{}% + % Extract \thiscolor definition from the marks. + \getcolormarks + % Typeset the headline with \maincolor, then restore the color. + \pdfsetcolor{\maincolor}\the\headline\pdfsetcolor{\thiscolor}% + }% + \vss + }% + \nointerlineskip + } + % + % by default, use black for everything. + \def\urlcolor{\rgbBlack} + \let\linkcolor\rgbBlack + % + % make a live url in pdf output. + \def\pdfurl#1{% + \begingroup + % it seems we really need yet another set of dummies; have not + % tried to figure out what each command should do in the context + % of @url. for now, just make @/ a no-op, that's the only one + % people have actually reported a problem with. + % + \normalturnoffactive + \def\@{@}% + \let\/=\empty + \makevalueexpandable + % do we want to go so far as to use \indexnofonts instead of just + % special-casing \var here? + \def\var##1{##1}% + % + \leavevmode\setcolor{\urlcolor}% + \pdfmakeurl{#1}% + \endgroup} + % + % \pdfgettoks - Surround page numbers in #1 with @pdflink. #1 may + % be a simple number, or a list of numbers in the case of an index + % entry. + \def\pdfgettoks#1.{\setbox\boxA=\hbox{\toksA={#1.}\toksB={}\maketoks}} + \def\addtokens#1#2{\edef\addtoks{\noexpand#1={\the#1#2}}\addtoks} + \def\adn#1{\addtokens{\toksC}{#1}\global\countA=1\let\next=\maketoks} + \def\poptoks#1#2|ENDTOKS|{\let\first=#1\toksD={#1}\toksA={#2}} + \def\maketoks{% + \expandafter\poptoks\the\toksA|ENDTOKS|\relax + \ifx\first0\adn0 + \else\ifx\first1\adn1 \else\ifx\first2\adn2 \else\ifx\first3\adn3 + \else\ifx\first4\adn4 \else\ifx\first5\adn5 \else\ifx\first6\adn6 + \else\ifx\first7\adn7 \else\ifx\first8\adn8 \else\ifx\first9\adn9 + \else + \ifnum0=\countA\else\makelink\fi + \ifx\first.\let\next=\done\else + \let\next=\maketoks + \addtokens{\toksB}{\the\toksD} + \ifx\first,\addtokens{\toksB}{\space}\fi + \fi + \fi\fi\fi\fi\fi\fi\fi\fi\fi\fi + \next} + \def\makelink{\addtokens{\toksB}% + {\noexpand\pdflink{\the\toksC}}\toksC={}\global\countA=0} + \def\done{\edef\st{\global\noexpand\toksA={\the\toksB}}\st} +\fi + +\ifpdforxetex + % for pdftex. + {\catcode`^^cc=13 + \gdef\pdfaccentliteralsutfviii{% + % For PDF outline only. Unicode combining accents follow the + % character they modify. Note we need at least the first byte + % of the UTF-8 sequences to have an active catcode to allow the + % definitions to do their magic. + \def\"##1{##1^^cc^^88}% U+0308 + \def\'##1{##1^^cc^^81}% U+0301 + \def\,##1{##1^^cc^^a7}% U+0327 + \def\=##1{##1^^cc^^85}% U+0305 + \def\^##1{##1^^cc^^82}% U+0302 + \def\`##1{##1^^cc^^80}% U+0300 + \def\~##1{##1^^cc^^83}% U+0303 + \def\dotaccent##1{##1^^cc^^87}% U+0307 + \def\H##1{##1^^cc^^8b}% U+030B + \def\ogonek##1{##1^^cc^^a8}% U+0328 + \def\ringaccent##1{##1^^cc^^8a}% U+030A + \def\u##1{##1^^cc^^8c}% U+0306 + \def\ubaraccent##1{##1^^cc^^b1}% U+0331 + \def\udotaccent##1{##1^^cc^^a3}% U+0323 + \def\v##1{##1^^cc^^8c}% U+030C + % this definition of @tieaccent will only work with exactly two characters + % in argument as we need to insert the combining character between them. + \def\tieaccent##1{\tieaccentz##1}% + \def\tieaccentz##1##2{##1^^cd^^a1##2} % U+0361 + }}% + % + % for xetex and luatex, which both support extended ^^^^ escapes and + % process the Unicode codepoint as a single token. + \gdef\pdfaccentliteralsnative{% + \def\"##1{##1^^^^0308}% + \def\'##1{##1^^^^0301}% + \def\,##1{##1^^^^0327}% + \def\=##1{##1^^^^0305}% + \def\^##1{##1^^^^0302}% + \def\`##1{##1^^^^0300}% + \def\~##1{##1^^^^0303}% + \def\dotaccent##1{##1^^^^0307}% + \def\H##1{##1^^^^030b}% + \def\ogonek##1{##1^^^^0328}% + \def\ringaccent##1{##1^^^^030a}% + \def\u##1{##1^^^^0306}% + \def\ubaraccent##1{##1^^^^0331}% + \def\udotaccent##1{##1^^^^0323}% + \def\v##1{##1^^^^030c}% + \def\tieaccent##1{\tieaccentz##1}% + \def\tieaccentz##1##2{##1^^^^0361##2} % U+0361 + }% + % + % use the appropriate definition + \ifluatex + \let\pdfaccentliterals\pdfaccentliteralsnative + \else + \ifxetex + \let\pdfaccentliterals\pdfaccentliteralsnative + \else + \let\pdfaccentliterals\pdfaccentliteralsutfviii + \fi + \fi +\fi % \message{fonts,} @@ -2768,15 +2871,15 @@ % @cite unconditionally uses \sl with \smartitaliccorrection. \def\cite#1{{\sl #1}\smartitaliccorrection} -% @var unconditionally uses \sl. This gives consistency for -% parameter names whether they are in @def, @table @code or a -% regular paragraph. -% To get ttsl font for @var when used in code context, @set txicodevaristt. -% The \null is to reset \spacefactor. +% By default, use ttsl font for @var when used in code context. +% To unconditionally use \sl for @var, @clear txicodevaristt. This +% gives consistency for parameter names whether they are in @def, +% @table @code or a regular paragraph. \def\aftersmartic{} \def\var#1{% \let\saveaftersmartic = \aftersmartic \def\aftersmartic{\null\let\aftersmartic=\saveaftersmartic}% + % The \null is to reset \spacefactor. % \ifflagclear{txicodevaristt}% {\def\varnext{{{\sl #1}}\smartitaliccorrection}}% @@ -2784,7 +2887,6 @@ \varnext } -% To be removed after next release \def\SETtxicodevaristt{}% @set txicodevaristt \let\i=\smartitalic @@ -2804,7 +2906,7 @@ \def\ii#1{{\it #1}} % italic font % @b, explicit bold. Also @strong. -\def\b#1{{\bf #1}} +\def\b#1{{\bf \defcharsdefault #1}} \let\strong=\b % @sansserif, explicit sans. @@ -3035,9 +3137,7 @@ \unhbox0\ (\urefcode{#1})% \fi \else - \ifx\XeTeXrevision\thisisundefined - \unhbox0\ (\urefcode{#1})% DVI, always show arg and url - \else + \ifxetex % For XeTeX \ifurefurlonlylink % PDF plus option to not display url, show just arg @@ -3047,6 +3147,8 @@ % visibility, if the pdf is eventually used to print, etc. \unhbox0\ (\urefcode{#1})% \fi + \else + \unhbox0\ (\urefcode{#1})% DVI, always show arg and url \fi \fi \else @@ -3126,11 +3228,12 @@ % at the end of the line, or no break at all here. % Changing the value of the penalty and/or the amount of stretch affects how % preferable one choice is over the other. +% Check test cases in doc/texinfo-tex-test.texi before making any changes. \def\urefallowbreak{% \penalty0\relax - \hskip 0pt plus 2 em\relax + \hskip 0pt plus 3 em\relax \penalty1000\relax - \hskip 0pt plus -2 em\relax + \hskip 0pt plus -3 em\relax } \urefbreakstyle after @@ -3665,15 +3768,24 @@ {\font\thisecfont = #1ctt\ecsize \space at \nominalsize}% % else {\ifx\curfontstyle\bfstylename - % bold: - \font\thisecfont = #1cb\ifusingit{i}{x}\ecsize \space at \nominalsize + \etcfontbold{#1}% \else - % regular: - \font\thisecfont = #1c\ifusingit{ti}{rm}\ecsize \space at \nominalsize + \ifrmisbold + \etcfontbold{#1}% + \else + % regular: + \font\thisecfont = #1c\ifusingit{ti}{rm}\ecsize \space + at \nominalsize + \fi \fi}% \thisecfont } +\def\etcfontbold#1{% + % bold: + \font\thisecfont = #1cb\ifusingit{i}{x}\ecsize \space at \nominalsize +} + % @registeredsymbol - R in a circle. The font for the R should really % be smaller yet, but lllsize is the best we can do for now. % Adapted from the plain.tex definition of \copyright. @@ -5438,6 +5550,9 @@ \closein 1 \endgroup} +% Checked in @bye +\let\byeerror\relax + % If the index file starts with a backslash, forgo reading the index % file altogether. If somebody upgrades texinfo.tex they may still have % old index files using \ as the escape character. Reading this would @@ -5446,7 +5561,9 @@ \ifflagclear{txiindexescapeisbackslash}{% \uccode`\~=`\\ \uppercase{\if\noexpand~}\noexpand#1 \ifflagclear{txiskipindexfileswithbackslash}{% -\errmessage{% + % Delay the error message until the very end to give a chance + % for the whole index to be output as input for texindex. + \global\def\byeerror{% ERROR: A sorted index file in an obsolete format was skipped. To fix this problem, please upgrade your version of 'texi2dvi' or 'texi2pdf' to that at . @@ -5518,7 +5635,6 @@ \def\initial{% \bgroup - \initialglyphs \initialx } @@ -5541,7 +5657,10 @@ % % No shrink because it confuses \balancecolumns. \vskip 1.67\baselineskip plus 1\baselineskip - \leftline{\secfonts \kern-0.05em \secbf #1}% + \doindexinitialentry{#1}% + \initialglyphs + \leftline{% + \secfonts \kern-0.05em \secbf #1}% % \secfonts is inside the argument of \leftline so that the change of % \baselineskip will not affect any glue inserted before the vbox that % \leftline creates. @@ -5551,6 +5670,32 @@ \egroup % \initialglyphs } +\def\doindexinitialentry#1{% + \ifpdforxetex + \global\advance\idxinitialno by 1 + \def\indexlbrace{\{} + \def\indexrbrace{\}} + \def\indexbackslash{\realbackslash} + \def\indexatchar{\@} + \writetocentry{idxinitial}{\asis #1}{IDX\the\idxinitialno}% + % The @asis removes a pair of braces around e.g. {@indexatchar} that + % are output by texindex. + % + \vbox to 0pt{}% + % This vbox fixes the \pdfdest location for double column formatting. + % Without it, the \pdfdest is output above topskip glue at the top + % of a column as this glue is not added until the first box. + \pdfmkdest{idx.\asis #1.IDX\the\idxinitialno}% + \fi +} + +% No listing in TOC +\def\idxinitialentry#1#2#3#4{} + +% For index initials. +\newcount\idxinitialno \idxinitialno=1 + + \newdimen\entryrightmargin \entryrightmargin=0pt @@ -5567,7 +5712,7 @@ % \entry typesets a paragraph consisting of the text (#1), dot leaders, and % then page number (#2) flushed to the right margin. It is used for index % and table of contents entries. The paragraph is indented by \leftskip. -% +% If \tocnodetarget is set, link text to the referenced node. \def\entry{% \begingroup % @@ -5608,7 +5753,13 @@ \global\setbox\boxA=\hbox\bgroup \ifpdforxetex \iflinkentrytext - \pdflinkpage{#1}{\unhbox\boxA}% + \ifx\tocnodetarget\empty + \unhbox\boxA + \else + \startxreflink{\tocnodetarget}{}% + \unhbox\boxA + \endlink + \fi \else \unhbox\boxA \fi @@ -5625,11 +5776,18 @@ % \null\nobreak\indexdotfill % Have leaders before the page number. % + \hskip\skip\thinshrinkable \ifpdforxetex - \pdfgettoks#1.% - \hskip\skip\thinshrinkable\the\toksA + \ifx\tocnodetarget\empty + \pdfgettoks#1.% + \the\toksA + \else + % Should just be a single page number in toc + \startxreflink{\tocnodetarget}{}% + #1\endlink + \fi \else - \hskip\skip\thinshrinkable #1% + #1% \fi \fi \egroup % end \boxA @@ -6759,12 +6917,13 @@ % Prepare to read what we've written to \tocfile. % -\def\startcontents#1{% +\def\startcontents#1#2{% % If @setchapternewpage on, and @headings double, the contents should % start on an odd page, unlike chapters. \contentsalignmacro \immediate\closeout\tocfile % + #2% % Don't need to put `Contents' or `Short Contents' in the headline. % It is abundantly clear what they are. \chapmacro{#1}{Yomitfromtoc}{}% @@ -6795,7 +6954,7 @@ % Normal (long) toc. % \def\contents{% - \startcontents{\putwordTOC}% + \startcontents{\putwordTOC}{\contentsmkdest}% \openin 1 \tocreadfilename\space \ifeof 1 \else \findsecnowidths @@ -6811,9 +6970,13 @@ \contentsendroman } +\def\contentsmkdest{% + \pdfmkdest{txi.CONTENTS}% +} + % And just the chapters. \def\summarycontents{% - \startcontents{\putwordShortTOC}% + \startcontents{\putwordShortTOC}{}% % \let\partentry = \shortpartentry \let\numchapentry = \shortchapentry @@ -6892,7 +7055,7 @@ \vskip 0pt plus 5\baselineskip \penalty-300 \vskip 0pt plus -5\baselineskip - \dochapentry{#1}{\numeralbox}{}% + \dochapentry{#1}{\numeralbox}{#3}{}% } % % Parts, in the short toc. @@ -6905,12 +7068,12 @@ % Chapters, in the main contents. \def\numchapentry#1#2#3#4{% \retrievesecnowidth\secnowidthchap{#2}% - \dochapentry{#1}{#2}{#4}% + \dochapentry{#1}{#2}{#3}{#4}% } % Chapters, in the short toc. \def\shortchapentry#1#2#3#4{% - \tocentry{#1}{\shortchaplabel{#2}}{#4}% + \tocentry{#1}{\shortchaplabel{#2}}{#3}{#4}% } % Appendices, in the main contents. @@ -6923,79 +7086,77 @@ % \def\appentry#1#2#3#4{% \retrievesecnowidth\secnowidthchap{#2}% - \dochapentry{\appendixbox{#2}\hskip.7em#1}{}{#4}% + \dochapentry{\appendixbox{#2}\hskip.7em#1}{}{#3}{#4}% } % Unnumbered chapters. -\def\unnchapentry#1#2#3#4{\dochapentry{#1}{}{#4}} -\def\shortunnchapentry#1#2#3#4{\tocentry{#1}{}{#4}} +\def\unnchapentry#1#2#3#4{\dochapentry{#1}{}{#3}{#4}} +\def\shortunnchapentry#1#2#3#4{\tocentry{#1}{}{#3}{#4}} % Sections. -\def\numsecentry#1#2#3#4{\dosecentry{#1}{#2}{#4}} - \def\numsecentry#1#2#3#4{% \retrievesecnowidth\secnowidthsec{#2}% - \dosecentry{#1}{#2}{#4}% + \dosecentry{#1}{#2}{#3}{#4}% } \let\appsecentry=\numsecentry \def\unnsecentry#1#2#3#4{% \retrievesecnowidth\secnowidthsec{#2}% - \dosecentry{#1}{}{#4}% + \dosecentry{#1}{}{#3}{#4}% } % Subsections. \def\numsubsecentry#1#2#3#4{% \retrievesecnowidth\secnowidthssec{#2}% - \dosubsecentry{#1}{#2}{#4}% + \dosubsecentry{#1}{#2}{#3}{#4}% } \let\appsubsecentry=\numsubsecentry \def\unnsubsecentry#1#2#3#4{% \retrievesecnowidth\secnowidthssec{#2}% - \dosubsecentry{#1}{}{#4}% + \dosubsecentry{#1}{}{#3}{#4}% } % And subsubsections. -\def\numsubsubsecentry#1#2#3#4{\dosubsubsecentry{#1}{#2}{#4}} +\def\numsubsubsecentry#1#2#3#4{\dosubsubsecentry{#1}{#2}{#3}{#4}} \let\appsubsubsecentry=\numsubsubsecentry -\def\unnsubsubsecentry#1#2#3#4{\dosubsubsecentry{#1}{}{#4}} +\def\unnsubsubsecentry#1#2#3#4{\dosubsubsecentry{#1}{}{#3}{#4}} % This parameter controls the indentation of the various levels. % Same as \defaultparindent. \newdimen\tocindent \tocindent = 15pt % Now for the actual typesetting. In all these, #1 is the text, #2 is -% a section number if present, and #3 is the page number. +% a section number if present, #3 is the node, and #4 is the page number. % % If the toc has to be broken over pages, we want it to be at chapters % if at all possible; hence the \penalty. -\def\dochapentry#1#2#3{% +\def\dochapentry#1#2#3#4{% \penalty-300 \vskip1\baselineskip plus.33\baselineskip minus.25\baselineskip \begingroup % Move the page numbers slightly to the right \advance\entryrightmargin by -0.05em \chapentryfonts \extrasecnoskip=0.4em % separate chapter number more - \tocentry{#1}{#2}{#3}% + \tocentry{#1}{#2}{#3}{#4}% \endgroup \nobreak\vskip .25\baselineskip plus.1\baselineskip } -\def\dosecentry#1#2#3{\begingroup +\def\dosecentry#1#2#3#4{\begingroup \secnowidth=\secnowidthchap \secentryfonts \leftskip=\tocindent - \tocentry{#1}{#2}{#3}% + \tocentry{#1}{#2}{#3}{#4}% \endgroup} -\def\dosubsecentry#1#2#3{\begingroup +\def\dosubsecentry#1#2#3#4{\begingroup \secnowidth=\secnowidthsec \subsecentryfonts \leftskip=2\tocindent - \tocentry{#1}{#2}{#3}% + \tocentry{#1}{#2}{#3}{#4}% \endgroup} -\def\dosubsubsecentry#1#2#3{\begingroup +\def\dosubsubsecentry#1#2#3#4{\begingroup \secnowidth=\secnowidthssec \subsubsecentryfonts \leftskip=3\tocindent - \tocentry{#1}{#2}{#3}% + \tocentry{#1}{#2}{#3}{#4}% \endgroup} % Used for the maximum width of a section number so we can align @@ -7005,12 +7166,15 @@ \newdimen\extrasecnoskip \extrasecnoskip=0pt -% \tocentry{TITLE}{SEC NO}{PAGE} +\let\tocnodetarget\empty + +% \tocentry{TITLE}{SEC NO}{NODE}{PAGE} % -\def\tocentry#1#2#3{% +\def\tocentry#1#2#3#4{% + \def\tocnodetarget{#3}% \def\secno{#2}% \ifx\empty\secno - \entry{#1}{#3}% + \entry{#1}{#4}% \else \ifdim 0pt=\secnowidth \setbox0=\hbox{#2\hskip\labelspace\hskip\extrasecnoskip}% @@ -7021,7 +7185,7 @@ #2\hskip\labelspace\hskip\extrasecnoskip\hfill}% \fi \entrycontskip=\wd0 - \entry{\box0 #1}{#3}% + \entry{\box0 #1}{#4}% \fi } \newdimen\labelspace @@ -7901,7 +8065,7 @@ {\rm\enskip}% hskip 0.5 em of \rmfont }{}% % - \boldbrax + \parenbrackglyphs % arguments will be output next, if any. } @@ -7911,7 +8075,10 @@ \def\^^M{}% for line continuation \df \ifdoingtypefn \tt \else \sl \fi \ifflagclear{txicodevaristt}{}% - {\def\var##1{{\setregularquotes \ttsl ##1}}}% + % use \ttsl for @var in both @def* and @deftype*. + % the kern prevents an italic correction at end, which appears + % too much for ttsl. + {\def\var##1{{\setregularquotes \ttsl ##1\kern 0pt }}}% #1% \egroup } @@ -7928,8 +8095,9 @@ \let\lparen = ( \let\rparen = ) % Be sure that we always have a definition for `(', etc. For example, -% if the fn name has parens in it, \boldbrax will not be in effect yet, -% so TeX would otherwise complain about undefined control sequence. +% if the fn name has parens in it, \parenbrackglyphs will not be in +% effect yet, so TeX would otherwise complain about undefined control +% sequence. { \activeparens \gdef\defcharsdefault{% @@ -7939,49 +8107,28 @@ } \globaldefs=1 \defcharsdefault - \gdef\boldbrax{\let(=\opnr\let)=\clnr\let[=\lbrb\let]=\rbrb} + \gdef\parenbrackglyphs{\let(=\opnr\let)=\cpnr\let[=\lbrb\let]=\rbrb} \gdef\magicamp{\let&=\amprm} } \let\ampchar\& -\newcount\parencount - -% If we encounter &foo, then turn on ()-hacking afterwards -\newif\ifampseen -\def\amprm#1 {\ampseentrue{\rm\ }} - -\def\parenfont{% - \ifampseen - % At the first level, print parens in roman, - % otherwise use the default font. - \ifnum \parencount=1 \rm \fi - \else - % The \sf parens (in \boldbrax) actually are a little bolder than - % the contained text. This is especially needed for [ and ] . - \sf - \fi -} -\def\infirstlevel#1{% - \ifampseen - \ifnum\parencount=1 - #1% - \fi - \fi -} -\def\bfafterword#1 {#1 \bf} +\def\amprm#1 {{\rm\ }} +\newcount\parencount +% opening and closing parentheses in roman font \def\opnr{% + \ptexslash % italic correction \global\advance\parencount by 1 - {\parenfont(}% - \infirstlevel \bfafterword + {\sf(}% } -\def\clnr{% - {\parenfont)}% - \infirstlevel \sl +\def\cpnr{% + \ptexslash % italic correction + {\sf)}% \global\advance\parencount by -1 } \newcount\brackcount +% left and right square brackets in bold font \def\lbrb{% \global\advance\brackcount by 1 {\bf[}% @@ -8511,7 +8658,7 @@ \expandafter\xdef\csname\the\macname\endcsname{% \begingroup \noexpand\spaceisspace - \noexpand\endlineisspace + \noexpand\ignoreactivenewline \noexpand\expandafter % skip any whitespace after the macro name. \expandafter\noexpand\csname\the\macname @@@\endcsname}% \expandafter\xdef\csname\the\macname @@@\endcsname{% @@ -8812,8 +8959,13 @@ \ifx\lastnode\empty\else \setref{\lastnode}{#1}% \global\let\lastnode=\empty + \setnodeseenonce \fi } +\def\setnodeseenonce{ + \global\nodeseentrue + \let\setnodeseenonce\relax +} % @nodedescription, @nodedescriptionblock - do nothing for TeX \parseargdef\nodedescription{} @@ -9551,7 +9703,9 @@ % For pdfTeX and LuaTeX <= 0.80 \dopdfimage{#1}{#2}{#3}% \else - \ifx\XeTeXrevision\thisisundefined + \ifxetex + \doxeteximage{#1}{#2}{#3}% + \else % For epsf.tex % \epsfbox itself resets \epsf?size at each figure. \setbox0 = \hbox{\ignorespaces #2}% @@ -9559,9 +9713,6 @@ \setbox0 = \hbox{\ignorespaces #3}% \ifdim\wd0 > 0pt \epsfysize=#3\relax \fi \epsfbox{#1.eps}% - \else - % For XeTeX - \doxeteximage{#1}{#2}{#3}% \fi \fi % @@ -9907,25 +10058,24 @@ \newif\iftxinativeunicodecapable \newif\iftxiusebytewiseio -\ifx\XeTeXrevision\thisisundefined - \ifx\luatexversion\thisisundefined - \txinativeunicodecapablefalse - \txiusebytewiseiotrue - \else +\ifxetex + \txinativeunicodecapabletrue + \txiusebytewiseiofalse +\else + \ifluatex \txinativeunicodecapabletrue \txiusebytewiseiofalse + \else + \txinativeunicodecapablefalse + \txiusebytewiseiotrue \fi -\else - \txinativeunicodecapabletrue - \txiusebytewiseiofalse \fi % Set I/O by bytes instead of UTF-8 sequence for XeTeX and LuaTex % for non-UTF-8 (byte-wise) encodings. % \def\setbytewiseio{% - \ifx\XeTeXrevision\thisisundefined - \else + \ifxetex \XeTeXdefaultencoding "bytes" % For subsequent files to be read \XeTeXinputencoding "bytes" % For document root file % Unfortunately, there seems to be no corresponding XeTeX command for @@ -9934,8 +10084,7 @@ % place of non-ASCII characters. \fi - \ifx\luatexversion\thisisundefined - \else + \ifluatex \directlua{ local utf8_char, byte, gsub = unicode.utf8.char, string.byte, string.gsub local function convert_char (char) @@ -10044,8 +10193,7 @@ \fi % lattwo \fi % ascii % - \ifx\XeTeXrevision\thisisundefined - \else + \ifxetex \ifx \declaredencoding \utfeight \else \ifx \declaredencoding \ascii @@ -10328,11 +10476,15 @@ \gdef\UTFviiiDefined#1{% \ifx #1\relax - \message{\linenumber Unicode char \string #1 not defined for Texinfo}% + \ifutfviiidefinedwarning + \message{\linenumber Unicode char \string #1 not defined for Texinfo}% + \fi \else \expandafter #1% \fi } +\newif\ifutfviiidefinedwarning +\utfviiidefinedwarningtrue % Give non-ASCII bytes the active definitions for processing UTF-8 sequences \begingroup @@ -10342,8 +10494,8 @@ % Loop from \countUTFx to \countUTFy, performing \UTFviiiTmp % substituting ~ and $ with a character token of that value. - \def\UTFviiiLoop{% - \global\catcode\countUTFx\active + \gdef\UTFviiiLoop{% + \catcode\countUTFx\active \uccode`\~\countUTFx \uccode`\$\countUTFx \uppercase\expandafter{\UTFviiiTmp}% @@ -10351,7 +10503,7 @@ \ifnum\countUTFx < \countUTFy \expandafter\UTFviiiLoop \fi} - + % % For bytes other than the first in a UTF-8 sequence. Not expected to % be expanded except when writing to auxiliary files. \countUTFx = "80 @@ -10385,6 +10537,16 @@ \else\expandafter\UTFviiiFourOctets\expandafter$\fi }}% \UTFviiiLoop + % + % for pdftex only, used to expand ASCII to UTF-16BE. + \gdef\asciitounicode{% + \countUTFx = "20 + \countUTFy = "80 + \def\UTFviiiTmp{% + \def~{\nullbyte $}}% + \UTFviiiLoop + } + {\catcode0=11 \gdef\nullbyte{^^00}}% \endgroup \def\globallet{\global\let} % save some \expandafter's below @@ -10409,8 +10571,8 @@ \fi } -% These macros are used here to construct the name of a control -% sequence to be defined. +% These macros are used here to construct the names of macros +% that expand to the definitions for UTF-8 sequences. \def\UTFviiiTwoOctetsName#1#2{% \csname u8:#1\string #2\endcsname}% \def\UTFviiiThreeOctetsName#1#2#3{% @@ -10418,6 +10580,35 @@ \def\UTFviiiFourOctetsName#1#2#3#4{% \csname u8:#1\string #2\string #3\string #4\endcsname}% +% generate UTF-16 from codepoint +\def\utfsixteentotoks#1#2{% + \countUTFz = "#2\relax + \ifnum \countUTFz > 65535 + % doesn't work for codepoints > U+FFFF + % we don't define glyphs for any of these anyway, so it doesn't matter + #1={U+#2}% + \else + \countUTFx = \countUTFz + \divide\countUTFx by 256 + \countUTFy = \countUTFx + \multiply\countUTFx by 256 + \advance\countUTFz by -\countUTFx + \uccode`,=\countUTFy + \uccode`;=\countUTFz + \ifnum\countUTFy = 0 + \uppercase{#1={\nullbyte\string;}}% + \else\ifnum\countUTFz = 0 + \uppercase{#1={\string,\nullbyte}}% + \else + \uppercase{#1={\string,\string;}}% + \fi\fi + % NB \uppercase cannot insert a null byte + \fi +} + +\newif\ifutfbytespdf +\utfbytespdffalse + % For UTF-8 byte sequences (TeX, e-TeX and pdfTeX), % provide a definition macro to replace a Unicode character; % this gets used by the @U command @@ -10434,18 +10625,22 @@ \countUTFz = "#1\relax \begingroup \parseXMLCharref - - % Give \u8:... its definition. The sequence of seven \expandafter's - % expands after the \gdef three times, e.g. % + % Completely expand \UTFviiiTmp, which looks like: % 1. \UTFviiTwoOctetsName B1 B2 % 2. \csname u8:B1 \string B2 \endcsname % 3. \u8: B1 B2 (a single control sequence token) + \xdef\UTFviiiTmp{\UTFviiiTmp}% % - \expandafter\expandafter - \expandafter\expandafter - \expandafter\expandafter - \expandafter\gdef \UTFviiiTmp{#2}% + \ifpdf + \toksA={#2}% + \utfsixteentotoks\toksB{#1}% + \expandafter\xdef\UTFviiiTmp{% + \noexpand\ifutfbytespdf\noexpand\utfbytes{\the\toksB}% + \noexpand\else\the\toksA\noexpand\fi}% + \else + \expandafter\gdef\UTFviiiTmp{#2}% + \fi % \expandafter\ifx\csname uni:#1\endcsname \relax \else \message{Internal error, already defined: #1}% @@ -10455,8 +10650,9 @@ \expandafter\globallet\csname uni:#1\endcsname \UTFviiiTmp \endgroup} % - % Given the value in \countUTFz as a Unicode code point, set \UTFviiiTmp - % to the corresponding UTF-8 sequence. + % Given the value in \countUTFz as a Unicode code point, set + % \UTFviiiTmp to one of the \UTVviii*OctetsName macros followed by + % the corresponding UTF-8 sequence. \gdef\parseXMLCharref{% \ifnum\countUTFz < "20\relax \errhelp = \EMsimple @@ -10515,6 +10711,16 @@ \catcode"#1=\other } +% Suppress ligature creation from adjacent characters. +\ifluatex + \def\nolig{{}} +\else + % Braces do not suppress ligature creation in LuaTeX, e.g. in of{}fice + % to suppress the "ff" ligature. Using a kern appears to be the only + % workaround. + \def\nolig{\kern0pt{}} +\fi + % https://en.wikipedia.org/wiki/Plane_(Unicode)#Basic_M % U+0000..U+007F = https://en.wikipedia.org/wiki/Basic_Latin_(Unicode_block) % U+0080..U+00FF = https://en.wikipedia.org/wiki/Latin-1_Supplement_(Unicode_block) @@ -11132,8 +11338,8 @@ % Punctuation \DeclareUnicodeCharacter{2013}{--}% \DeclareUnicodeCharacter{2014}{---}% - \DeclareUnicodeCharacter{2018}{\quoteleft{}}% - \DeclareUnicodeCharacter{2019}{\quoteright{}}% + \DeclareUnicodeCharacter{2018}{\quoteleft\nolig}% + \DeclareUnicodeCharacter{2019}{\quoteright\nolig}% \DeclareUnicodeCharacter{201A}{\quotesinglbase{}}% \DeclareUnicodeCharacter{201C}{\quotedblleft{}}% \DeclareUnicodeCharacter{201D}{\quotedblright{}}% @@ -11168,7 +11374,7 @@ \DeclareUnicodeCharacter{2287}{\ensuremath\supseteq}% % \DeclareUnicodeCharacter{2016}{\ensuremath\Vert}% - \DeclareUnicodeCharacter{2032}{\ensuremath\prime}% + \DeclareUnicodeCharacter{2032}{\ensuremath{^\prime}}% \DeclareUnicodeCharacter{210F}{\ensuremath\hbar}% \DeclareUnicodeCharacter{2111}{\ensuremath\Im}% \DeclareUnicodeCharacter{2113}{\ensuremath\ell}% @@ -11291,6 +11497,25 @@ % \global\mathchardef\checkmark="1370% actually the square root sign \DeclareUnicodeCharacter{2713}{\ensuremath\checkmark}% + % + % These are all the combining accents. We need these empty definitions + % at present for the sake of PDF outlines. + \DeclareUnicodeCharacter{0300}{}% + \DeclareUnicodeCharacter{0301}{}% + \DeclareUnicodeCharacter{0302}{}% + \DeclareUnicodeCharacter{0303}{}% + \DeclareUnicodeCharacter{0305}{}% + \DeclareUnicodeCharacter{0306}{}% + \DeclareUnicodeCharacter{0307}{}% + \DeclareUnicodeCharacter{0308}{}% + \DeclareUnicodeCharacter{030A}{}% + \DeclareUnicodeCharacter{030B}{}% + \DeclareUnicodeCharacter{030C}{}% + \DeclareUnicodeCharacter{0323}{}% + \DeclareUnicodeCharacter{0327}{}% + \DeclareUnicodeCharacter{0328}{}% + \DeclareUnicodeCharacter{0331}{}% + \DeclareUnicodeCharacter{0361}{}% }% end of \unicodechardefs % UTF-8 byte sequence (pdfTeX) definitions (replacing and @U command) @@ -11429,12 +11654,12 @@ \pdfhorigin = 1 true in \pdfvorigin = 1 true in \else - \ifx\XeTeXrevision\thisisundefined - \special{papersize=#8,#7}% - \else + \ifxetex \pdfpageheight #7\relax \pdfpagewidth #8\relax % XeTeX does not have \pdfhorigin and \pdfvorigin. + \else + \special{papersize=#8,#7}% \fi \fi % @@ -11634,21 +11859,21 @@ #1#2#3=\countB\relax } -\ifx\XeTeXrevision\thisisundefined - \ifx\luatexversion\thisisundefined +\ifxetex % XeTeX + \mtsetprotcode\textrm + \def\mtfontexpand#1{} +\else + \ifluatex % LuaTeX + \mtsetprotcode\textrm + \def\mtfontexpand#1{\expandglyphsinfont#1 20 20 1\relax} + \else \ifpdf % pdfTeX \mtsetprotcode\textrm \def\mtfontexpand#1{\pdffontexpand#1 20 20 1 autoexpand\relax} \else % TeX \def\mtfontexpand#1{} \fi - \else % LuaTeX - \mtsetprotcode\textrm - \def\mtfontexpand#1{\expandglyphsinfont#1 20 20 1\relax} \fi -\else % XeTeX - \mtsetprotcode\textrm - \def\mtfontexpand#1{} \fi @@ -11657,18 +11882,18 @@ \def\microtypeON{% \microtypetrue % - \ifx\XeTeXrevision\thisisundefined - \ifx\luatexversion\thisisundefined + \ifxetex % XeTeX + \XeTeXprotrudechars=2 + \else + \ifluatex % LuaTeX + \adjustspacing=2 + \protrudechars=2 + \else \ifpdf % pdfTeX \pdfadjustspacing=2 \pdfprotrudechars=2 \fi - \else % LuaTeX - \adjustspacing=2 - \protrudechars=2 \fi - \else % XeTeX - \XeTeXprotrudechars=2 \fi % \mtfontexpand\textrm @@ -11679,18 +11904,18 @@ \def\microtypeOFF{% \microtypefalse % - \ifx\XeTeXrevision\thisisundefined - \ifx\luatexversion\thisisundefined + \ifxetex % XeTeX + \XeTeXprotrudechars=0 + \else + \ifluatex % LuaTeX + \adjustspacing=0 + \protrudechars=0 + \else \ifpdf % pdfTeX \pdfadjustspacing=0 \pdfprotrudechars=0 \fi - \else % LuaTeX - \adjustspacing=0 - \protrudechars=0 \fi - \else % XeTeX - \XeTeXprotrudechars=0 \fi } diff -urN gawk-5.3.1/doc/wordlist gawk-5.3.2/doc/wordlist --- gawk-5.3.1/doc/wordlist 2024-09-16 08:54:27.000000000 +0300 +++ gawk-5.3.2/doc/wordlist 2025-04-02 06:57:42.000000000 +0300 @@ -89,7 +89,6 @@ CSVMODE CTYPE CbbA -Cc Chana ChangeLog Chassell @@ -134,7 +133,6 @@ Dinline Dracones Drepper -DrillBits Duman Dupword EAGAIN @@ -352,6 +350,7 @@ NaN NaNs Nachum +Naman Neacsu Neacsu's NetBSD @@ -412,7 +411,6 @@ PQgetvalue PREC PROCINFO -PVERSION PW PWD Panos @@ -522,6 +520,7 @@ Uniq Uwe VER +VSI VT Versioning Vinschen @@ -550,6 +549,7 @@ XYZ XaXbXcX Xref +YAN YYYY Yawitz Za @@ -617,7 +617,6 @@ amc amelia ampm -andreas andrew andrewsumner andspan @@ -632,13 +631,13 @@ aqc ar arg +argA argc args argv arnold arr arraydump -arraymax arrayorder arsenio asc @@ -710,7 +709,6 @@ bigskip bindtextdomain binmode -bisonfix blabber blabbers blabby @@ -734,7 +732,6 @@ brini broderick bt -buening buf bufsize buildable @@ -792,8 +789,6 @@ cline cmd cmp -cns -cnswww cntrl co codeNF @@ -841,7 +836,6 @@ cul curdir curfile -cwru cygwin cyrillic dCaaCbaaa @@ -969,6 +963,7 @@ fd fdata fe +fergs ferror fffffffffff fffffffffffd @@ -1047,7 +1042,6 @@ gawkmisc gawkpath gawkrc -gawktexi gawkworkflow gcc gdb @@ -1057,7 +1051,6 @@ gecos gen gensub -gerard getaddrinfo getegid geteuid @@ -1107,7 +1100,6 @@ gst gsub gt -guerrero gunzip gvim gz @@ -1175,14 +1167,12 @@ inelegancies inet inf -inforef informaltable infusarum ing ington init inited -inlinefmt inlineraw inmargin ino @@ -1221,7 +1211,6 @@ johnny joyent json -juan julie karl katie @@ -1231,7 +1220,6 @@ kpilot ksh kylheku -labadie lan lanceolis lang @@ -1268,6 +1256,7 @@ listinfo listsize literallayout +localA localhost locutus longa @@ -1288,7 +1277,6 @@ lwall lwcm macOS -macosx madronabluff mailx makeinfo @@ -1386,7 +1374,6 @@ newdir newgawk newsxfer -nexgo nextfile nexti nf @@ -1443,7 +1430,6 @@ nvmw nwords ny -nyah nyu obaCLDUX obufp @@ -1505,7 +1491,6 @@ pdksh pdq peifer -pengyu perl perscr perscrutabor @@ -1552,7 +1537,6 @@ ps pseudorandom psl -psx pt ptr pty @@ -1617,6 +1601,7 @@ rflashlight rguid righthand +rltop rm rms ro @@ -1676,7 +1661,6 @@ smallbook smallexample smtp -snmp snobol solaris someopt @@ -1723,6 +1707,7 @@ strtod strtonum struct +stuart su subarray subarrays @@ -1739,7 +1724,6 @@ syncodeindex synindex sys -syshlp systime t'noD t'nod @@ -1754,7 +1738,6 @@ tchars tcount tcp -tcpip tcsh tdata teardown @@ -1780,7 +1763,7 @@ thrudvang tid timeval -timex +tiswww titlepage tlines tm diff -urN gawk-5.3.1/eval.c gawk-5.3.2/eval.c --- gawk-5.3.1/eval.c 2024-09-17 19:18:56.000000000 +0300 +++ gawk-5.3.2/eval.c 2025-03-30 11:41:29.000000000 +0300 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 1986, 1988, 1989, 1991-2019, 2021-2024, + * Copyright (C) 1986, 1988, 1989, 1991-2019, 2021-2025, * the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the @@ -651,10 +651,10 @@ fcall_count++; if (fcall_list == NULL) { max_fcall = 10; - emalloc(fcall_list, NODE **, (max_fcall + 1) * sizeof(NODE *), "push_frame"); + emalloc(fcall_list, NODE **, (max_fcall + 1) * sizeof(NODE *)); } else if (fcall_count == max_fcall) { max_fcall *= 2; - erealloc(fcall_list, NODE **, (max_fcall + 1) * sizeof(NODE *), "push_frame"); + erealloc(fcall_list, NODE **, (max_fcall + 1) * sizeof(NODE *)); } if (fcall_count > 1) @@ -826,9 +826,9 @@ new_ofs_len = OFS_node->var_value->stlen; if (OFS == NULL) - emalloc(OFS, char *, new_ofs_len + 1, "set_OFS"); + emalloc(OFS, char *, new_ofs_len + 1); else if (OFSlen < new_ofs_len) - erealloc(OFS, char *, new_ofs_len + 1, "set_OFS"); + erealloc(OFS, char *, new_ofs_len + 1); memcpy(OFS, OFS_node->var_value->stptr, OFS_node->var_value->stlen); OFSlen = new_ofs_len; @@ -900,7 +900,7 @@ char save; if (fmt_list == NULL) - emalloc(fmt_list, NODE **, fmt_num*sizeof(*fmt_list), "fmt_index"); + emalloc(fmt_list, NODE **, fmt_num*sizeof(*fmt_list)); n = force_string(n); save = n->stptr[n->stlen]; @@ -923,7 +923,7 @@ if (fmt_hiwater >= fmt_num) { fmt_num *= 2; - erealloc(fmt_list, NODE **, fmt_num * sizeof(*fmt_list), "fmt_index"); + erealloc(fmt_list, NODE **, fmt_num * sizeof(*fmt_list)); } fmt_list[fmt_hiwater] = dupnode(n); return fmt_hiwater++; @@ -1129,7 +1129,7 @@ grow_stack() { STACK_SIZE *= 2; - erealloc(stack_bottom, STACK_ITEM *, STACK_SIZE * sizeof(STACK_ITEM), "grow_stack"); + erealloc(stack_bottom, STACK_ITEM *, STACK_SIZE * sizeof(STACK_ITEM)); stack_top = stack_bottom + STACK_SIZE - 1; stack_ptr = stack_bottom + STACK_SIZE / 2; return stack_ptr; @@ -1283,7 +1283,7 @@ arg_count = (pc + 1)->expr_count; if (pcount > 0) { - ezalloc(sp, NODE **, pcount * sizeof(NODE *), "setup_frame"); + ezalloc(sp, NODE **, pcount * sizeof(NODE *)); } /* check for extra args */ @@ -1347,6 +1347,13 @@ r->var_value = dupnode(Nnull_string); break; + case Node_regex: + case Node_dynregex: + // 1/2025: + // These are weird; they can happen through + // indirect calls to some of the builtins, so + // handle them if we get them by .... + // ... falling through! Yay! case Node_val: r->type = Node_var; r->var_value = m; @@ -1382,6 +1389,7 @@ /* setup new frame */ getnode(frame_ptr); + memset(frame_ptr, '\0', sizeof(NODE)); frame_ptr->type = Node_frame; frame_ptr->stack = sp; frame_ptr->prev_frame_size = (stack_ptr - stack_bottom); /* size of the previous stack frame */ @@ -1720,6 +1728,7 @@ { NODE *r; getnode(r); + memset(r, '\0', sizeof(NODE)); r->type = Node_instruction; r->code_ptr = cp; PUSH(r); @@ -1775,7 +1784,7 @@ { EXEC_STATE *es; - emalloc(es, EXEC_STATE *, sizeof(EXEC_STATE), "push_exec_state"); + emalloc(es, EXEC_STATE *, sizeof(EXEC_STATE)); es->rule = rule; es->cptr = cp; es->stack_size = (sp - stack_bottom) + 1; @@ -1866,12 +1875,13 @@ if ((newval = getenv_long("GAWK_STACKSIZE")) > 0) STACK_SIZE = newval; - emalloc(stack_bottom, STACK_ITEM *, STACK_SIZE * sizeof(STACK_ITEM), "grow_stack"); + emalloc(stack_bottom, STACK_ITEM *, STACK_SIZE * sizeof(STACK_ITEM)); stack_ptr = stack_bottom - 1; stack_top = stack_bottom + STACK_SIZE - 1; /* initialize frame pointer */ getnode(frame_ptr); + memset(frame_ptr, '\0', sizeof(NODE)); frame_ptr->type = Node_frame; frame_ptr->stack = NULL; frame_ptr->func_node = NULL; /* in main */ @@ -1897,6 +1907,21 @@ interpret = r_interpret; } +/* elem_new_reset --- clear the elemnew_parent and elemnew_vname fields of a Node_elem_new. */ + +void +elem_new_reset(NODE *n) +{ + assert(n->type == Node_elem_new); + + if (n->elemnew_vname != NULL) { + efree(n->elemnew_vname); + n->elemnew_vname = NULL; + } + n->elemnew_parent = NULL; + n->vname = NULL; +} + /* elem_new_to_scalar --- convert Node_elem_new to untyped scalar */ NODE * @@ -1905,6 +1930,8 @@ if (n->type != Node_elem_new) return n; + elem_new_reset(n); + if (n->valref > 1) { unref(n); return dupnode(Nnull_string); diff -urN gawk-5.3.1/ext.c gawk-5.3.2/ext.c --- gawk-5.3.1/ext.c 2024-06-03 14:36:22.000000000 +0300 +++ gawk-5.3.2/ext.c 2025-03-09 13:13:49.000000000 +0200 @@ -7,7 +7,7 @@ */ /* - * Copyright (C) 1995 - 2001, 2003-2014, 2016-2020, 2022, + * Copyright (C) 1995 - 2001, 2003-2014, 2016-2020, 2022, 2025, * the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the @@ -112,7 +112,7 @@ size_t len = strlen(name_space) + 2 + strlen(name) + 1; char *buf; - emalloc(buf, char *, len, "make_builtin"); + emalloc(buf, char *, len); sprintf(buf, "%s::%s", name_space, name); install_name = buf; @@ -204,6 +204,11 @@ if (want_array) return force_array(t, false); else { + if (t->type == Node_elem_new) { + elem_new_reset(t); + if (t->valref > 1) // ADR: 2/2025: Can this happen? + unref(t); + } t->type = Node_var; t->var_value = dupnode(Nnull_string); return t->var_value; diff -urN gawk-5.3.1/extension/ChangeLog gawk-5.3.2/extension/ChangeLog --- gawk-5.3.1/extension/ChangeLog 2024-09-17 21:43:39.000000000 +0300 +++ gawk-5.3.2/extension/ChangeLog 2025-04-02 08:32:25.000000000 +0300 @@ -1,3 +1,17 @@ +2025-04-02 Arnold D. Robbins + + * 5.3.2: Release tar made. + +2025-03-09 Arnold D. Robbins + + * inplace.c (do_inplace_begin): Additional hoop jumping to + silence clang warnings. Sheesh. + +2024-11-13 Arnold D. Robbins + + * time.3am: Fix spelling of "strptime()". Thanks to + James Ghofulpo for the report. + 2024-09-17 Arnold D. Robbins * 5.3.1: Release tar made. diff -urN gawk-5.3.1/extension/configh.in gawk-5.3.2/extension/configh.in --- gawk-5.3.1/extension/configh.in 2024-09-17 19:26:49.000000000 +0300 +++ gawk-5.3.2/extension/configh.in 2025-04-02 06:57:57.000000000 +0300 @@ -14,6 +14,9 @@ language is requested. */ #undef ENABLE_NLS +/* Define to 1 if we have ADDR_NO_RANDOMIZE value */ +#undef HAVE_ADDR_NO_RANDOMIZE + /* Define to 1 if you have the Mac OS X function CFLocaleCopyPreferredLanguages in the CoreFoundation framework. */ #undef HAVE_CFLOCALECOPYPREFERREDLANGUAGES diff -urN gawk-5.3.1/extension/configure gawk-5.3.2/extension/configure --- gawk-5.3.1/extension/configure 2024-09-17 19:26:44.000000000 +0300 +++ gawk-5.3.2/extension/configure 2025-04-02 06:57:55.000000000 +0300 @@ -1,6 +1,6 @@ #! /bin/sh # Guess values for system-dependent variables and create Makefiles. -# Generated by GNU Autoconf 2.71 for GNU Awk Bundled Extensions 5.3.1. +# Generated by GNU Autoconf 2.71 for GNU Awk Bundled Extensions 5.3.2. # # Report bugs to . # @@ -621,8 +621,8 @@ # Identity of this package. PACKAGE_NAME='GNU Awk Bundled Extensions' PACKAGE_TARNAME='gawk-extensions' -PACKAGE_VERSION='5.3.1' -PACKAGE_STRING='GNU Awk Bundled Extensions 5.3.1' +PACKAGE_VERSION='5.3.2' +PACKAGE_STRING='GNU Awk Bundled Extensions 5.3.2' PACKAGE_BUGREPORT='bug-gawk@gnu.org' PACKAGE_URL='https://www.gnu.org/software/gawk-extensions/' @@ -684,6 +684,8 @@ OBJDUMP DLLTOOL AS +HAVE_ADDR_NO_RANDOMIZE_FALSE +HAVE_ADDR_NO_RANDOMIZE_TRUE USE_PERSISTENT_MALLOC_FALSE USE_PERSISTENT_MALLOC_TRUE ac_ct_AR @@ -1383,7 +1385,7 @@ # Omit some internal or obsolete options to make the list less imposing. # This message is too long to be a string in the A/UX 3.1 sh. cat <<_ACEOF -\`configure' configures GNU Awk Bundled Extensions 5.3.1 to adapt to many kinds of systems. +\`configure' configures GNU Awk Bundled Extensions 5.3.2 to adapt to many kinds of systems. Usage: $0 [OPTION]... [VAR=VALUE]... @@ -1454,7 +1456,7 @@ if test -n "$ac_init_help"; then case $ac_init_help in - short | recursive ) echo "Configuration of GNU Awk Bundled Extensions 5.3.1:";; + short | recursive ) echo "Configuration of GNU Awk Bundled Extensions 5.3.2:";; esac cat <<\_ACEOF @@ -1579,7 +1581,7 @@ test -n "$ac_init_help" && exit $ac_status if $ac_init_version; then cat <<\_ACEOF -GNU Awk Bundled Extensions configure 5.3.1 +GNU Awk Bundled Extensions configure 5.3.2 generated by GNU Autoconf 2.71 Copyright (C) 2021 Free Software Foundation, Inc. @@ -2179,7 +2181,7 @@ This file contains any messages produced by compilers while running configure, to aid debugging if configure makes a mistake. -It was created by GNU Awk Bundled Extensions $as_me 5.3.1, which was +It was created by GNU Awk Bundled Extensions $as_me 5.3.2, which was generated by GNU Autoconf 2.71. Invocation command line was $ $0$ac_configure_args_raw @@ -3458,7 +3460,7 @@ # Define the identity of the package. PACKAGE='gawk-extensions' - VERSION='5.3.1' + VERSION='5.3.2' printf "%s\n" "#define PACKAGE \"$PACKAGE\"" >>confdefs.h @@ -8792,18 +8794,12 @@ use_persistent_malloc=yes case $host_os in linux-*) - { printf "%s\n" "$as_me:${as_lineno-$LINENO}: checking whether C compiler accepts -no-pie" >&5 -printf %s "checking whether C compiler accepts -no-pie... " >&6; } -if test ${ax_cv_check_cflags___no_pie+y} -then : - printf %s "(cached) " >&6 -else $as_nop - - ax_check_save_flags=$CFLAGS - CFLAGS="$CFLAGS -no-pie" - cat confdefs.h - <<_ACEOF >conftest.$ac_ext + cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ + #include + int x = ADDR_NO_RANDOMIZE; + int main (void) { @@ -8814,39 +8810,17 @@ _ACEOF if ac_fn_c_try_compile "$LINENO" then : - ax_cv_check_cflags___no_pie=yes + have_addr_no_randomize=yes else $as_nop - ax_cv_check_cflags___no_pie=no + have_addr_no_randomize=no fi rm -f core conftest.err conftest.$ac_objext conftest.beam conftest.$ac_ext - CFLAGS=$ax_check_save_flags -fi -{ printf "%s\n" "$as_me:${as_lineno-$LINENO}: result: $ax_cv_check_cflags___no_pie" >&5 -printf "%s\n" "$ax_cv_check_cflags___no_pie" >&6; } -if test "x$ax_cv_check_cflags___no_pie" = xyes -then : - LDFLAGS="${LDFLAGS} -no-pie" - export LDFLAGS -else $as_nop - : -fi - ;; *darwin*) - # 27 November 2022: PMA only works on Intel. - case $host in - x86_64-*) - LDFLAGS="${LDFLAGS} -Xlinker -no_pie" - export LDFLAGS - ;; - *) - # disable on all other macOS systems - use_persistent_malloc=no - ;; - esac + true # On macos we no longer need -no-pie ;; *cygwin* | *CYGWIN* | *solaris2.11* | freebsd13.* | openbsd7.* ) - true # nothing do, exes on these systems are not PIE + true # nothing to do, exes on these systems are not PIE ;; # Other OS's go here... *) @@ -8873,6 +8847,14 @@ USE_PERSISTENT_MALLOC_FALSE= fi + if test "$have_addr_no_randomize" = "yes"; then + HAVE_ADDR_NO_RANDOMIZE_TRUE= + HAVE_ADDR_NO_RANDOMIZE_FALSE='#' +else + HAVE_ADDR_NO_RANDOMIZE_TRUE='#' + HAVE_ADDR_NO_RANDOMIZE_FALSE= +fi + if test "$use_persistent_malloc" = "yes" then @@ -8880,6 +8862,12 @@ printf "%s\n" "#define USE_PERSISTENT_MALLOC 1" >>confdefs.h fi +if test "$have_addr_no_randomize" = "yes" +then + +printf "%s\n" "#define HAVE_ADDR_NO_RANDOMIZE 1" >>confdefs.h + +fi case `pwd` in *\ * | *\ *) @@ -17953,6 +17941,10 @@ as_fn_error $? "conditional \"USE_PERSISTENT_MALLOC\" was never defined. Usually this means the macro was only invoked conditionally." "$LINENO" 5 fi +if test -z "${HAVE_ADDR_NO_RANDOMIZE_TRUE}" && test -z "${HAVE_ADDR_NO_RANDOMIZE_FALSE}"; then + as_fn_error $? "conditional \"HAVE_ADDR_NO_RANDOMIZE\" was never defined. +Usually this means the macro was only invoked conditionally." "$LINENO" 5 +fi : "${CONFIG_STATUS=./config.status}" ac_write_fail=0 @@ -18343,7 +18335,7 @@ # report actual input values of CONFIG_FILES etc. instead of their # values after options handling. ac_log=" -This file was extended by GNU Awk Bundled Extensions $as_me 5.3.1, which was +This file was extended by GNU Awk Bundled Extensions $as_me 5.3.2, which was generated by GNU Autoconf 2.71. Invocation command line was CONFIG_FILES = $CONFIG_FILES @@ -18413,7 +18405,7 @@ cat >>$CONFIG_STATUS <<_ACEOF || ac_write_fail=1 ac_cs_config='$ac_cs_config_escaped' ac_cs_version="\\ -GNU Awk Bundled Extensions config.status 5.3.1 +GNU Awk Bundled Extensions config.status 5.3.2 configured by $0, generated by GNU Autoconf 2.71, with options \\"\$ac_cs_config\\" diff -urN gawk-5.3.1/extension/configure.ac gawk-5.3.2/extension/configure.ac --- gawk-5.3.1/extension/configure.ac 2024-09-17 19:19:59.000000000 +0300 +++ gawk-5.3.2/extension/configure.ac 2025-03-09 13:13:49.000000000 +0200 @@ -1,7 +1,7 @@ dnl dnl configure.ac --- autoconf input file for gawk dnl -dnl Copyright (C) 2012-2021, 2023, 2024 the Free Software Foundation, Inc. +dnl Copyright (C) 2012-2021, 2023-2025 the Free Software Foundation, Inc. dnl dnl This file is part of GAWK, the GNU implementation of the dnl AWK Programming Language. @@ -23,7 +23,7 @@ dnl Process this file with autoconf to produce a configure script. -AC_INIT([GNU Awk Bundled Extensions],[5.3.1],[bug-gawk@gnu.org],[gawk-extensions]) +AC_INIT([GNU Awk Bundled Extensions],[5.3.2],[bug-gawk@gnu.org],[gawk-extensions]) AC_PREREQ([2.71]) diff -urN gawk-5.3.1/extension/inplace.c gawk-5.3.2/extension/inplace.c --- gawk-5.3.1/extension/inplace.c 2024-03-03 20:41:43.000000000 +0200 +++ gawk-5.3.2/extension/inplace.c 2025-03-09 21:42:46.000000000 +0200 @@ -175,7 +175,7 @@ /* jumping through hoops to silence gcc and clang. :-( */ int junk; junk = chown(state.tname, -1, sbuf.st_gid); - ++junk; + junk += junk; } if (chmod(state.tname, sbuf.st_mode) < 0) diff -urN gawk-5.3.1/extension/po/ChangeLog gawk-5.3.2/extension/po/ChangeLog --- gawk-5.3.1/extension/po/ChangeLog 2024-09-17 21:43:39.000000000 +0300 +++ gawk-5.3.2/extension/po/ChangeLog 2025-04-02 08:33:37.000000000 +0300 @@ -1,3 +1,7 @@ +2025-04-02 Arnold D. Robbins + + * 5.3.2: Release tar made. + 2024-09-17 Arnold D. Robbins * 5.3.1: Release tar made. diff -urN gawk-5.3.1/extension/time.3am gawk-5.3.2/extension/time.3am --- gawk-5.3.1/extension/time.3am 2024-04-19 16:07:15.000000000 +0300 +++ gawk-5.3.2/extension/time.3am 2025-03-09 12:57:34.000000000 +0200 @@ -1,4 +1,4 @@ -.TH TIME 3am "Jan 16 2023" "Free Software Foundation" "GNU Awk Extension Modules" +.TH TIME 3am "Nov 13 2024" "Free Software Foundation" "GNU Awk Extension Modules" .SH NAME time \- time functions for gawk .SH SYNOPSIS @@ -18,7 +18,7 @@ .B gettimeofday() .BR sleep() , and -.BR stptrime() , +.BR strptime() , as follows. .TP .B gettimeofday() @@ -106,7 +106,7 @@ Arnold Robbins, .BR arnold@skeeve.com . .SH COPYING PERMISSIONS -Copyright \(co 2012, 2013, 2018, 2022, 2023, +Copyright \(co 2012, 2013, 2018, 2022, 2023, 2024, Free Software Foundation, Inc. .br Copyright \(co 2019, diff -urN gawk-5.3.1/extras/ChangeLog gawk-5.3.2/extras/ChangeLog --- gawk-5.3.1/extras/ChangeLog 2024-09-17 21:43:39.000000000 +0300 +++ gawk-5.3.2/extras/ChangeLog 2025-04-02 08:34:29.000000000 +0300 @@ -1,3 +1,7 @@ +2025-04-02 Arnold D. Robbins + + * 5.3.2: Release tar made. + 2024-09-17 Arnold D. Robbins * 5.3.1: Release tar made. diff -urN gawk-5.3.1/field.c gawk-5.3.2/field.c --- gawk-5.3.1/field.c 2024-09-17 09:09:19.000000000 +0300 +++ gawk-5.3.2/field.c 2025-03-30 11:41:29.000000000 +0300 @@ -3,7 +3,8 @@ */ /* - * Copyright (C) 1986, 1988, 1989, 1991-2023 the Free Software Foundation, Inc. + * Copyright (C) 1986, 1988, 1989, 1991-2023, 2025, + * the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the * AWK Programming Language. @@ -100,7 +101,7 @@ void init_fields() { - emalloc(fields_arr, NODE **, sizeof(NODE *), "init_fields"); + emalloc(fields_arr, NODE **, sizeof(NODE *)); fields_arr[0] = make_string("", 0); fields_arr[0]->flags |= NULL_FIELD; @@ -131,7 +132,7 @@ int t; NODE *n; - erealloc(fields_arr, NODE **, (num + 1) * sizeof(NODE *), "grow_fields_arr"); + erealloc(fields_arr, NODE **, (num + 1) * sizeof(NODE *)); for (t = nf_high_water + 1; t <= num; t++) { getnode(n); *n = *Null_field; @@ -207,7 +208,7 @@ tlen += (NF - 1) * OFSlen; if ((long) tlen < 0) tlen = 0; - emalloc(ops, char *, tlen + 1, "rebuild_record"); + emalloc(ops, char *, tlen + 1); cops = ops; ops[0] = '\0'; for (i = 1; i <= NF; i++) { @@ -256,7 +257,7 @@ * we can't leave r's stptr pointing into the * old $0 buffer that we are about to unref. */ - emalloc(r->stptr, char *, r->stlen + 1, "rebuild_record"); + emalloc(r->stptr, char *, r->stlen + 1); memcpy(r->stptr, cops, r->stlen); r->stptr[r->stlen] = '\0'; r->flags |= MALLOC; @@ -306,7 +307,7 @@ /* buffer management: */ if (databuf_size == 0) { /* first time */ - ezalloc(databuf, char *, INITIAL_SIZE, "set_record"); + ezalloc(databuf, char *, INITIAL_SIZE); databuf_size = INITIAL_SIZE; } /* @@ -320,7 +321,7 @@ fatal(_("input record too large")); databuf_size *= 2; } while (cnt >= databuf_size); - erealloc(databuf, char *, databuf_size, "set_record"); + erealloc(databuf, char *, databuf_size); memset(databuf, '\0', databuf_size); } /* copy the data */ @@ -341,6 +342,7 @@ unref(fields_arr[0]); getnode(n); + memset(n, '\0', sizeof(NODE)); n->stptr = databuf; n->stlen = cnt; n->valref = 1; @@ -400,7 +402,7 @@ if ((r->flags & MALLOC) == 0 && r->valref > 1) { /* This can and does happen. We must copy the string! */ const char *save = r->stptr; - emalloc(r->stptr, char *, r->stlen + 1, "purge_record"); + emalloc(r->stptr, char *, r->stlen + 1); memcpy(r->stptr, save, r->stlen); r->stptr[r->stlen] = '\0'; r->flags |= MALLOC; @@ -801,7 +803,7 @@ static size_t buflen = 0; if (newfield == NULL) { - emalloc(newfield, char *, BUFSIZ, "comma_parse_field"); + emalloc(newfield, char *, BUFSIZ); buflen = BUFSIZ; } @@ -830,7 +832,7 @@ size_t offset = buflen; buflen *= 2; - erealloc(newfield, char *, buflen, "comma_parse_field"); + erealloc(newfield, char *, buflen); new_end = newfield + offset; } @@ -853,7 +855,7 @@ size_t offset = buflen; buflen *= 2; - erealloc(newfield, char *, buflen, "comma_parse_field"); + erealloc(newfield, char *, buflen); new_end = newfield + offset; } *new_end++ = *scan++; @@ -1196,8 +1198,8 @@ warned = true; lintwarn(_("split: null string for third arg is a non-standard extension")); } - } else if (fs->stlen == 1 && (sep->re_flags & CONSTANT) == 0) { - if (fs->stptr[0] == ' ') { + } else if (fs->stlen == 1) { + if ((sep->re_flags & CONSTANT) == 0 && fs->stptr[0] == ' ') { parseit = def_parse_field; } else parseit = sc_parse_field; @@ -1244,7 +1246,19 @@ check_symtab_functab(arr, "patsplit", _("%s: cannot use %s as second argument")); - src = TOP_STRING(); + src = POP_SCALAR(); + if (src->type == Node_param_list) { + src = GET_PARAM(src->param_cnt); + if (src->type == Node_array_ref) + src = src->orig_array; + if (src->type == Node_var_new || src->type == Node_elem_new) { + if (src->type == Node_elem_new) + elem_new_reset(src); + src->type = Node_var; + src->valref = 1; + src->var_value = dupnode(Nnull_string); + } + } if ((sep->flags & REGEX) != 0) sep = sep->typed_re; @@ -1272,7 +1286,7 @@ /* * Skip the work if first arg is the null string. */ - tmp = make_number((AWKNUM) 0); + tmp = make_number((AWKNUM) 0); } else { rp = re_update(sep); s = src->stptr; @@ -1281,7 +1295,6 @@ set_element, arr, sep_arr, false)); } - src = POP_SCALAR(); /* really pop off stack */ DEREF(src); return tmp; } @@ -1348,7 +1361,7 @@ scan = tmp->stptr; if (FIELDWIDTHS == NULL) { - emalloc(FIELDWIDTHS, awk_fieldwidth_info_t *, awk_fieldwidth_info_size(fw_alloc), "set_FIELDWIDTHS"); + emalloc(FIELDWIDTHS, awk_fieldwidth_info_t *, awk_fieldwidth_info_size(fw_alloc)); FIELDWIDTHS->use_chars = awk_true; } FIELDWIDTHS->nf = 0; @@ -1356,7 +1369,7 @@ unsigned long int tmp; if (i >= fw_alloc) { fw_alloc *= 2; - erealloc(FIELDWIDTHS, awk_fieldwidth_info_t *, awk_fieldwidth_info_size(fw_alloc), "set_FIELDWIDTHS"); + erealloc(FIELDWIDTHS, awk_fieldwidth_info_t *, awk_fieldwidth_info_size(fw_alloc)); } /* Ensure that there is no leading `-' sign. Otherwise, strtoul would accept it and return a bogus result. */ diff -urN gawk-5.3.1/floatcomp.c gawk-5.3.2/floatcomp.c --- gawk-5.3.1/floatcomp.c 2024-06-03 14:36:22.000000000 +0300 +++ gawk-5.3.2/floatcomp.c 2025-03-09 13:13:49.000000000 +0200 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 1986, 1988, 1989, 1991-2011, 2016, 2021, + * Copyright (C) 1986, 1988, 1989, 1991-2011, 2016, 2021, 2025, * the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the @@ -95,8 +95,36 @@ * values, strip leading nonzero bits of integers that are so large * that they cannot be represented exactly as AWKNUMs, so that their * low order bits are represented exactly, without rounding errors. - * This is more desirable in practice, since it means the user sees - * integers that are the same width as the AWKNUM fractions. + * + * When computing with integers that AWKNUM cannot represent exactly, + * GAWK uses AWKNUM to approximate wraparound integer arithmetic + * using the widest integer that AWKNUM can represent this time. + * GAWK prefers to lose excess high-order information instead of + * the more-usual rounding that would lose low-order information. + * + * Typically uintmax_t is 64-bit and AWKNUM is IEEE 754 binary64, + * so AWKNUM_FRACTION_BITS is DBL_MANT_DIG (i.e., 53) and + * some 64-bit uintmax_t values have nonzero bits that are too widely + * spread apart to fit into AWKNUM's 53-bit significand. + * For example, let N = 8 + 2**62 (0x4000000000000008), one such value. + * Then ((AWKNUM) N) equals 2**62 (0x4000000000000000) due to rounding, + * whereas ((AWKNUM) adjust_uint (N)) exactly equals (adjust_uint (N)) + * which is 8 (in other words, N modulo 2**56), + * because N's low-order 3 bits are zero and 56 = 53 + 3. + * In this example, adjust_uint implements 56-bit wraparound + * integer arithmetic (not counting the sign bit). + * Other examples implement wider or narrow wraparound arithmetic, + * depending on how many low-order bits are zero. + * + * Using adjust_uint better matches expectations + * with GAWK expressions like compl(1). + * With adjust_uint, compl(1) evaluates to 0x3ffffffffffffe + * which makes sense if the word size is 54 bits this time; + * without it, compl(1) would evaluate to 0x40000000000000 + * which is nonsense no matter what the word size would be. + * (Perhaps it would be even better if compl(1) evaluated to -2, + * i.e., two's complement in an infinitely wide word, + * but that is a matter for another day.) */ int wordbits = CHAR_BIT * sizeof n; if (AWKNUM_FRACTION_BITS < wordbits) { diff -urN gawk-5.3.1/gawkapi.c gawk-5.3.2/gawkapi.c --- gawk-5.3.1/gawkapi.c 2024-09-17 19:21:23.000000000 +0300 +++ gawk-5.3.2/gawkapi.c 2025-03-30 11:41:29.000000000 +0300 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 2012-2019, 2021, 2022, 2023, 2024, + * Copyright (C) 2012-2019, 2021-2025, * the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the @@ -433,7 +433,7 @@ return; /* allocate memory */ - emalloc(p, struct ext_exit_handler *, sizeof(struct ext_exit_handler), "api_awk_atexit"); + emalloc(p, struct ext_exit_handler *, sizeof(struct ext_exit_handler)); /* fill it in */ p->funcp = funcp; @@ -481,9 +481,9 @@ scopy.size = 8; /* initial size */ else scopy.size *= 2; - erealloc(scopy.strings, char **, scopy.size * sizeof(char *), "assign_string"); + erealloc(scopy.strings, char **, scopy.size * sizeof(char *)); } - emalloc(s, char *, node->stlen + 1, "assign_string"); + emalloc(s, char *, node->stlen + 1); memcpy(s, node->stptr, node->stlen); s[node->stlen] = '\0'; val->str_value.str = scopy.strings[scopy.i++] = s; @@ -910,9 +910,12 @@ unref(node->var_value); node->var_value = awk_value_to_node(value); if ((node->type == Node_var_new || node->type == Node_elem_new) - && value->val_type != AWK_UNDEFINED) + && value->val_type != AWK_UNDEFINED) { + if (node->type == Node_elem_new) { + elem_new_reset(node); + } node->type = Node_var; - + } return awk_true; } @@ -1248,8 +1251,7 @@ alloc_size = sizeof(awk_flat_array_t) + (array->table_size - 1) * sizeof(awk_element_t); - ezalloc(*data, awk_flat_array_t *, alloc_size, - "api_flatten_array_typed"); + ezalloc(*data, awk_flat_array_t *, alloc_size); list = assoc_list(array, "@unsorted", ASORTI); @@ -1363,7 +1365,7 @@ { #ifdef HAVE_MPFR mpfr_ptr p; - emalloc(p, mpfr_ptr, sizeof(mpfr_t), "api_get_mpfr"); + emalloc(p, mpfr_ptr, sizeof(mpfr_t)); mpfr_init(p); return p; #else @@ -1379,7 +1381,7 @@ { #ifdef HAVE_MPFR mpz_ptr p; - emalloc(p, mpz_ptr, sizeof (mpz_t), "api_get_mpz"); + emalloc(p, mpz_ptr, sizeof (mpz_t)); mpz_init(p); return p; @@ -1505,7 +1507,7 @@ (void) id; - emalloc(info, struct version_info *, sizeof(struct version_info), "register_ext_version"); + emalloc(info, struct version_info *, sizeof(struct version_info)); info->version = version; info->next = vi_head; vi_head = info; @@ -1665,7 +1667,7 @@ size_t len = strlen(name_space) + 2 + strlen(name) + 1; char *buf; - emalloc(buf, char *, len, "ns_lookup"); + emalloc(buf, char *, len); sprintf(buf, "%s::%s", name_space, name); NODE *f = lookup(buf); diff -urN gawk-5.3.1/int_array.c gawk-5.3.2/int_array.c --- gawk-5.3.1/int_array.c 2024-09-17 09:09:19.000000000 +0300 +++ gawk-5.3.2/int_array.c 2025-03-30 11:41:29.000000000 +0300 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 1986, 1988, 1989, 1991-2013, 2016, 2017, 2019, 2020, 2022, + * Copyright (C) 1986, 1988, 1989, 1991-2013, 2016, 2017, 2019, 2020, 2022, 2025, * the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the @@ -30,7 +30,7 @@ extern void indent(int indent_level); extern NODE **is_integer(NODE *symbol, NODE *subs); -static size_t INT_CHAIN_MAX = 2; +static size_t INT_CHAIN_MAX = 10; static NODE **int_array_init(NODE *symbol, NODE *subs); static NODE **int_lookup(NODE *symbol, NODE *subs); @@ -458,7 +458,7 @@ cursize = symbol->array_size; /* allocate new table */ - ezalloc(new, BUCKET **, cursize * sizeof(BUCKET *), "int_copy"); + ezalloc(new, BUCKET **, cursize * sizeof(BUCKET *)); old = symbol->buckets; @@ -547,10 +547,10 @@ assert(list != NULL); if (num_elems == 1 || num_elems == xn->table_size) return list; - erealloc(list, NODE **, list_size * sizeof(NODE *), "int_list"); + erealloc(list, NODE **, list_size * sizeof(NODE *)); k = elem_size * xn->table_size; } else - emalloc(list, NODE **, list_size * sizeof(NODE *), "int_list"); + emalloc(list, NODE **, list_size * sizeof(NODE *)); /* populate it */ @@ -841,7 +841,7 @@ } /* allocate new table */ - ezalloc(new, BUCKET **, newsize * sizeof(BUCKET *), "grow_int_table"); + ezalloc(new, BUCKET **, newsize * sizeof(BUCKET *)); old = symbol->buckets; symbol->buckets = new; diff -urN gawk-5.3.1/interpret.h gawk-5.3.2/interpret.h --- gawk-5.3.1/interpret.h 2024-09-17 19:21:44.000000000 +0300 +++ gawk-5.3.2/interpret.h 2025-03-30 11:41:29.000000000 +0300 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 1986, 1988, 1989, 1991-2024, + * Copyright (C) 1986, 1988, 1989, 1991-2025, * the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the @@ -241,6 +241,7 @@ if (op != Op_push_arg_untyped) { // convert very original untyped to scalar + elem_new_reset(m); m->type = Node_var; m->var_value = dupnode(Nnull_string); m->flags &= ~(MPFN | MPZN); @@ -326,7 +327,6 @@ r = *assoc_lookup(t1, t2); } - DEREF(t2); /* for SYMTAB, step through to the actual variable */ if (t1 == symbol_table) { @@ -345,6 +345,15 @@ } } + if (r->type == Node_elem_new && r->elemnew_parent == NULL) { + r->elemnew_parent = t1; + t2 = force_string(t2); + assert(r->elemnew_vname == NULL); + r->elemnew_vname = estrdup(t2->stptr, t2->stlen); /* the subscript in parent array */ + } + + DEREF(t2); + if (r->type == Node_val || r->type == Node_var || r->type == Node_elem_new) @@ -384,7 +393,8 @@ r = force_array(r, false); r->parent_array = t1; t2 = force_string(t2); - r->vname = estrdup(t2->stptr, t2->stlen); /* the subscript in parent array */ + if (r->vname == NULL) + r->vname = estrdup(t2->stptr, t2->stlen); /* the subscript in parent array */ } else if (r->type != Node_var_array) { t2 = force_string(t2); fatal(_("attempt to use scalar `%s[\"%.*s\"]' as an array"), @@ -784,6 +794,7 @@ */ lhs = get_lhs(pc->memory, false); + unref(*lhs); r = pc->initval; /* constant initializer */ if (r != NULL) { @@ -843,7 +854,7 @@ if (t1 != t2 && t1->valref == 1 && (t1->flags & (MALLOC|MPFN|MPZN)) == MALLOC) { size_t nlen = t1->stlen + t2->stlen; - erealloc(t1->stptr, char *, nlen + 1, "r_interpret"); + erealloc(t1->stptr, char *, nlen + 1); memcpy(t1->stptr + t1->stlen, t2->stptr, t2->stlen); t1->stlen = nlen; t1->stptr[nlen] = '\0'; @@ -859,8 +870,7 @@ if ((t1->flags & WSTRCUR) != 0 && (t2->flags & WSTRCUR) != 0) { size_t wlen = t1->wstlen + t2->wstlen; - erealloc(t1->wstptr, wchar_t *, - sizeof(wchar_t) * (wlen + 1), "r_interpret"); + erealloc(t1->wstptr, wchar_t *, sizeof(wchar_t) * (wlen + 1)); memcpy(t1->wstptr + t1->wstlen, t2->wstptr, t2->wstlen * sizeof(wchar_t)); t1->wstlen = wlen; t1->wstptr[wlen] = L'\0'; @@ -870,7 +880,7 @@ size_t nlen = t1->stlen + t2->stlen; char *p; - emalloc(p, char *, nlen + 1, "r_interpret"); + emalloc(p, char *, nlen + 1); memcpy(p, t1->stptr, t1->stlen); memcpy(p + t1->stlen, t2->stptr, t2->stlen); /* N.B. No NUL-termination required, since make_str_node will do it. */ @@ -1052,6 +1062,7 @@ arrayfor: getnode(r); + memset(r, '\0', sizeof(NODE)); r->type = Node_arrayfor; r->for_list = list; r->for_list_size = num_elems; /* # of elements in list */ @@ -1299,6 +1310,8 @@ fatal(_("function `%s' not defined"), pc->func_name); pc->func_body = f; /* save for next call */ } + if (do_itrace) + fprintf(stderr, "++\t%s\n", pc->func_name); if (f->type == Node_ext_func) { /* keep in sync with indirect call code */ diff -urN gawk-5.3.1/io.c gawk-5.3.2/io.c --- gawk-5.3.1/io.c 2024-09-17 18:14:57.000000000 +0300 +++ gawk-5.3.2/io.c 2025-04-02 06:57:42.000000000 +0300 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 1986, 1988, 1989, 1991-2024, + * Copyright (C) 1986, 1988, 1989, 1991-2025, * the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the @@ -900,8 +900,8 @@ rp = save_rp; efree(rp->value); } else - emalloc(rp, struct redirect *, sizeof(struct redirect), "redirect"); - emalloc(newstr, char *, explen + 1, "redirect"); + emalloc(rp, struct redirect *, sizeof(struct redirect)); + emalloc(newstr, char *, explen + 1); memcpy(newstr, str, explen); newstr[explen] = '\0'; str = newstr; @@ -2977,7 +2977,7 @@ max_path++; // +3 --> 2 for null entries at front and end of path, 1 for NULL end of list - ezalloc(pi->awkpath, const char **, (max_path + 3) * sizeof(char *), "init_awkpath"); + ezalloc(pi->awkpath, const char **, (max_path + 3) * sizeof(char *)); start = path; i = 0; @@ -3007,7 +3007,7 @@ len = end - start; if (len > 0) { - emalloc(p, char *, len + 2, "init_awkpath"); + emalloc(p, char *, len + 2); memcpy(p, start, len); /* add directory punctuation if necessary */ @@ -3039,7 +3039,7 @@ /* some kind of path name, no search */ if (ispath(src)) { - emalloc(path, char *, strlen(src) + 1, "do_find_source"); + emalloc(path, char *, strlen(src) + 1); strcpy(path, src); if (stat(path, stb) == 0) return path; @@ -3051,7 +3051,7 @@ if (pi->awkpath == NULL) init_awkpath(pi); - emalloc(path, char *, pi->max_pathlen + strlen(src) + 1, "do_find_source"); + emalloc(path, char *, pi->max_pathlen + strlen(src) + 1); for (i = 0; pi->awkpath[i] != NULL; i++) { if (strcmp(pi->awkpath[i], "./") == 0 || strcmp(pi->awkpath[i], ".") == 0) *path = '\0'; @@ -3097,7 +3097,7 @@ /* append EXTLIB_SUFFIX and try again */ save_errno = errno; - emalloc(file_ext, char *, src_len + suffix_len + 1, "find_source"); + emalloc(file_ext, char *, src_len + suffix_len + 1); sprintf(file_ext, "%s%s", src, EXTLIB_SUFFIX); path = do_find_source(file_ext, stb, errcode, pi); efree(file_ext); @@ -3116,7 +3116,7 @@ #endif #ifdef DEFAULT_FILETYPE - if (! do_traditional && path == NULL) { + if (path == NULL) { char *file_awk; int save_errno = errno; #ifdef VMS @@ -3124,8 +3124,7 @@ #endif /* append ".awk" and try again */ - emalloc(file_awk, char *, strlen(src) + - sizeof(DEFAULT_FILETYPE) + 1, "find_source"); + emalloc(file_awk, char *, strlen(src) + sizeof(DEFAULT_FILETYPE) + 1); sprintf(file_awk, "%s%s", src, DEFAULT_FILETYPE); path = do_find_source(file_awk, stb, errcode, pi); efree(file_awk); @@ -3384,7 +3383,7 @@ { IOBUF *iop; - ezalloc(iop, IOBUF *, sizeof(IOBUF), "iop_alloc"); + ezalloc(iop, IOBUF *, sizeof(IOBUF)); iop->public.fd = fd; iop->public.name = name; @@ -3459,7 +3458,7 @@ lintwarn(_("data file `%s' is empty"), iop->public.name); iop->errcode = errno = 0; iop->count = iop->scanoff = 0; - emalloc(iop->buf, char *, iop->size += 1, "iop_finish"); + emalloc(iop->buf, char *, iop->size += 1); iop->off = iop->buf; iop->dataend = NULL; iop->end = iop->buf + iop->size; @@ -3509,7 +3508,7 @@ fatal(_("could not allocate more input memory")); iop->size = newsize; - erealloc(iop->buf, char *, iop->size, "grow_iop_buffer"); + erealloc(iop->buf, char *, iop->size); iop->off = iop->buf + off; iop->dataend = iop->off + valid; iop->end = iop->buf + iop->size; @@ -3713,11 +3712,19 @@ * found a simple string match at end, return REC_OK * else * grow buffer, add more data, try again + * if possibly a variable length match (in which case more + * match could be in next input buffer) + * grow buffer, add more data, try again + * else # simpler re + * return REC_OK + * fi * fi */ if (iop->off + reend >= iop->dataend) { if (reisstring(RS->stptr, RS->stlen, RSre, iop->off)) return REC_OK; + else if (! RSre->maybe_long) + return REC_OK; else return TERMATEND; } @@ -4389,7 +4396,7 @@ str_len = strlen(pidx1) + subsep->stlen + strlen(pidx2); if (sub == NULL) { - emalloc(str, char *, str_len + 1, "in_PROCINFO"); + emalloc(str, char *, str_len + 1); sub = make_str_node(str, str_len, ALREADY_MALLOCED); if (full_idx) *full_idx = sub; @@ -4397,7 +4404,7 @@ /* *full_idx != NULL */ assert(sub->valref == 1); - erealloc(sub->stptr, char *, str_len + 1, "in_PROCINFO"); + erealloc(sub->stptr, char *, str_len + 1); sub->stlen = str_len; } @@ -4622,8 +4629,7 @@ if (open_pipes == NULL) { int count = getdtablesize(); - emalloc(open_pipes, write_pipe *, sizeof(write_pipe) * count, - "gawk_popen_write"); + emalloc(open_pipes, write_pipe *, sizeof(write_pipe) * count); memset(open_pipes, 0, sizeof(write_pipe) * count); } diff -urN gawk-5.3.1/m4/ChangeLog gawk-5.3.2/m4/ChangeLog --- gawk-5.3.1/m4/ChangeLog 2024-09-17 21:43:39.000000000 +0300 +++ gawk-5.3.2/m4/ChangeLog 2025-04-02 08:34:20.000000000 +0300 @@ -1,3 +1,28 @@ +2025-04-02 Arnold D. Robbins + + * 5.3.2: Release tar made. + +2025-03-20 Arnold D. Robbins + + * pma.m4: Use AC_COMPILE_IF_ELSE instead of AC_TRY_COMPILE. + Thanks to autoreconf. + +2025-02-16 Arnold D. Robbins + + * pma.m4: Add compilation check for ADDR_NO_RANDOMIZE. It's an + enum, not a define. It's not available on really old Linux + systems, like CentOS 5. + +2025-02-01 Arnold D. Robbins + + * pma.m4: On macos, no longer need to do anything special, + but we do have to have a case for it so that PMA is enabled. + +2025-01-29 Arnold D. Robbins + + * pma.m4: On Linux, no longer need to do anything special, + but we do have to have a case for it so that PMA is enabled. + 2024-09-17 Arnold D. Robbins * 5.3.1: Release tar made. diff -urN gawk-5.3.1/m4/pma.m4 gawk-5.3.2/m4/pma.m4 --- gawk-5.3.1/m4/pma.m4 2024-04-19 16:07:15.000000000 +0300 +++ gawk-5.3.2/m4/pma.m4 2025-03-20 16:37:59.000000000 +0200 @@ -1,6 +1,6 @@ dnl Decide whether or not to use the persistent memory allocator dnl -dnl Copyright (C) 2022, 2023 Free Software Foundation, Inc. +dnl Copyright (C) 2022, 2023, 2025 Free Software Foundation, Inc. dnl This file is free software; the Free Software Foundation dnl gives unlimited permission to copy and/or distribute it, dnl with or without modifications, as long as this notice is preserved. @@ -19,25 +19,16 @@ use_persistent_malloc=yes case $host_os in linux-*) - AX_CHECK_COMPILE_FLAG([-no-pie], - [LDFLAGS="${LDFLAGS} -no-pie" - export LDFLAGS]) + AC_COMPILE_IFELSE([AC_LANG_PROGRAM([[ + #include + int x = ADDR_NO_RANDOMIZE; + ]], [[]])],[have_addr_no_randomize=yes],[have_addr_no_randomize=no]) ;; *darwin*) - # 27 November 2022: PMA only works on Intel. - case $host in - x86_64-*) - LDFLAGS="${LDFLAGS} -Xlinker -no_pie" - export LDFLAGS - ;; - *) - # disable on all other macOS systems - use_persistent_malloc=no - ;; - esac + true # On macos we no longer need -no-pie ;; *cygwin* | *CYGWIN* | *solaris2.11* | freebsd13.* | openbsd7.* ) - true # nothing do, exes on these systems are not PIE + true # nothing to do, exes on these systems are not PIE ;; # Other OS's go here... *) @@ -57,9 +48,14 @@ fi AM_CONDITIONAL([USE_PERSISTENT_MALLOC], [test "$use_persistent_malloc" = "yes"]) +AM_CONDITIONAL([HAVE_ADDR_NO_RANDOMIZE], [test "$have_addr_no_randomize" = "yes"]) if test "$use_persistent_malloc" = "yes" then AC_DEFINE(USE_PERSISTENT_MALLOC, 1, [Define to 1 if we can use the pma allocator]) fi +if test "$have_addr_no_randomize" = "yes" +then + AC_DEFINE(HAVE_ADDR_NO_RANDOMIZE, 1, [Define to 1 if we have ADDR_NO_RANDOMIZE value]) +fi ]) diff -urN gawk-5.3.1/main.c gawk-5.3.2/main.c --- gawk-5.3.1/main.c 2024-09-17 18:14:57.000000000 +0300 +++ gawk-5.3.2/main.c 2025-04-02 06:57:42.000000000 +0300 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 1986, 1988, 1989, 1991-2024, + * Copyright (C) 1986, 1988, 1989, 1991-2025, * the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the @@ -25,7 +25,7 @@ */ /* FIX THIS BEFORE EVERY RELEASE: */ -#define UPDATE_YEAR 2024 +#define UPDATE_YEAR 2025 #include "awk.h" #include "getopt.h" @@ -143,6 +143,7 @@ #ifdef USE_PERSISTENT_MALLOC const char *get_pma_version(void); #endif +static bool enable_pma(char **argv); int use_lc_numeric = false; /* obey locale for decimal point */ @@ -213,28 +214,13 @@ bool have_srcfile = false; SRCFILE *s; char *cp; - const char *persist_file = getenv("GAWK_PERSIST_FILE"); /* backing file for PMA */ #if defined(LOCALEDEBUG) const char *initial_locale; #endif myname = gawk_name(argv[0]); - check_pma_security(persist_file); - - int pma_result = pma_init(1, persist_file); - if (pma_result != 0) { - // don't use 'fatal' routine, memory can't be allocated - fprintf(stderr, _("%s: fatal: persistent memory allocator failed to initialize: return value %d, pma.c line: %d.\n"), - myname, pma_result, pma_errno); - exit(EXIT_FATAL); - } - - using_persistent_malloc = (persist_file != NULL); -#ifndef USE_PERSISTENT_MALLOC - if (using_persistent_malloc) - warning(_("persistent memory is not supported")); -#endif + using_persistent_malloc = enable_pma(argv); #ifdef HAVE_MPFR mp_set_memory_functions(mpfr_mem_alloc, mpfr_mem_realloc, mpfr_mem_free); #endif @@ -258,17 +244,6 @@ if ((cp = getenv("GAWK_LOCALE_DIR")) != NULL) locale_dir = cp; -#if defined(F_GETFL) && defined(O_APPEND) - // 1/2018: This is needed on modern BSD systems so that the - // inplace tests pass. I think it's a bug in those kernels - // but let's just work around it anyway. - int flags = fcntl(fileno(stderr), F_GETFL, NULL); - if (flags >= 0 && (flags & O_APPEND) == 0) { - flags |= O_APPEND; - (void) fcntl(fileno(stderr), F_SETFL, flags); - } -#endif - #if defined(LOCALEDEBUG) initial_locale = locale; #endif @@ -546,6 +521,7 @@ set_current_namespace(awk_namespace); dump_prog(code_block); dump_funcs(); + close_prof_file(); } if (do_dump_vars) @@ -575,13 +551,11 @@ ++numassigns; if (preassigns == NULL) { - emalloc(preassigns, struct pre_assign *, - INIT_SRC * sizeof(struct pre_assign), "add_preassign"); + emalloc(preassigns, struct pre_assign *, INIT_SRC * sizeof(struct pre_assign)); alloc_assigns = INIT_SRC; } else if (numassigns >= alloc_assigns) { alloc_assigns *= 2; - erealloc(preassigns, struct pre_assign *, - alloc_assigns * sizeof(struct pre_assign), "add_preassigns"); + erealloc(preassigns, struct pre_assign *, alloc_assigns * sizeof(struct pre_assign)); } preassigns[numassigns].type = type; preassigns[numassigns].val = estrdup(val, strlen(val)); @@ -1248,7 +1222,7 @@ // typed regex size_t len = strlen(cp) - 3; - ezalloc(cp2, char *, len + 1, "arg_assign"); + ezalloc(cp2, char *, len + 1); memcpy(cp2, cp + 2, len); it = make_typed_regex(cp2, len); @@ -1448,7 +1422,7 @@ return; /* fill in groups */ - emalloc(groupset, GETGROUPS_T *, ngroups * sizeof(GETGROUPS_T), "init_groupset"); + emalloc(groupset, GETGROUPS_T *, ngroups * sizeof(GETGROUPS_T)); ngroups = getgroups(ngroups, groupset); /* same thing here, give up but keep going */ @@ -1466,7 +1440,7 @@ estrdup(const char *str, size_t len) { char *s; - emalloc(s, char *, len + 1, "estrdup"); + emalloc(s, char *, len + 1); memcpy(s, str, len); s[len] = '\0'; return s; @@ -1511,7 +1485,7 @@ { int i; - emalloc(d_argv, char **, (argc + 1) * sizeof(char *), "save_argv"); + emalloc(d_argv, char **, (argc + 1) * sizeof(char *)); for (i = 0; i < argc; i++) d_argv[i] = estrdup(argv[i], strlen(argv[i])); d_argv[argc] = NULL; @@ -1926,3 +1900,33 @@ } #endif /* USE_PERSISTENT_MALLOC */ } + +/* enable_pma --- do the PMA flow, handle ASLR on Linux */ + +static bool +enable_pma(char **argv) +{ + const char *persist_file = getenv("GAWK_PERSIST_FILE"); /* backing file for PMA */ + +#ifndef USE_PERSISTENT_MALLOC + if (persist_file != NULL) { + warning(_("persistent memory is not supported")); + return false; + } + return true; // silence compiler warnings +#else + os_disable_aslr(persist_file, argv); + + check_pma_security(persist_file); + int pma_result = pma_init(1, persist_file); + if (pma_result != 0) { + // don't use 'fatal' routine, memory can't be allocated + fprintf(stderr, _("%s: fatal: persistent memory allocator failed to initialize: return value %d, pma.c line: %d.\n"), + myname, pma_result, pma_errno); + exit(EXIT_FATAL); + } + + + return (persist_file != NULL); +#endif +} diff -urN gawk-5.3.1/missing_d/ChangeLog gawk-5.3.2/missing_d/ChangeLog --- gawk-5.3.1/missing_d/ChangeLog 2024-09-17 21:43:39.000000000 +0300 +++ gawk-5.3.2/missing_d/ChangeLog 2025-04-02 08:35:21.000000000 +0300 @@ -1,3 +1,12 @@ +2025-04-02 Arnold D. Robbins + + * 5.3.2: Release tar made. + +2025-03-23 Khem Raj + + * fnmatch.c, getopt.h, getopt.c: Add parameter signatures + for getenv() and getopt(). Needed for Musl libc. + 2024-09-17 Arnold D. Robbins * 5.3.1: Release tar made. diff -urN gawk-5.3.1/missing_d/fnmatch.c gawk-5.3.2/missing_d/fnmatch.c --- gawk-5.3.1/missing_d/fnmatch.c 2024-04-19 16:07:15.000000000 +0300 +++ gawk-5.3.2/missing_d/fnmatch.c 2025-03-23 10:13:49.000000000 +0200 @@ -121,7 +121,7 @@ whose names are inconsistent. */ # if !defined _LIBC && !defined getenv -extern char *getenv (); +extern char *getenv (const char*); # endif # ifndef errno diff -urN gawk-5.3.1/mpfr.c gawk-5.3.2/mpfr.c --- gawk-5.3.1/mpfr.c 2024-09-17 19:23:19.000000000 +0300 +++ gawk-5.3.2/mpfr.c 2025-03-30 11:41:29.000000000 +0300 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 2012, 2013, 2015, 2017, 2018, 2019, 2021, 2022, 2024, + * Copyright (C) 2012, 2013, 2015, 2017, 2018, 2019, 2021, 2022, 2024, 2025, * the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the @@ -350,6 +350,7 @@ char *cp, *cpend; if (n->type == Node_elem_new) { + elem_new_reset(n); n->type = Node_val; return n; @@ -980,7 +981,7 @@ op, argnum, left) ); - emalloc(pz, mpz_ptr, sizeof (mpz_t), "get_intval"); + emalloc(pz, mpz_ptr, sizeof (mpz_t)); mpz_init(pz); return pz; /* should be freed */ } @@ -999,7 +1000,7 @@ ); } - emalloc(pz, mpz_ptr, sizeof (mpz_t), "get_intval"); + emalloc(pz, mpz_ptr, sizeof (mpz_t)); mpz_init(pz); mpfr_get_z(pz, left, MPFR_RNDZ); /* float to integer conversion */ return pz; /* should be freed */ diff -urN gawk-5.3.1/NEWS gawk-5.3.2/NEWS --- gawk-5.3.1/NEWS 2024-09-17 19:36:48.000000000 +0300 +++ gawk-5.3.2/NEWS 2025-04-02 06:57:42.000000000 +0300 @@ -1,10 +1,36 @@ - Copyright (C) 2019, 2020, 2021, 2022, 2023, 2024 + Copyright (C) 2019, 2020, 2021, 2022, 2023, 2024, 2025 Free Software Foundation, Inc. Copying and distribution of this file, with or without modification, are permitted in any medium without royalty provided the copyright notice and this notice are preserved. +Changes from 5.3.1 to 5.3.2 +--------------------------- + +1. The pretty printer now produces fewer spurious newlines; at the + outermost level it now adds newlines between block comments and + the block or function that follows them. The extra final newline + is no longer produced. + +2. OpenVMS 9.2-2 x86_64 is now supported. + +3. On Linux and macos systems, the -no-pie linker flag is no longer required. + PMA now works on macos systems with Apple silicon, and not just + Intel systems. + +4. Still more subtle issues related to uninitialized array elements have + been fixed. + +5. Associative arrays should now not grow quite as fast as they used to. + +6. The code and documentation are now consistent with each other with + respect to path searching and adding .awk to the filename. Both + are always done, even with --posix and --traditional. + +7. As usual, there have been several minor code cleanups and bug fixes. + See the ChangeLog for details. + Changes from 5.3.0 to 5.3.1 --------------------------- diff -urN gawk-5.3.1/node.c gawk-5.3.2/node.c --- gawk-5.3.1/node.c 2024-09-17 09:09:19.000000000 +0300 +++ gawk-5.3.2/node.c 2025-03-30 11:41:29.000000000 +0300 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 1986, 1988, 1989, 1991-2001, 2003-2015, 2017-2019, 2021-2024, + * Copyright (C) 1986, 1988, 1989, 1991-2001, 2003-2015, 2017-2019, 2021-2025, * the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the @@ -61,6 +61,7 @@ char *ptr; if (n->type == Node_elem_new) { + elem_new_reset(n); n->type = Node_val; return n; @@ -294,7 +295,7 @@ } if ((s->flags & (MALLOC|STRCUR)) == (MALLOC|STRCUR)) efree(s->stptr); - emalloc(s->stptr, char *, s->stlen + 1, "format_val"); + emalloc(s->stptr, char *, s->stlen + 1); memcpy(s->stptr, sp, s->stlen + 1); no_malloc: s->flags |= STRCUR; @@ -343,13 +344,13 @@ r->wstlen = 0; if ((n->flags & STRCUR) != 0) { - emalloc(r->stptr, char *, n->stlen + 1, "r_dupnode"); + emalloc(r->stptr, char *, n->stlen + 1); memcpy(r->stptr, n->stptr, n->stlen); r->stptr[n->stlen] = '\0'; r->stlen = n->stlen; if ((n->flags & WSTRCUR) != 0) { r->wstlen = n->wstlen; - emalloc(r->wstptr, wchar_t *, sizeof(wchar_t) * (n->wstlen + 1), "r_dupnode"); + emalloc(r->wstptr, wchar_t *, sizeof(wchar_t) * (n->wstlen + 1)); memcpy(r->wstptr, n->wstptr, n->wstlen * sizeof(wchar_t)); r->wstptr[n->wstlen] = L'\0'; r->flags |= WSTRCUR; @@ -402,6 +403,7 @@ { NODE *r; getnode(r); + memset(r, '\0', sizeof(NODE)); r->type = Node_val; r->numbr = 0; r->flags = (MALLOC|STRING|STRCUR); @@ -416,7 +418,7 @@ if ((flags & ALREADY_MALLOCED) != 0) r->stptr = (char *) s; else { - emalloc(r->stptr, char *, len + 1, "make_str_node"); + emalloc(r->stptr, char *, len + 1); memcpy(r->stptr, s, len); } r->stptr[len] = '\0'; @@ -488,7 +490,7 @@ *ptm++ = c; } len = ptm - r->stptr; - erealloc(r->stptr, char *, len + 1, "make_str_node"); + erealloc(r->stptr, char *, len + 1); r->stptr[len] = '\0'; } r->stlen = len; @@ -538,8 +540,22 @@ if ((tmp->flags & (MALLOC|STRCUR)) == (MALLOC|STRCUR)) efree(tmp->stptr); + if ((tmp->flags & REGEX) != 0) { + refree(tmp->typed_re->re_reg[0]); + if (tmp->typed_re->re_reg[1] != NULL) + refree(tmp->typed_re->re_reg[1]); + unref(tmp->typed_re->re_exp); + freenode(tmp->typed_re); + } + mpfr_unset(tmp); + if (tmp->type == Node_elem_new && tmp->elemnew_vname != NULL) + efree(tmp->elemnew_vname); + else if ((tmp->type == Node_var || tmp->type == Node_var_new) + && tmp->vname != NULL) + efree(tmp->vname); + free_wstr(tmp); freenode(tmp); } @@ -826,7 +842,7 @@ * Create the array. */ if (ptr != NULL) { - ezalloc(*ptr, size_t *, sizeof(size_t) * (n->stlen + 1), "str2wstr"); + ezalloc(*ptr, size_t *, sizeof(size_t) * (n->stlen + 1)); } /* @@ -859,7 +875,7 @@ * realloc the wide string down in size. */ - emalloc(n->wstptr, wchar_t *, sizeof(wchar_t) * (n->stlen + 1), "str2wstr"); + emalloc(n->wstptr, wchar_t *, sizeof(wchar_t) * (n->stlen + 1)); wsp = n->wstptr; sp = n->stptr; @@ -941,7 +957,7 @@ n->flags |= WSTRCUR; #define ARBITRARY_AMOUNT_TO_GIVE_BACK 100 if (n->stlen - n->wstlen > ARBITRARY_AMOUNT_TO_GIVE_BACK) - erealloc(n->wstptr, wchar_t *, sizeof(wchar_t) * (n->wstlen + 1), "str2wstr"); + erealloc(n->wstptr, wchar_t *, sizeof(wchar_t) * (n->wstlen + 1)); return n; } @@ -968,7 +984,7 @@ memset(& mbs, 0, sizeof(mbs)); length = n->wstlen; - emalloc(newval, char *, (length * gawk_mb_cur_max) + 1, "wstr2str"); + emalloc(newval, char *, (length * gawk_mb_cur_max) + 1); wp = n->wstptr; for (cp = newval; length > 0; length--) { @@ -1149,7 +1165,7 @@ r_getblock(int id) { void *res; - emalloc(res, void *, nextfree[id].size, "getblock"); + emalloc(res, void *, nextfree[id].size); nextfree[id].active++; if (nextfree[id].highwater < nextfree[id].active) nextfree[id].highwater = nextfree[id].active; @@ -1179,7 +1195,7 @@ size = nextfree[id].size; assert(size >= sizeof(struct block_item)); - emalloc(freep, struct block_item *, BLOCKCHUNK * size, "more_blocks"); + emalloc(freep, struct block_item *, BLOCKCHUNK * size); p = (char *) freep; endp = p + BLOCKCHUNK * size; diff -urN gawk-5.3.1/pc/ChangeLog gawk-5.3.2/pc/ChangeLog --- gawk-5.3.1/pc/ChangeLog 2024-09-17 21:43:39.000000000 +0300 +++ gawk-5.3.2/pc/ChangeLog 2025-04-02 08:36:39.000000000 +0300 @@ -1,3 +1,61 @@ +2025-04-02 Arnold D. Robbins + + * config.h: Regenerated. + * 5.3.2: Release tar made. + +2025-03-27 Arnold D. Robbins + + * Makefile.tst: Regenerated. + +2025-03-18 Arnold D. Robbins + + * config.h: Regenerated. + +2025-03-17 Arnold D. Robbins + + * Makefile.tst: Regenerated. + +2025-03-11 Arnold D. Robbins + + * Makefile.tst: Regenerated. + +2025-02-24 Arnold D. Robbins + + * Makefile.tst.prologue: Update copyright years. + * Makefile.tst: Regenerated. + +2025-02-18 Arnold D. Robbins + + * Makefile.tst: Regenerated. + +2025-02-05 Arnold D. Robbins + + * Makefile.tst: Regenerated. + +2025-01-23 Arnold D. Robbins + + * Makefile.tst: Regenerated. + +2025-01-22 Arnold D. Robbins + + * Makefile.tst: Regenerated. + +2025-01-07 Arnold D. Robbins + + * Makefile.tst: Regenerated. + +2025-01-06 Arnold D. Robbins + + * Makefile.tst: Regenerated. + +2024-10-25 Arnold D. Robbins + + * Makefile.tst: Regenerated. + +2024-09-19 Arnold D. Robbins + + * Makefile.tst, config.h: Regenerated. + 2024-09-17 Arnold D. Robbins * 5.3.1: Release tar made. diff -urN gawk-5.3.1/pc/config.h gawk-5.3.2/pc/config.h --- gawk-5.3.1/pc/config.h 2024-09-17 21:43:59.000000000 +0300 +++ gawk-5.3.2/pc/config.h 2025-04-02 08:37:56.000000000 +0300 @@ -15,6 +15,9 @@ /* Define to 1 if the `getpgrp' function requires zero arguments. */ #define GETPGRP_VOID 1 +/* Define to 1 if we have ADDR_NO_RANDOMIZE value */ +#undef HAVE_ADDR_NO_RANDOMIZE + /* Define to 1 if you have the `alarm' function. */ #define HAVE_ALARM 1 @@ -178,6 +181,9 @@ /* Define to 1 if you have the header file. */ #undef HAVE_NETINET_IN_H +/* Define to 1 if you have the `personality' function. */ +#undef HAVE_PERSONALITY + /* Define to 1 if you have the `posix_openpt' function. */ #undef HAVE_POSIX_OPENPT @@ -202,6 +208,9 @@ /* we have sockets on this system */ #define HAVE_SOCKETS 1 +/* Define to 1 if you have the header file. */ +#undef HAVE_SPAWN_H + /* Define to 1 if you have the header file. */ #define HAVE_STDBOOL_H 1 @@ -280,6 +289,9 @@ /* Define to 1 if you have the header file. */ #define HAVE_SYS_PARAM_H 1 +/* Define to 1 if you have the header file. */ +#undef HAVE_SYS_PERSONALITY_H + /* Define to 1 if you have the header file. */ #undef HAVE_SYS_SELECT_H @@ -360,6 +372,9 @@ /* systems should define this type here */ #define HAVE_WINT_T 1 +/* Define to 1 if you have the `_NSGetExecutablePath' function. */ +#undef HAVE__NSGETEXECUTABLEPATH + /* Define to 1 if you have the `__etoa_l' function. */ #undef HAVE___ETOA_L @@ -376,7 +391,7 @@ #define PACKAGE_NAME "GNU Awk" /* Define to the full name and version of this package. */ -#define PACKAGE_STRING "GNU Awk 5.3.1" +#define PACKAGE_STRING "GNU Awk 5.3.2" /* Define to the one symbol short name of this package. */ #define PACKAGE_TARNAME "gawk" @@ -385,7 +400,7 @@ #define PACKAGE_URL "http://www.gnu.org/software/gawk/" /* Define to the version of this package. */ -#define PACKAGE_VERSION "5.3.1" +#define PACKAGE_VERSION "5.3.2" /* Define to 1 if *printf supports %a format */ #define PRINTF_HAS_A_FORMAT 1 @@ -513,7 +528,7 @@ /* Version number of package */ -#define VERSION "5.3.1" +#define VERSION "5.3.2" /* Number of bits in a file offset, on hosts where this is settable. */ #undef _FILE_OFFSET_BITS diff -urN gawk-5.3.1/pc/Makefile.tst gawk-5.3.2/pc/Makefile.tst --- gawk-5.3.1/pc/Makefile.tst 2024-09-17 21:38:18.000000000 +0300 +++ gawk-5.3.2/pc/Makefile.tst 2025-04-02 07:00:43.000000000 +0300 @@ -1,6 +1,6 @@ # Makefile for GNU Awk test suite. # -# Copyright (C) 1988-2023 the Free Software Foundation, Inc. +# Copyright (C) 1988-2025 the Free Software Foundation, Inc. # # This file is part of GAWK, the GNU implementation of the # AWK Programming Language. @@ -147,83 +147,101 @@ arryref2 arryref3 arryref4 arryref5 arynasty arynocls aryprm1 \ aryprm2 aryprm3 aryprm4 aryprm5 aryprm6 aryprm7 aryprm8 aryprm9 \ arysubnm aryunasgn asgext assignnumfield assignnumfield2 awkpath \ - back89 backgsub badassign1 badbuild callparam childin clobber \ - close_status closebad clsflnam cmdlinefsbacknl cmdlinefsbacknl2 \ - compare compare2 concat1 concat2 concat3 concat4 concat5 \ - convfmt datanonl defref delargv delarpm2 delarprm delfunc \ - dfacheck2 dfamb1 dfastress divzero divzero2 dynlj eofsplit \ - eofsrc1 escapebrace exit2 exitval1 exitval2 exitval3 fcall_exit \ - fcall_exit2 fieldassign fldchg fldchgnf fldterm fnamedat \ - fnarray fnarray2 fnaryscl fnasgnm fnmisc fordel forref forsimp \ - fsbs fscaret fsnul1 fsrs fsspcoln fstabplus funsemnl funsmnam \ - funstack getline getline2 getline3 getline4 getline5 getlnbuf \ - getlnfa getnr2tb getnr2tm gsubasgn gsubnulli18n gsubtest gsubtst2 \ - gsubtst3 gsubtst4 gsubtst5 gsubtst6 gsubtst7 gsubtst8 hex hex2 \ - hsprint inpref inputred intest intprec iobug1 leaddig leadnl \ - litoct longsub longwrds manglprm match4 matchuninitialized math \ - membug1 memleak messages minusstr mmap8k nasty nasty2 negexp \ - negrange nested nfldstr nfloop nfneg nfset nlfldsep nlinstr \ - nlstrina noeffect nofile nofmtch noloop1 noloop2 nonl noparms \ - nors nulinsrc nulrsend numindex numrange numstr1 numsubstr octsub \ - ofmt ofmta ofmtbig ofmtfidl ofmts ofmtstrnum ofs1 onlynl opasnidx \ - opasnslf paramasfunc1 paramasfunc2 paramdup paramres paramtyp \ + back89 backgsub badassign1 badbuild \ + callparam childin clobber close_status closebad clsflnam \ + cmdlinefsbacknl cmdlinefsbacknl2 compare compare2 concat1 concat2 \ + concat3 concat4 concat5 convfmt \ + datanonl defref delargv delarpm2 delarprm delfunc dfacheck2 \ + dfamb1 dfastress divzero divzero2 dynlj \ + eofsplit eofsrc1 escapebrace exit2 exitval1 exitval2 exitval3 \ + fcall_exit fcall_exit2 fieldassign fldchg fldchgnf fldterm \ + fnamedat fnarray fnarray2 fnaryscl fnasgnm fnmisc fordel forref \ + forsimp fsbs fscaret fsnul1 fsrs fsspcoln fstabplus funsemnl \ + funsmnam funstack \ + getline getline2 getline3 getline4 getline5 getlnbuf getlnfa \ + getnr2tb getnr2tm gsubasgn gsubnulli18n gsubtest gsubtst2 gsubtst3 \ + gsubtst4 gsubtst5 gsubtst6 gsubtst7 gsubtst8 \ + hex hex2 hsprint \ + inpref inputred intest intprec iobug1 \ + leaddig leadnl litoct longsub longwrds \ + manglprm match4 matchuninitialized math membug1 memleak messages \ + minusstr mmap8k \ + nasty nasty2 negexp negrange nested nfldstr nfloop nfneg nfset \ + nlfldsep nlinstr nlstrina noeffect nofile nofmtch noloop1 \ + noloop2 nonl noparms nors nulinsrc nulrsend numindex numrange \ + numstr1 numsubstr \ + octsub ofmt ofmta ofmtbig ofmtfidl ofmts ofmtstrnum ofs1 onlynl \ + opasnidx opasnslf \ + paramasfunc1 paramasfunc2 paramdup paramres paramtyp \ paramuninitglobal parse1 parsefld parseme pcntplus posix2008sub \ posix_compare prdupval prec printf-corners printf0 printf1 \ - printfchar prmarscl prmreuse prt1eval prtoeval rand randtest \ - range1 range2 readbuf rebrackloc rebt8b1 rebuild redfilnm regeq \ - regex3minus regexpbad regexpbrack regexpbrack2 regexprange \ - regrange reindops reparse resplit rri1 rs rscompat rsnul1nl \ - rsnulbig rsnulbig2 rsnullre rsnulw rstest1 rstest2 rstest3 \ - rstest4 rstest5 rswhite scalar sclforin sclifin setrec0 setrec1 \ - sigpipe1 sortempty sortglos spacere splitargv splitarr splitdef \ - splitvar splitwht status-close strcat1 strfieldnum strnum1 strnum2 \ - strsubscript strtod subamp subback subi18n subsepnm subslash \ - substr swaplns synerr1 synerr2 synerr3 tailrecurse tradanch \ - trailbs tweakfld uninit2 uninit3 uninit4 uninit5 uninitialized \ - unterm uparrfs uplus wideidx wideidx2 widesub widesub2 widesub3 \ - widesub4 wjposer1 zero2 zeroe0 zeroflag + printfchar prmarscl prmreuse prt1eval prtoeval \ + rand randtest range1 range2 readbuf rebrackloc rebt8b1 rebuild \ + redfilnm regeq regex3minus regexpbad regexpbrack regexpbrack2 \ + regexprange regrange reindops reparse resplit rri1 rs rscompat \ + rsnul1nl rsnulbig rsnulbig2 rsnullre rsnulw rstest1 rstest2 \ + rstest3 rstest4 rstest5 rswhite \ + scalar sclforin sclifin setrec0 setrec1 sigpipe1 sortempty \ + sortglos spacere splitargv splitarr splitdef splitvar splitwht splitwht2 \ + status-close strcat1 strfieldnum strnum1 strnum2 strsubscript \ + strtod subamp subback subi18n subsepnm subslash substr swaplns \ + synerr1 synerr2 synerr3 \ + tailrecurse tradanch trailbs tweakfld \ + uninit2 uninit3 uninit4 uninit5 uninitialized unterm uparrfs uplus \ + wideidx wideidx2 widesub widesub2 widesub3 widesub4 wjposer1 \ + zero2 zeroe0 zeroflag UNIX_TESTS = \ fflush getlnhd localenl pid pipeio1 pipeio2 poundbang rtlen rtlen01 \ space strftlng GAWK_EXT_TESTS = \ - aadelete1 aadelete2 aarray1 aasort aasorti argtest arraysort \ - arraysort2 arraytype asortbool asortsymtab backw badargs \ - beginfile1 beginfile2 binmode1 charasbytes clos1way clos1way2 \ - clos1way3 clos1way4 clos1way5 clos1way6 colonwarn commas crlf \ - csv1 csv2 csv3 csvodd dbugarray1 dbugarray2 dbugarray3 dbugarray4 \ - dbugeval dbugeval2 dbugeval3 dbugeval4 dbugtypedre1 dbugtypedre2 \ - delsub devfd devfd1 devfd2 dfacheck1 dumpvars elemnew1 elemnew2 \ - elemnew3 errno exit fieldwdth forcenum fpat1 fpat2 fpat3 fpat4 \ - fpat5 fpat6 fpat7 fpat8 fpat9 fpatnull fsfwfs functab1 functab2 \ - functab3 functab6 funlen fwtest fwtest2 fwtest3 fwtest4 fwtest5 \ - fwtest6 fwtest7 fwtest8 genpot gensub gensub2 gensub3 gensub4 \ - getlndir gnuops2 gnuops3 gnureops gsubind icasefs icasers id \ - igncdym igncfs ignrcas2 ignrcas4 ignrcase incdupe incdupe2 \ - incdupe3 incdupe4 incdupe5 incdupe6 incdupe7 include include2 \ - indirectbuiltin indirectcall indirectcall2 indirectcall3 intarray \ - iolint isarrayunset lint lintexp lintindex lintint lintlength \ - lintold lintplus lintplus2 lintplus3 lintset lintwarn manyfiles \ + aadelete1 aadelete2 aarray1 aasort aasorti ar2fn_elnew_sc \ + ar2fn_elnew_sc2 ar2fn_fmod ar2fn_unxptyp_aref ar2fn_unxptyp_val \ + argtest arraysort arraysort2 arraytype asortbool asortsymtab \ + backw badargs beginfile1 beginfile2 binmode1 \ + charasbytes clos1way clos1way2 clos1way3 clos1way4 clos1way5 \ + clos1way6 colonwarn commas crlf csv1 csv2 csv3 csvodd \ + dbugarray1 dbugarray2 dbugarray3 dbugarray4 dbugeval dbugeval2 \ + dbugeval3 dbugeval4 dbugtypedre1 dbugtypedre2 delmessy delsub \ + devfd devfd1 devfd2 dfacheck1 dumpvars elemnew1 \ + elemnew2 elemnew3 errno exit \ + fieldwdth forcenum fpat1 fpat2 fpat3 fpat4 fpat5 fpat6 fpat7 fpat8 \ + fpat9 fpatnull fsfwfs functab1 functab2 functab3 functab6 funlen \ + fwtest fwtest2 fwtest3 fwtest4 fwtest5 fwtest6 fwtest7 fwtest8 \ + genpot gensub gensub2 gensub3 gensub4 getlndir gnuops2 gnuops3 gnureops gsubind \ + icasefs icasers id igncdym igncfs ignrcas2 ignrcas4 ignrcase \ + incdupe incdupe2 incdupe3 incdupe4 incdupe5 incdupe6 incdupe7 \ + include include2 indirectbuiltin indirectbuiltin3 indirectbuiltin4 \ + indirectbuiltin5 indirectbuiltin6 indirectcall indirectcall2 \ + indirectcall3 intarray iolint isarrayunset \ + lint lintexp lintindex lintint lintlength lintold lintplus \ + lintplus2 lintplus3 lintset lintwarn manyfiles \ match1 match2 match3 mbstr1 mbstr2 mdim1 mdim2 mdim3 mdim4 mdim5 \ - mdim6 mdim7 mdim8 mixed1 mktime modifiers muldimposix nastyparm \ - negtime next nondec nondec2 nonfatal1 nonfatal2 nonfatal3 \ - nsawk1a nsawk1b nsawk1c nsawk2a nsawk2b nsbad nsbad2 nsbad3 \ - nsbad_cmd nsforloop nsfuncrecurse nsidentifier nsindirect1 \ - nsindirect2 nsprof1 nsprof2 nsprof3 octdec patsplit posix \ - printfbad1 printfbad2 printfbad3 printfbad4 printhuge procinfs \ - profile0 profile1 profile2 profile3 profile4 profile5 profile6 \ - profile7 profile8 profile9 profile10 profile11 profile12 \ - profile13 profile14 profile15 profile16 profile17 pty1 pty2 \ + mdim6 mdim7 mdim8 memleak2 memleak3 mixed1 mktime modifiers \ + muldimposix \ + nastyparm negtime next nondec nondec2 nonfatal1 nonfatal2 \ + nonfatal3 nsawk1a nsawk1b nsawk1c nsawk2a nsawk2b nsbad nsbad2 \ + nsbad3 nsbad_cmd nsforloop nsfuncrecurse nsidentifier nsindirect1 \ + nsindirect2 nsprof1 nsprof2 nsprof3 \ + octdec \ + patsplit posix printfbad1 printfbad2 printfbad3 printfbad4 \ + printhuge procinfs profile0 profile1 profile2 profile3 profile4 \ + profile5 profile6 profile7 profile8 profile9 profile10 profile11 \ + profile12 profile13 profile14 profile15 profile16 profile17 \ + pty1 pty2 \ re_test rebuf regexsub reginttrad regnul1 regnul2 regx8bit reint \ reint2 rsgetline rsglstdin rsstart1 rsstart2 rsstart3 rstest6 \ sandbox1 shadow shadowbuiltin sortfor sortfor2 sortu sourcesplit \ split_after_fpat splitarg4 strftfld strftime strtonum strtonum1 \ stupid1 stupid2 stupid3 stupid4 stupid5 switch2 symtab1 symtab2 \ symtab3 symtab4 symtab5 symtab6 symtab7 symtab8 symtab9 symtab10 \ - symtab11 symtab12 timeout typedregex1 typedregex2 typedregex3 \ - typedregex4 typedregex5 typedregex6 typeof1 typeof2 typeof3 \ - typeof4 typeof5 typeof6 typeof7 typeof8 unicode1 watchpoint1 + symtab11 symtab12 \ + timeout typedregex1 typedregex2 typedregex3 typedregex4 \ + typedregex5 typedregex6 typeof1 typeof2 typeof3 typeof4 typeof5 \ + typeof6 typeof7 typeof8 typeof9 \ + unicode1 \ + watchpoint1 ARRAYDEBUG_TESTS = arrdbg EXTRA_TESTS = inftest regtest ignrcas3 @@ -1021,7 +1039,8 @@ @echo $@ @-cp "$(srcdir)"/inplace.1.in _$@.1 @-cp "$(srcdir)"/inplace.2.in _$@.2 - @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @->_$@ + @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ @-$(CMP) "$(srcdir)"/$@.1.ok _$@.1 && rm -f _$@.1 @-$(CMP) "$(srcdir)"/$@.2.ok _$@.2 && rm -f _$@.2 @@ -1030,7 +1049,8 @@ @echo $@ @-cp "$(srcdir)"/inplace.1.in _$@.1 @-cp "$(srcdir)"/inplace.2.in _$@.2 - @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v inplace::suffix=.bak 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @>_$@ + @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v inplace::suffix=.bak 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ @-$(CMP) "$(srcdir)"/$@.1.ok _$@.1 && rm -f _$@.1 @-$(CMP) "$(srcdir)"/$@.1.bak.ok _$@.1.bak && rm -f _$@.1.bak @@ -1041,7 +1061,8 @@ @echo $@ @-cp "$(srcdir)"/inplace.1.in _$@.1 @-cp "$(srcdir)"/inplace.2.in _$@.2 - @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v INPLACE_SUFFIX=.orig 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @->_$@ + @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v INPLACE_SUFFIX=.orig 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ @-$(CMP) "$(srcdir)"/$@.1.ok _$@.1 && rm -f _$@.1 @-$(CMP) "$(srcdir)"/$@.1.orig.ok _$@.1.orig && rm -f _$@.1.orig @@ -1052,7 +1073,8 @@ @echo $@ @-cp "$(srcdir)"/inplace.1.in _$@.1 @-cp "$(srcdir)"/inplace.2.in _$@.2 - @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v inplace::suffix=.bak 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @->_$@ + @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v inplace::suffix=.bak 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v inplace::suffix=.bak 'BEGIN {print "Before"} {gsub(/bar/, "foo"); print} END {print "After"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ @-$(CMP) "$(srcdir)"/$@.1.ok _$@.1 && rm -f _$@.1 @@ -1064,7 +1086,8 @@ @echo $@ @-cp "$(srcdir)"/inplace.1.in _$@.1 @-cp "$(srcdir)"/inplace.2.in _$@.2 - @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v INPLACE_SUFFIX=.orig 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @->_$@ + @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v INPLACE_SUFFIX=.orig 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v INPLACE_SUFFIX=.orig 'BEGIN {print "Before"} {gsub(/bar/, "foo"); print} END {print "After"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ @-$(CMP) "$(srcdir)"/$@.1.ok _$@.1 && rm -f _$@.1 @@ -1169,7 +1192,7 @@ colonwarn: @echo $@ - @-for i in 1 2 3 ; \ + @-for i in 1 2 3 4 5 ; \ do AWKPATH="$(srcdir)" $(AWK) -f $@.awk $$i < "$(srcdir)"/$@.in 2>&1 ; \ done > _$@ || echo EXIT CODE: $$? >> _$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ @@ -2452,6 +2475,11 @@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ +splitwht2: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + status-close: @echo $@ @echo Expect $@ to fail with MinGW. @@ -2702,6 +2730,31 @@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ +ar2fn_elnew_sc: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +ar2fn_elnew_sc2: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +ar2fn_fmod: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +ar2fn_unxptyp_aref: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +ar2fn_unxptyp_val: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + arraysort: @echo $@ $(ZOS_FAIL) @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @@ -2845,6 +2898,11 @@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk --debug < "$(srcdir)"/$@.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ +delmessy: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + delsub: @echo $@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @@ -3101,6 +3159,26 @@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ +indirectbuiltin3: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +indirectbuiltin4: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +indirectbuiltin5: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +indirectbuiltin6: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + indirectcall: @echo $@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk < "$(srcdir)"/$@.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @@ -3250,6 +3328,16 @@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk < "$(srcdir)"/$@.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ +memleak2: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +memleak3: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + mktime: @echo $@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk < "$(srcdir)"/$@.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @@ -3693,6 +3781,11 @@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ +typeof9: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + unicode1: @echo $@ $(ZOS_FAIL) @echo Expect $@ to fail with MinGW. @@ -3999,7 +4092,7 @@ diff -u "$(srcdir)"/$${base}.ok $$i ; \ fi ; \ fi ; \ - done | more + done | $${PAGER:-more} # make things easier for z/OS zos-diffout: diff -urN gawk-5.3.1/pc/Makefile.tst.prologue gawk-5.3.2/pc/Makefile.tst.prologue --- gawk-5.3.1/pc/Makefile.tst.prologue 2024-08-29 09:52:19.000000000 +0300 +++ gawk-5.3.2/pc/Makefile.tst.prologue 2025-03-09 13:13:49.000000000 +0200 @@ -1,6 +1,6 @@ # Makefile for GNU Awk test suite. # -# Copyright (C) 1988-2023 the Free Software Foundation, Inc. +# Copyright (C) 1988-2025 the Free Software Foundation, Inc. # # This file is part of GAWK, the GNU implementation of the # AWK Programming Language. diff -urN gawk-5.3.1/po/ChangeLog gawk-5.3.2/po/ChangeLog --- gawk-5.3.1/po/ChangeLog 2024-09-17 21:43:39.000000000 +0300 +++ gawk-5.3.2/po/ChangeLog 2025-04-02 08:34:26.000000000 +0300 @@ -1,3 +1,38 @@ +2025-04-02 Arnold D. Robbins + + * 5.3.2: Release tar made. + +2025-03-25 Arnold D. Robbins + + * es.po: Updated. + * LINGUAS: Add tr to the list, as the translation is + from 2022, which is relatively recent. + +2025-03-23 Arnold D. Robbins + + * pt.po: Updated. + +2025-03-05 Arnold D. Robbins + + * de.po, fr.po: Updated. + +2025-03-02 Arnold D. Robbins + + * bg.po, ko.po, pl.po, ro.po, sv.po: Updated. + * it.po: Updated. + +2025-02-28 Arnold D. Robbins + + * id.po: Updated. + +2025-02-24 Arnold D. Robbins + + * id.po: Updated. + +2024-12-15 Arnold D. Robbins + + * sr.po: Updated. + 2024-09-17 Arnold D. Robbins * 5.3.1: Release tar made. diff -urN gawk-5.3.1/posix/ChangeLog gawk-5.3.2/posix/ChangeLog --- gawk-5.3.1/posix/ChangeLog 2024-09-17 21:43:39.000000000 +0300 +++ gawk-5.3.2/posix/ChangeLog 2025-04-02 08:33:49.000000000 +0300 @@ -1,3 +1,22 @@ +2025-04-02 Arnold D. Robbins + + * 5.3.2: Release tar made. + +2025-02-16 Arnold D. Robbins + + * gawkmisc.c (os_disable_aslr): Revise the check for + ADDR_NO_RANDOMIZE, as it's not a macro. :-( + +2025-02-13 Arnold D. Robbins + + * gawkmisc.c (os_disable_aslr): On Linux, check for + ADDR_NO_RANDOMIZE also. Thanks to Nelson Beebe for pointing + this out. + +2025-02-01 Arnold D. Robbins + + * gawkmisc.c (os_disable_aslr): New function for *nix. + 2024-09-17 Arnold D. Robbins * 5.3.1: Release tar made. diff -urN gawk-5.3.1/posix/gawkmisc.c gawk-5.3.2/posix/gawkmisc.c --- gawk-5.3.1/posix/gawkmisc.c 2024-08-29 09:52:19.000000000 +0300 +++ gawk-5.3.2/posix/gawkmisc.c 2025-03-09 13:13:49.000000000 +0200 @@ -1,6 +1,7 @@ /* gawkmisc.c --- miscellaneous gawk routines that are OS specific. - Copyright (C) 1986, 1988, 1989, 1991 - 1998, 2001 - 2004, 2011, 2021, 2022, 2023, + Copyright (C) 1986, 1988, 1989, 1991 - 1998, 2001 - 2004, 2011, + 2021, 2022, 2023, 2025, the Free Software Foundation, Inc. This program is free software; you can redistribute it and/or modify @@ -26,6 +27,14 @@ #include /* for declaration of setmode(). */ #endif +#ifdef HAVE_SYS_PERSONALITY_H // for linux +#include +#endif + +#ifdef HAVE_SPAWN_H +#include // for macos +#endif + const char quote = '\''; const char *defpath = DEFPATH; const char *deflibpath = DEFLIBPATH; @@ -297,6 +306,81 @@ { } +/* os_disable_aslr --- disable Address Space Layout Randomization */ + +// This for Linux and MacOS. It's not needed on other *nix systems. + +void +os_disable_aslr(const char *persist_file, char **argv) +{ +#if defined(HAVE_PERSONALITY) && defined(HAVE_ADDR_NO_RANDOMIZE) + // This code is Linux specific, both the reliance on /proc/self/exe + // and the personality system call. + if (persist_file != NULL) { + const char *cp = getenv("GAWK_PMA_REINCARNATION"); + + if (cp == NULL) { + char fullpath[BUFSIZ]; + int n; + + if ((n = readlink("/proc/self/exe", fullpath, sizeof(fullpath)-1)) < 0) { + fprintf(stderr, _("warning: /proc/self/exe: readlink: %s\n"), + strerror(errno)); + return; + } + fullpath[n] = '\0'; + putenv("GAWK_PMA_REINCARNATION=true"); + if (personality(PER_LINUX | ADDR_NO_RANDOMIZE) < 0) { + fprintf(stderr, _("warning: personality: %s\n"), + strerror(errno)); + fflush(stderr); + // do the exec anyway... + } + execv(fullpath, argv); + } else + (void) unsetenv("GAWK_PMA_REINCARNATION"); + } +#endif +#ifdef HAVE__NSGETEXECUTABLEPATH + // This code is for macos + if (persist_file != NULL) { + const char *cp = getenv("GAWK_PMA_REINCARNATION"); + + if (cp == NULL) { + char fullpath[BUFSIZ]; + int n; + posix_spawnattr_t p_attr; + int status; + pid_t pid; + extern char **environ; + size_t size = BUFSIZ; + + memset(fullpath, 0, BUFSIZ); + n = _NSGetExecutablePath(fullpath, &size); + + putenv("GAWK_PMA_REINCARNATION=true"); + + posix_spawnattr_init(&p_attr); + posix_spawnattr_setflags(&p_attr, 0x100); + status = posix_spawnp(&pid, fullpath, NULL, &p_attr, argv, environ); + if (status == 0) { + if (waitpid(pid, &status, WUNTRACED) != -1) { + if (WIFEXITED(status)) + exit WEXITSTATUS(status); // use original exit code + } else { + fprintf(stderr, _("waitpid: got exit status %#o\n"), status); + exit(EXIT_FATAL); + } + } else { + fprintf(stderr, _("fatal: posix_spawn: %s\n"), strerror(errno)); + exit(EXIT_FATAL); + } + } else + (void) unsetenv("GAWK_PMA_REINCARNATION"); + } +#endif +} + // For MSYS, restore behavior of working in text mode. #ifdef __MSYS__ void diff -urN gawk-5.3.1/printf.c gawk-5.3.2/printf.c --- gawk-5.3.1/printf.c 2024-09-15 09:00:40.000000000 +0300 +++ gawk-5.3.2/printf.c 2025-03-09 13:13:49.000000000 +0200 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 1986, 1988, 1989, 1991-2024, + * Copyright (C) 1986, 1988, 1989, 1991-2025, * the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the @@ -126,7 +126,7 @@ #define bchunk(s, l) if (l) { \ while ((l) > ofre) { \ size_t olen = obufout - obuf; \ - erealloc(obuf, char *, osiz * 2, "format_args"); \ + erealloc(obuf, char *, osiz * 2); \ ofre += osiz; \ osiz *= 2; \ obufout = obuf + olen; \ @@ -140,7 +140,7 @@ #define bchunk_one(s) { \ if (ofre < 1) { \ size_t olen = obufout - obuf; \ - erealloc(obuf, char *, osiz * 2, "format_args"); \ + erealloc(obuf, char *, osiz * 2); \ ofre += osiz; \ osiz *= 2; \ obufout = obuf + olen; \ @@ -153,7 +153,7 @@ #define chksize(l) if ((l) >= ofre) { \ size_t olen = obufout - obuf; \ size_t delta = osiz+l-ofre; \ - erealloc(obuf, char *, osiz + delta, "format_args"); \ + erealloc(obuf, char *, osiz + delta); \ obufout = obuf + olen; \ ofre += delta; \ osiz += delta; \ @@ -201,7 +201,7 @@ const char *formatted = NULL; #define INITIAL_OUT_SIZE 64 - emalloc(obuf, char *, INITIAL_OUT_SIZE, "format_args"); + emalloc(obuf, char *, INITIAL_OUT_SIZE); obufout = obuf; osiz = INITIAL_OUT_SIZE; ofre = osiz - 1; @@ -752,7 +752,7 @@ olen_final = obufout - obuf; #define GIVE_BACK_SIZE (INITIAL_OUT_SIZE * 2) if (ofre > GIVE_BACK_SIZE) - erealloc(obuf, char *, olen_final + 1, "format_args"); + erealloc(obuf, char *, olen_final + 1); r = make_str_node(obuf, olen_final, ALREADY_MALLOCED); obuf = NULL; out: @@ -901,7 +901,7 @@ double tmpval; #define growbuffer(buf, buflen, cp) { \ - erealloc(buf, char *, buflen * 2, "format_integer_xxx"); \ + erealloc(buf, char *, buflen * 2); \ cp = buf + buflen; \ buflen *= 2; \ } @@ -909,7 +909,7 @@ #if defined(HAVE_LOCALE_H) quote_flag = (flags->quote && loc.thousands_sep[0] != '\0'); #endif - emalloc(buf, char *, VALUE_SIZE, "format_integer_digits"); + emalloc(buf, char *, VALUE_SIZE); buflen = VALUE_SIZE; cp = buf; @@ -930,7 +930,7 @@ else buflen *= 2; assert(buflen > 0); - erealloc(buf, char *, buflen, "format_args"); + erealloc(buf, char *, buflen); } } else { // octal or hex or unsigned decimal @@ -1049,7 +1049,7 @@ fw -= (flags->negative || flags->space || flags->plus); - emalloc(buf1, char *, buflen, "format_signed_integer"); + emalloc(buf1, char *, buflen); strcpy(buf1, number_value); free((void *) number_value); cp = buf1 + val_len; @@ -1071,7 +1071,7 @@ return fill_to_field_width(buf1, flags, ' '); } else if ((flags->plus || flags->space) && ! flags->negative) { - emalloc(buf1, char *, val_len + 2, "format_signed_integer"); + emalloc(buf1, char *, val_len + 2); if (flags->plus) { sprintf(buf1, "+%s", number_value); } else { @@ -1299,7 +1299,7 @@ } fmt0: buflen = flags->field_width + flags->precision + 11; /* 11 == slop */ - emalloc(buf, char *, buflen, "format_mpg_integer"); + emalloc(buf, char *, buflen); #if defined(LC_NUMERIC) @@ -1310,7 +1310,7 @@ sprintf(cpbuf, "%%Z%c", flags->format); while ((nc = mpfr_snprintf(buf, buflen, cpbuf, zi)) >= (int) buflen) { buflen *= 2; - erealloc(buf, char *, buflen, "format_mpg_integer"); + erealloc(buf, char *, buflen); } #if defined(LC_NUMERIC) @@ -1446,7 +1446,7 @@ buflen = flags->field_width + flags->precision + 11; /* 11 == slop */ - emalloc(buf, char *, buflen, "format_float"); + emalloc(buf, char *, buflen); int signchar = '\0'; if (flags->plus) @@ -1477,7 +1477,7 @@ sprintf(cp, "*.*R*%c", flags->format); while ((nc = mpfr_snprintf(buf, buflen, cpbuf, flags->field_width, flags->precision, ROUND_MODE, mf)) >= (int) buflen) { - erealloc(buf, char *, buflen * 2, "format_float"); + erealloc(buf, char *, buflen * 2); buflen *= 2; } #else @@ -1489,7 +1489,7 @@ while ((nc = snprintf(buf, buflen, cpbuf, flags->field_width, flags->precision, (double) tmpval)) >= (int) buflen) { - erealloc(buf, char *, buflen * 2, "format_float"); + erealloc(buf, char *, buflen * 2); buflen *= 2; } } else { @@ -1499,7 +1499,7 @@ while ((nc = snprintf(buf, buflen, cpbuf, flags->field_width, (double) tmpval)) >= (int) buflen) { - erealloc(buf, char *, buflen * 2, "format_float"); + erealloc(buf, char *, buflen * 2); buflen *= 2; } } @@ -1665,12 +1665,12 @@ const char *src; char *dest; - emalloc(newbuf, char *, new_len, "add_thousands"); + emalloc(newbuf, char *, new_len); memset(newbuf, '\0', new_len); #if defined(HAVE_LOCALE_H) new_len = orig_len + (orig_len * strlen(loc.thousands_sep)) + 1; // worst case - erealloc(newbuf, char *, new_len, "add_thousands"); + erealloc(newbuf, char *, new_len); memset(newbuf, '\0', new_len); src = original + strlen(original) - 1; @@ -1734,7 +1734,7 @@ if (l >= fw) // nothing to do return startval; - emalloc(buf, char *, fw + 1, "fill_to_field_width"); + emalloc(buf, char *, fw + 1); cp = buf; if (flags->left_just) { @@ -1768,7 +1768,7 @@ buflen = flags->field_width + strlen(number_value) + (flags->space || flags->plus || flags->negative) + 1; - emalloc(buf1, char *, buflen, "add_plus_or_space_and_fill"); + emalloc(buf1, char *, buflen); cp = buf1; if (flags->left_just) { @@ -1821,7 +1821,7 @@ buflen = (flags->negative || flags->plus || flags->space) + flags->precision + 1; // we know val_len < precision - emalloc(buf1, char *, buflen, "zero_fill_to_precision"); + emalloc(buf1, char *, buflen); cp = buf1; src = number_value; @@ -1865,7 +1865,7 @@ buflen = val_len; buflen += 3; - emalloc(buf, char *, buflen, "add_alt_format"); + emalloc(buf, char *, buflen); cp = buf; fw = flags->field_width; diff -urN gawk-5.3.1/profile.c gawk-5.3.2/profile.c --- gawk-5.3.1/profile.c 2024-09-17 18:14:57.000000000 +0300 +++ gawk-5.3.2/profile.c 2025-04-02 06:57:42.000000000 +0300 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 1999-2023 the Free Software Foundation, Inc. + * Copyright (C) 1999-2023, 2025, the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the * AWK Programming Language. @@ -67,6 +67,8 @@ static const char tabs[] = "\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t"; static const size_t tabs_len = sizeof(tabs) - 1; +static bool at_start = true; + #define check_indent_level() \ if (indent_level + 1 > tabs_len) \ /* We're allowed to be snarky, occasionally. */ \ @@ -114,6 +116,17 @@ } } +/* close_prof_file --- close the output file for profiling or pretty-printing */ + +void +close_prof_file(void) +{ + if (prof_fp != NULL + && fileno(prof_fp) != fileno(stdout) + && fileno(prof_fp) != fileno(stderr)) + (void) fclose(prof_fp); +} + /* init_profiling_signals --- set up signal handling for gawk --profile */ void @@ -171,6 +184,7 @@ { NODE *n; getnode(n); + memset(n, '\0', sizeof(NODE)); n->pp_str = s; n->pp_len = strlen(s); n->flags = flag; @@ -269,7 +283,11 @@ if (! rule_count[rule]++) fprintf(prof_fp, _("\t# %s rule(s)\n\n"), ruletab[rule]); indent(0); - } + } else if (! at_start) + putc('\n', prof_fp); + else + at_start = false; + fprintf(prof_fp, "%s {", ruletab[rule]); end_line(pc); skip_comment = true; @@ -277,6 +295,10 @@ if (do_profile && ! rule_count[rule]++) fprintf(prof_fp, _("\t# Rule(s)\n\n")); ip1 = pc->nexti; + if (! at_start) + putc('\n', prof_fp); + else + at_start = false; indent(ip1->exec_count); if (ip1 != (pc + 1)->firsti) { /* non-empty pattern */ pprint(ip1->nexti, (pc + 1)->firsti, NO_PPRINT_FLAGS); @@ -308,7 +330,7 @@ indent_out(); if (do_profile) indent(0); - fprintf(prof_fp, "}\n\n"); + fprintf(prof_fp, "}\n"); pc = (pc + 1)->lasti; break; @@ -432,7 +454,7 @@ + indent_level + 1 // indent + pc->comment->memory->stlen + 3; // tab comment - emalloc(str, char *, len, "pprint"); + emalloc(str, char *, len); sprintf(str, "%s%s%s%.*s %s", t1->pp_str, op2str(pc->opcode), pc->comment->memory->stptr, (int) (indent_level + 1), tabs, t2->pp_str); @@ -1153,7 +1175,7 @@ len = f->pp_len + t->pp_len + cond->pp_len + 12; if (qm_comment == NULL && colon_comment == NULL) { // easy case - emalloc(str, char *, len, "pprint"); + emalloc(str, char *, len); sprintf(str, "%s ? %s : %s", cond->pp_str, t->pp_str, f->pp_str); } else if (qm_comment != NULL && colon_comment != NULL) { check_indent_level(); @@ -1161,7 +1183,7 @@ colon_comment->memory->stlen + 2 * (indent_level + 1) + 3 + // indentation t->pp_len + 6; - emalloc(str, char *, len, "pprint"); + emalloc(str, char *, len); sprintf(str, "%s ? %s" // cond ? comment "%.*s %s" // indent true-part @@ -1180,7 +1202,7 @@ len += qm_comment->memory->stlen + // comment 1 * (indent_level + 1) + 3 + // indentation t->pp_len + 3; - emalloc(str, char *, len, "pprint"); + emalloc(str, char *, len); sprintf(str, "%s ? %s" // cond ? comment "%.*s %s" // indent true-part @@ -1196,7 +1218,7 @@ len += colon_comment->memory->stlen + // comment 1 * (indent_level + 1) + 3 + // indentation t->pp_len + 3; - emalloc(str, char *, len, "pprint"); + emalloc(str, char *, len); sprintf(str, "%s ? %s" // cond ? true-part " : %s" // : comment @@ -1338,7 +1360,7 @@ } } if (found) /* we found some */ - fprintf(prof_fp, "\n"); + at_start = false; } /* print_include_list --- print a list of all files included */ @@ -1369,7 +1391,7 @@ } } if (found) /* we found some */ - fprintf(prof_fp, "\n"); + at_start = false; } /* print_comment --- print comment text with proper indentation */ @@ -1381,6 +1403,13 @@ size_t count; bool after_newline = false; + if (pc->memory->comment_type == BLOCK_COMMENT) { + if (! at_start && indent_level == 0) + putc('\n', prof_fp); + else + at_start = false; + } + count = pc->memory->stlen; text = pc->memory->stptr; @@ -1617,7 +1646,7 @@ if (p[0] == '(') // already parenthesized return; - emalloc(p, char *, len + 3, "pp_parenthesize"); + emalloc(p, char *, len + 3); *p = '('; memcpy(p + 1, sp->pp_str, len); p[len + 1] = ')'; @@ -1690,7 +1719,7 @@ /* make space for something l big in the buffer */ #define chksize(l) if ((l) > ofre) { \ long olen = obufout - obuf; \ - erealloc(obuf, char *, osiz * 2, "pp_string"); \ + erealloc(obuf, char *, osiz * 2); \ obufout = obuf + olen; \ ofre += osiz; \ osiz *= 2; \ @@ -1698,7 +1727,7 @@ /* initial size; 3 for delim + terminating null, 1 for @ */ osiz = len + 3 + 1 + (typed_regex == true); - emalloc(obuf, char *, osiz, "pp_string"); + emalloc(obuf, char *, osiz); obufout = obuf; ofre = osiz - 1; @@ -1751,7 +1780,7 @@ char *str; assert((n->flags & NUMCONSTSTR) != 0); - emalloc(str, char *, n->stlen + 1, "pp_number"); + emalloc(str, char *, n->stlen + 1); strcpy(str, n->stptr); return str; } @@ -1783,10 +1812,10 @@ if (pp_args == NULL) { npp_args = nargs; - emalloc(pp_args, NODE **, (nargs + 2) * sizeof(NODE *), "pp_list"); + emalloc(pp_args, NODE **, (nargs + 2) * sizeof(NODE *)); } else if (nargs > npp_args) { npp_args = nargs; - erealloc(pp_args, NODE **, (nargs + 2) * sizeof(NODE *), "pp_list"); + erealloc(pp_args, NODE **, (nargs + 2) * sizeof(NODE *)); } delimlen = strlen(delim); @@ -1809,7 +1838,7 @@ } comment = NULL; - emalloc(str, char *, len + 1, "pp_list"); + emalloc(str, char *, len + 1); s = str; if (paren != NULL) *s++ = paren[0]; @@ -1866,10 +1895,10 @@ if (pp_args == NULL) { npp_args = nargs; - emalloc(pp_args, NODE **, (nargs + 2) * sizeof(NODE *), "pp_concat"); + emalloc(pp_args, NODE **, (nargs + 2) * sizeof(NODE *)); } else if (nargs > npp_args) { npp_args = nargs; - erealloc(pp_args, NODE **, (nargs + 2) * sizeof(NODE *), "pp_concat"); + erealloc(pp_args, NODE **, (nargs + 2) * sizeof(NODE *)); } /* @@ -1883,7 +1912,7 @@ len += r->pp_len + delimlen + 2; } - emalloc(str, char *, len + 1, "pp_concat"); + emalloc(str, char *, len + 1); s = str; /* now copy in */ @@ -1957,7 +1986,7 @@ len2 = strlen(s2); len3 = strlen(s3); l = len1 + len2 + len3 + 1; - emalloc(str, char *, l, "pp_group3"); + emalloc(str, char *, l); s = str; if (len1 > 0) { memcpy(s, s1, len1); @@ -2031,6 +2060,7 @@ if (do_profile) indent(0); fprintf(prof_fp, "}\n"); + at_start = false; return 0; } @@ -2071,8 +2101,8 @@ // info saved in Op_namespace instructions. current_namespace = name; - // force newline, could be after a comment - fprintf(prof_fp, "\n"); + if (! at_start) + fprintf(prof_fp, "\n"); if (do_profile) indent(SPACEOVER); @@ -2082,9 +2112,11 @@ if (comment != NULL) { putc('\t', prof_fp); print_comment(comment, 0); - putc('\n', prof_fp); + // no newline here, print_comment puts one out } else - fprintf(prof_fp, "\n\n"); + fprintf(prof_fp, "\n"); + + at_start = false; } /* pp_namespace_list --- print the list, back to front, using recursion */ @@ -2114,7 +2146,7 @@ char *buf; size_t len = 5 + strlen(name) + 1; - emalloc(buf, char *, len, "adjust_namespace"); + emalloc(buf, char *, len); sprintf(buf, "awk::%s", name); *malloced = true; diff -urN gawk-5.3.1/README gawk-5.3.2/README --- gawk-5.3.1/README 2024-09-17 20:17:36.000000000 +0300 +++ gawk-5.3.2/README 2025-04-02 07:00:17.000000000 +0300 @@ -1,5 +1,6 @@ Copyright (C) 2005, 2006, 2007, 2009, 2010, 2011, 2012, 2013, 2014, 2015, - 2016, 2017, 2018, 2019, 2020, 2021, 2022, 2023 Free Software Foundation, Inc. + 2016, 2017, 2018, 2019, 2020, 2021, 2022, 2023, 2024, 2025 + Free Software Foundation, Inc. Copying and distribution of this file, with or without modification, are permitted in any medium without royalty provided the copyright @@ -7,9 +8,9 @@ README: -This is GNU Awk 5.3.1. It is upwardly compatible with Brian Kernighan's +This is GNU Awk 5.3.2. It is upwardly compatible with Brian Kernighan's version of Unix awk. It is almost completely compliant with the -2018 POSIX 1003.1 standard for awk. (See the note below about POSIX.) +2024 POSIX 1003 standard for awk. (See the note below about POSIX.) This is a bug-fix release. See NEWS and ChangeLog for details. diff -urN gawk-5.3.1/README_d/ChangeLog gawk-5.3.2/README_d/ChangeLog --- gawk-5.3.1/README_d/ChangeLog 2024-09-17 21:43:39.000000000 +0300 +++ gawk-5.3.2/README_d/ChangeLog 2025-04-02 08:34:05.000000000 +0300 @@ -1,3 +1,16 @@ +2025-04-02 Arnold D. Robbins + + * 5.3.2: Release tar made. + +2025-02-23 Arnold D. Robbins + + * README.mpfr, README.pc: Small fixes. + +2025-02-17 John E. Malmberg + + * README.VMS: Updated for VSI 9.2 on x86_64. Removed some VAX + details since VAX/VMS is no longer supported. + 2024-09-17 Arnold D. Robbins * 5.3.1: Release tar made. diff -urN gawk-5.3.1/README_d/README.mpfr gawk-5.3.2/README_d/README.mpfr --- gawk-5.3.1/README_d/README.mpfr 2024-09-17 19:40:47.000000000 +0300 +++ gawk-5.3.2/README_d/README.mpfr 2025-03-09 13:13:49.000000000 +0200 @@ -3,7 +3,7 @@ As mentioned in the NEWS file and documented in a little more detail in the manual, the MPFR feature is "on parole". This means that the -gawk maintainer (Arnold ROobins) is no longer fixing bugs in the code +gawk maintainer (Arnold Robbins) is no longer fixing bugs in the code or dealing with it. However, a member of the gawk development team has volunteered to maintain this code. diff -urN gawk-5.3.1/README_d/README.pc gawk-5.3.2/README_d/README.pc --- gawk-5.3.1/README_d/README.pc 2024-04-19 16:07:15.000000000 +0300 +++ gawk-5.3.2/README_d/README.pc 2025-03-09 13:13:49.000000000 +0200 @@ -7,8 +7,8 @@ to compile and run gawk under Windows. For Cygwin, building and installation is the same as under Unix: - tar -xvpzf gawk-5.2.x.tar.gz - cd gawk-5.2.x + tar -xvpzf gawk-5.3.x.tar.gz + cd gawk-5.3.x ./configure && make The `configure' step takes a long time, but works otherwise. diff -urN gawk-5.3.1/README_d/README.VMS gawk-5.3.2/README_d/README.VMS --- gawk-5.3.1/README_d/README.VMS 2024-04-19 16:07:15.000000000 +0300 +++ gawk-5.3.2/README_d/README.VMS 2025-03-09 13:13:49.000000000 +0200 @@ -24,30 +24,10 @@ builds with VMS Software Inc. (VSI) Community Licenses are being tested. Builds have been using: + VSI C x86-64 V7.6-001 (GEM 50YAN) on OpenVMS x86_64 V9.2-3 HP C V7.3-020 on OpenVMS IA64 V8.4-2L3 HP C V7.3-010 on OpenVMS Alpha V8.4-2L1 -A build system for OpenVMS x86_64 has not yet been setup by a gawk -tester / maintainer. - -These were the last known ways to build on VAX: - -VAX C -- use `@vmsbuild VAXC' or `MMS/MACRO=("VAXC")'. On a system - with both VAX C and DEC C installed where DEC C is the default, - use `MMS/MACRO=("VAXC","CC=CC/VAXC")' for the MMS variant; for - the vmsbuild.com variant, any need for `/VAXC' will be detected - automatically. - * IMPORTANT NOTE * VAX C should not be used on VAX/VMS 5.5-2 and - later. Use DEC C instead. - -GNU C -- use `@vmsbuild GNUC' or `MMS/MACRO=("GNUC")'. On a system - where the GCC command is not already defined, use either - `@vmsbuild GNUC DO_GNUC_SETUP' or - `MMS/MACRO=("GNUC","DO_GNUC_SETUP")'. - -GAWK was originally ported for VMS V4.6 and up. It has not been tested -with a release that old for some time. - Compiling dynamic extensions on VMS: GAWK comes with some dynamic extensions. The extensions that have been @@ -67,8 +47,7 @@ symbols longer than 32 bits. Currently dynamic extensions have only been tested to work on VMS 8.3 and later -on both Alpha and Itanium. Dynamic extensions are not currently working on -VAX/VMS 7.3. +on x86_64, Alpha and Itanium. Compile time are macros needed to be defined before the first VMS supplied header file is included. Usually this will be done with a config.h file. @@ -90,16 +69,6 @@ /name=(as_is,short) /float=ieee/ieee_mode=denorm_results -VAX: - -/name=(as_is,short) - -The linker option files are [.vms]gawk_plugin.opt for Alpha and Itanium. - -As the VAX dynamic plug-in feature is not yet working, the files potentially -needed for a future VAX plugin are in [.vms.vax] directory of the source. - - Testing GAWK on VMS: After you build gawk, you can test it with the [.vms]vmstest.com procedure. @@ -179,7 +148,7 @@ files specified by the '-f' option. The format of AWKPATH is a comma- separated list of directory specifications. When defining it, the value should be quoted so that it retains a single translation, not a -multi-translation RMS searchlist. +multi-translation RMS search list. The exit status from Gawk is encoded in the the VMS $status exit value so that the severity bits are set as expected and the original @@ -199,17 +168,13 @@ the Success severity status set. This change was needed to provide all Gawk exit values to VMS programs and -for compatibilty with programs written in C and the GNV environment. +for compatibility with programs written in C and the GNV environment. Older versions of Gawk incorrectly mostly passed through the Gawk status values instead of encoding them. DCL scripts that were checking the severity values will probably not need changing. DCL scripts that were checking the exact exit status will need an update. -VAX/VMS floating point uses unbiased rounding. This is generaly incompatible -with the expected behavior. The ofmta test in the test directory will -fail on VAX. - Gawk needs the SYS$TIMEZONE_RULE or TZ logical name to be defined or it will output times in GMT. @@ -222,7 +187,7 @@ 1. With the system() function, the status for DCL commands are not being returned. 2. Need gawk to accept logical names GNV$AWKPATH, GNV$AWKLIB, and - GNV$AWK_LIBARARY in addtion to the unprefixed names. This will allow + GNV$AWK_LIBRARY in addtion to the unprefixed names. This will allow system wide default values to be set by an installation kit. 3. Need to fix the gawk.cld file to not require a parameter for the options diff -urN gawk-5.3.1/re.c gawk-5.3.2/re.c --- gawk-5.3.1/re.c 2024-09-17 09:09:56.000000000 +0300 +++ gawk-5.3.2/re.c 2025-03-30 11:42:07.000000000 +0300 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 1991-2019, 2021-2024 + * Copyright (C) 1991-2019, 2021-2025 * the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the @@ -82,10 +82,10 @@ * from that. */ if (buf == NULL) { - emalloc(buf, char *, len + 1, "make_regexp"); + emalloc(buf, char *, len + 1); buflen = len; } else if (len > buflen) { - erealloc(buf, char *, len + 1, "make_regexp"); + erealloc(buf, char *, len + 1); buflen = len; } dest = buf; @@ -261,9 +261,9 @@ *dest = '\0'; len = dest - buf; - ezalloc(rp, Regexp *, sizeof(*rp), "make_regexp"); + ezalloc(rp, Regexp *, sizeof(*rp)); rp->pat.allocated = 0; /* regex will allocate the buffer */ - emalloc(rp->pat.fastmap, char *, 256, "make_regexp"); + emalloc(rp->pat.fastmap, char *, 256); /* * Lo these many years ago, had I known what a P.I.T.A. IGNORECASE @@ -333,7 +333,7 @@ } for (i = len - 1; i >= 0; i--) { - if (strchr("*+|?{}", buf[i]) != NULL) { + if (strchr("\\*+|?{}", buf[i]) != NULL) { rp->maybe_long = true; break; } @@ -598,6 +598,7 @@ { RE_UNMATCHED_RIGHT_PAREN_ORD, "RE_UNMATCHED_RIGHT_PAREN_ORD" }, { RE_NO_POSIX_BACKTRACKING, "RE_NO_POSIX_BACKTRACKING" }, { RE_NO_GNU_OPS, "RE_NO_GNU_OPS" }, + { RE_DEBUG, "RE_DEBUG" }, // not actually used in the code anymore, :-( { RE_INVALID_INTERVAL_ORD, "RE_INVALID_INTERVAL_ORD" }, { RE_ICASE, "RE_ICASE" }, { RE_CARET_ANCHORS_HERE, "RE_CARET_ANCHORS_HERE" }, @@ -674,23 +675,26 @@ if (sp == NULL) goto done; - for (count++, sp++; *sp != '\0'; sp++) { + sp++; + count = 1; + /* + * Skip over the following: + * [^]...] + * [\]...] + * []...] + */ + if (*sp == '^') + sp++; + if (*sp == '\\') + sp += 2; + else if (*sp == ']') + sp++; + + for (; sp < end && *sp != '\0'; sp++) { if (*sp == '[') count++; - /* - * ] as first char after open [ is skipped - * \] is skipped - * [^]] is skipped - */ - if (*sp == ']' && sp > sp2) { - if (sp[-1] != '[' && sp[-1] != '\\') - count--; - else if ((sp - sp2) >= 2 - && sp[-1] == '^' && sp[-2] == '[') - ; - else - count--; - } + else if (*sp == ']') + count--; if (count == 0) { sp++; /* skip past ']' */ diff -urN gawk-5.3.1/str_array.c gawk-5.3.2/str_array.c --- gawk-5.3.1/str_array.c 2024-09-17 09:09:19.000000000 +0300 +++ gawk-5.3.2/str_array.c 2025-03-30 11:41:29.000000000 +0300 @@ -4,7 +4,7 @@ /* * Copyright (C) 1986, 1988, 1989, 1991-2013, 2016, 2017, 2018, 2019, - * 2021, 2022, + * 2021, 2022, 2025, * the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the @@ -43,7 +43,7 @@ * 11/2002: Modern machines are bigger, cut this down from 10. */ -static size_t STR_CHAIN_MAX = 2; +static size_t STR_CHAIN_MAX = 10; extern FILE *output_fp; extern void indent(int indent_level); @@ -339,7 +339,7 @@ cursize = symbol->array_size; /* allocate new table */ - ezalloc(new, BUCKET **, cursize * sizeof(BUCKET *), "str_copy"); + ezalloc(new, BUCKET **, cursize * sizeof(BUCKET *)); old = symbol->buckets; @@ -412,7 +412,7 @@ num_elems = 1; list_size = elem_size * num_elems; - emalloc(list, NODE **, list_size * sizeof(NODE *), "str_list"); + emalloc(list, NODE **, list_size * sizeof(NODE *)); /* populate it */ @@ -679,7 +679,7 @@ } /* allocate new table */ - ezalloc(new, BUCKET **, newsize * sizeof(BUCKET *), "grow_table"); + ezalloc(new, BUCKET **, newsize * sizeof(BUCKET *)); old = symbol->buckets; symbol->buckets = new; diff -urN gawk-5.3.1/support/ChangeLog gawk-5.3.2/support/ChangeLog --- gawk-5.3.1/support/ChangeLog 2024-09-17 21:43:39.000000000 +0300 +++ gawk-5.3.2/support/ChangeLog 2025-04-02 08:34:44.000000000 +0300 @@ -1,3 +1,23 @@ +2025-04-02 Arnold D. Robbins + + * 5.3.2: Release tar made. + +2025-03-20 Arnold D. Robbins + + * Makefile.am: Don't set CFLAGS directly. Thanks to + "Jannick" for the report. + +2025-02-19 Arnold D. Robbins + + * dfa.c, dfa.h, dynarray.h, flexmember.h, intprops.h, + libc-config.h, localeinfo.c, localeinfo.h, + malloc/dynarray-skeleton.c, malloc/dynarray.h, + malloc/dynarray_at_failure.c, malloc/dynarray_emplace_enlarge.c, + malloc/dynarray_finalize.c, malloc/dynarray_resize.c, + malloc/dynarray_resize_clear.c, regcomp.c, regex.c, regex.h, + regex_internal.c, regex_internal.h, regexec.c, verify.h: + Sync from GNULIB. + 2024-09-17 Arnold D. Robbins * 5.3.1: Release tar made. diff -urN gawk-5.3.1/support/dfa.c gawk-5.3.2/support/dfa.c --- gawk-5.3.1/support/dfa.c 2024-08-29 09:52:19.000000000 +0300 +++ gawk-5.3.2/support/dfa.c 2025-03-09 13:13:49.000000000 +0200 @@ -1,5 +1,5 @@ /* dfa.c - deterministic extended regexp routines for GNU - Copyright (C) 1988, 1998, 2000, 2002, 2004-2005, 2007-2023 Free Software + Copyright (C) 1988, 1998, 2000, 2002, 2004-2005, 2007-2025 Free Software Foundation, Inc. This program is free software; you can redistribute it and/or modify @@ -13,9 +13,7 @@ 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., - 51 Franklin Street - Fifth Floor, Boston, MA 02110-1301, USA */ + along with this program. If not, see . */ /* Written June, 1988 by Mike Haertel Modified July, 1988 by Arthur David Olson to assist BMG speedups */ @@ -80,7 +78,7 @@ #ifndef FALLTHROUGH # if 201710L < __STDC_VERSION__ # define FALLTHROUGH [[__fallthrough__]] -# elif ((__GNUC__ >= 7) \ +# elif ((__GNUC__ >= 7 && !defined __clang__) \ || (defined __apple_build_version__ \ ? __apple_build_version__ >= 12000000 \ : __clang_major__ >= 10)) diff -urN gawk-5.3.1/support/dfa.h gawk-5.3.2/support/dfa.h --- gawk-5.3.1/support/dfa.h 2024-09-15 09:00:40.000000000 +0300 +++ gawk-5.3.2/support/dfa.h 2025-03-09 13:13:49.000000000 +0200 @@ -1,5 +1,5 @@ /* dfa.h - declarations for GNU deterministic regexp compiler - Copyright (C) 1988, 1998, 2007, 2009-2024 Free Software Foundation, Inc. + Copyright (C) 1988, 1998, 2007, 2009-2025 Free Software Foundation, Inc. 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 @@ -12,9 +12,7 @@ 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., - 51 Franklin Street - Fifth Floor, Boston, MA 02110-1301, USA */ + along with this program. If not, see . */ /* Written June, 1988 by Mike Haertel */ diff -urN gawk-5.3.1/support/dynarray.h gawk-5.3.2/support/dynarray.h --- gawk-5.3.1/support/dynarray.h 2024-09-15 09:00:40.000000000 +0300 +++ gawk-5.3.2/support/dynarray.h 2025-03-09 13:13:49.000000000 +0200 @@ -1,5 +1,5 @@ /* Type-safe arrays which grow dynamically. - Copyright 2021-2024 Free Software Foundation, Inc. + Copyright 2021-2025 Free Software Foundation, Inc. This file is free software: you can redistribute it and/or modify it under the terms of the GNU Lesser General Public License as diff -urN gawk-5.3.1/support/flexmember.h gawk-5.3.2/support/flexmember.h --- gawk-5.3.1/support/flexmember.h 2024-09-15 09:00:40.000000000 +0300 +++ gawk-5.3.2/support/flexmember.h 2025-03-09 13:13:49.000000000 +0200 @@ -1,6 +1,6 @@ /* Sizes of structs with flexible array members. - Copyright 2016-2024 Free Software Foundation, Inc. + Copyright 2016-2025 Free Software Foundation, Inc. This file is part of the GNU C Library. @@ -30,11 +30,12 @@ #include /* Nonzero multiple of alignment of TYPE, suitable for FLEXSIZEOF below. - On older platforms without _Alignof, use a pessimistic bound that is + If _Alignof might not exist or might not work correctly on + structs with flexible array members, use a pessimistic bound that is safe in practice even if FLEXIBLE_ARRAY_MEMBER is 1. - On newer platforms, use _Alignof to get a tighter bound. */ + Otherwise, use _Alignof to get a tighter bound. */ -#if !defined __STDC_VERSION__ || __STDC_VERSION__ < 201112 +#if !defined __STDC_VERSION__ || __STDC_VERSION__ < 201112 || defined _Alignof # define FLEXALIGNOF(type) (sizeof (type) & ~ (sizeof (type) - 1)) #else # define FLEXALIGNOF(type) _Alignof (type) diff -urN gawk-5.3.1/support/getopt.c gawk-5.3.2/support/getopt.c --- gawk-5.3.1/support/getopt.c 2019-08-28 21:54:14.000000000 +0300 +++ gawk-5.3.2/support/getopt.c 2025-03-23 10:13:49.000000000 +0200 @@ -152,7 +152,7 @@ whose names are inconsistent. */ #ifndef getenv -extern char *getenv (); +extern char *getenv (const char*); #endif #endif /* not __GNU_LIBRARY__ */ diff -urN gawk-5.3.1/support/getopt.h gawk-5.3.2/support/getopt.h --- gawk-5.3.1/support/getopt.h 2019-08-28 21:54:14.000000000 +0300 +++ gawk-5.3.2/support/getopt.h 2025-03-23 10:13:49.000000000 +0200 @@ -181,7 +181,7 @@ # endif # endif #else /* not __GNU_LIBRARY__ */ -extern int getopt (); +extern int getopt (int, char * const*, const char *); #endif /* __GNU_LIBRARY__ */ #ifndef __need_getopt diff -urN gawk-5.3.1/support/intprops.h gawk-5.3.2/support/intprops.h --- gawk-5.3.1/support/intprops.h 2024-09-15 09:00:40.000000000 +0300 +++ gawk-5.3.2/support/intprops.h 2025-03-09 13:13:49.000000000 +0200 @@ -1,6 +1,6 @@ /* intprops.h -- properties of integer types - Copyright (C) 2001-2024 Free Software Foundation, Inc. + Copyright (C) 2001-2025 Free Software Foundation, Inc. This program is free software: you can redistribute it and/or modify it under the terms of the GNU Lesser General Public License as published @@ -34,6 +34,14 @@ signed or floating type. Do not evaluate E. */ #define EXPR_SIGNED(e) _GL_EXPR_SIGNED (e) +/* The same value as as the arithmetic expression E, but with E's type + after integer promotions. For example, if E is of type 'enum {A, B}' + then 'switch (INT_PROMOTE (E))' pacifies gcc -Wswitch-enum if some + enum values are deliberately omitted from the switch's cases. + Here, unary + is safer than a cast or inline function, as unary + + does only integer promotions and is disallowed on pointers. */ +#define INT_PROMOTE(e) (+ (e)) + /* Minimum and maximum values for integer types and expressions. */ diff -urN gawk-5.3.1/support/libc-config.h gawk-5.3.2/support/libc-config.h --- gawk-5.3.1/support/libc-config.h 2024-09-15 09:00:40.000000000 +0300 +++ gawk-5.3.2/support/libc-config.h 2025-03-09 13:13:49.000000000 +0200 @@ -1,6 +1,6 @@ /* System definitions for code taken from the GNU C Library - Copyright 2017-2024 Free Software Foundation, Inc. + Copyright 2017-2025 Free Software Foundation, Inc. This program is free software; you can redistribute it and/or modify it under the terms of the GNU Lesser General Public @@ -48,6 +48,11 @@ /* From glibc . */ +#if defined __clang__ + /* clang really only groks GNU C 4.2, regardless of its value of __GNUC__. */ +# undef __GNUC_PREREQ +# define __GNUC_PREREQ(maj, min) ((maj) < 4 + ((min) <= 2)) +#endif #ifndef __GNUC_PREREQ # if defined __GNUC__ && defined __GNUC_MINOR__ # define __GNUC_PREREQ(maj, min) ((maj) < __GNUC__ + ((min) <= __GNUC_MINOR__)) diff -urN gawk-5.3.1/support/localeinfo.c gawk-5.3.2/support/localeinfo.c --- gawk-5.3.1/support/localeinfo.c 2024-08-29 09:52:19.000000000 +0300 +++ gawk-5.3.2/support/localeinfo.c 2025-03-09 13:13:49.000000000 +0200 @@ -1,6 +1,6 @@ /* locale information - Copyright 2016-2023 Free Software Foundation, Inc. + Copyright 2016-2025 Free Software Foundation, Inc. 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 @@ -13,9 +13,7 @@ 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., 51 Franklin Street - Fifth Floor, Boston, MA - 02110-1301, USA. */ + along with this program. If not, see . */ /* Written by Paul Eggert. */ diff -urN gawk-5.3.1/support/localeinfo.h gawk-5.3.2/support/localeinfo.h --- gawk-5.3.1/support/localeinfo.h 2024-09-17 09:09:19.000000000 +0300 +++ gawk-5.3.2/support/localeinfo.h 2025-03-09 13:13:49.000000000 +0200 @@ -1,6 +1,6 @@ /* locale information - Copyright 2016-2024 Free Software Foundation, Inc. + Copyright 2016-2025 Free Software Foundation, Inc. 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 @@ -13,9 +13,7 @@ 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., 51 Franklin Street - Fifth Floor, Boston, MA - 02110-1301, USA. */ + along with this program. If not, see . */ /* Written by Paul Eggert. */ diff -urN gawk-5.3.1/support/Makefile.am gawk-5.3.2/support/Makefile.am --- gawk-5.3.1/support/Makefile.am 2024-09-17 19:25:27.000000000 +0300 +++ gawk-5.3.2/support/Makefile.am 2025-03-30 11:42:07.000000000 +0300 @@ -77,7 +77,6 @@ if USE_PERSISTENT_MALLOC libsupport_a_SOURCES += pma.c pma.h -CFLAGS += -DNDEBUG AM_CFLAGS += -DNDEBUG endif diff -urN gawk-5.3.1/support/Makefile.in gawk-5.3.2/support/Makefile.in --- gawk-5.3.1/support/Makefile.in 2024-09-17 19:42:51.000000000 +0300 +++ gawk-5.3.2/support/Makefile.in 2025-04-02 07:00:35.000000000 +0300 @@ -114,7 +114,6 @@ host_triplet = @host@ @USE_PERSISTENT_MALLOC_TRUE@am__append_1 = pma.c pma.h @USE_PERSISTENT_MALLOC_TRUE@am__append_2 = -DNDEBUG -@USE_PERSISTENT_MALLOC_TRUE@am__append_3 = -DNDEBUG subdir = support ACLOCAL_M4 = $(top_srcdir)/aclocal.m4 am__aclocal_m4_deps = $(top_srcdir)/m4/arch.m4 \ @@ -237,7 +236,7 @@ AWK = @AWK@ CC = @CC@ CCDEPMODE = @CCDEPMODE@ -CFLAGS = @CFLAGS@ $(am__append_2) +CFLAGS = @CFLAGS@ CPP = @CPP@ CPPFLAGS = @CPPFLAGS@ CSCOPE = @CSCOPE@ @@ -358,7 +357,7 @@ top_build_prefix = @top_build_prefix@ top_builddir = @top_builddir@ top_srcdir = @top_srcdir@ -AM_CFLAGS = @CFLAGS@ $(am__append_3) +AM_CFLAGS = @CFLAGS@ $(am__append_2) AM_LDFLAGS = @LDFLAGS@ # Stuff to include in the dist that doesn't need it's own diff -urN gawk-5.3.1/support/malloc/dynarray_at_failure.c gawk-5.3.2/support/malloc/dynarray_at_failure.c --- gawk-5.3.1/support/malloc/dynarray_at_failure.c 2024-09-15 09:00:40.000000000 +0300 +++ gawk-5.3.2/support/malloc/dynarray_at_failure.c 2025-03-09 13:13:49.000000000 +0200 @@ -1,5 +1,5 @@ /* Report an dynamic array index out of bounds condition. - Copyright (C) 2017-2024 Free Software Foundation, Inc. + Copyright (C) 2017-2025 Free Software Foundation, Inc. This file is part of the GNU C Library. The GNU C Library is free software; you can redistribute it and/or diff -urN gawk-5.3.1/support/malloc/dynarray_emplace_enlarge.c gawk-5.3.2/support/malloc/dynarray_emplace_enlarge.c --- gawk-5.3.1/support/malloc/dynarray_emplace_enlarge.c 2024-08-16 14:48:18.000000000 +0300 +++ gawk-5.3.2/support/malloc/dynarray_emplace_enlarge.c 2025-03-09 13:13:49.000000000 +0200 @@ -1,5 +1,5 @@ /* Increase the size of a dynamic array in preparation of an emplace operation. - Copyright (C) 2017-2023 Free Software Foundation, Inc. + Copyright (C) 2017-2025 Free Software Foundation, Inc. This file is part of the GNU C Library. The GNU C Library is free software; you can redistribute it and/or diff -urN gawk-5.3.1/support/malloc/dynarray_finalize.c gawk-5.3.2/support/malloc/dynarray_finalize.c --- gawk-5.3.1/support/malloc/dynarray_finalize.c 2024-09-15 09:00:40.000000000 +0300 +++ gawk-5.3.2/support/malloc/dynarray_finalize.c 2025-03-09 13:13:49.000000000 +0200 @@ -1,5 +1,5 @@ /* Copy the dynamically-allocated area to an explicitly-sized heap allocation. - Copyright (C) 2017-2024 Free Software Foundation, Inc. + Copyright (C) 2017-2025 Free Software Foundation, Inc. This file is part of the GNU C Library. The GNU C Library is free software; you can redistribute it and/or diff -urN gawk-5.3.1/support/malloc/dynarray.h gawk-5.3.2/support/malloc/dynarray.h --- gawk-5.3.1/support/malloc/dynarray.h 2024-09-15 09:00:40.000000000 +0300 +++ gawk-5.3.2/support/malloc/dynarray.h 2025-03-09 13:13:49.000000000 +0200 @@ -1,5 +1,5 @@ /* Type-safe arrays which grow dynamically. Shared definitions. - Copyright (C) 2017-2024 Free Software Foundation, Inc. + Copyright (C) 2017-2025 Free Software Foundation, Inc. This file is part of the GNU C Library. The GNU C Library is free software; you can redistribute it and/or diff -urN gawk-5.3.1/support/malloc/dynarray_resize.c gawk-5.3.2/support/malloc/dynarray_resize.c --- gawk-5.3.1/support/malloc/dynarray_resize.c 2024-08-16 14:48:41.000000000 +0300 +++ gawk-5.3.2/support/malloc/dynarray_resize.c 2025-03-09 13:13:49.000000000 +0200 @@ -1,5 +1,5 @@ /* Increase the size of a dynamic array. - Copyright (C) 2017-2023 Free Software Foundation, Inc. + Copyright (C) 2017-2025 Free Software Foundation, Inc. This file is part of the GNU C Library. The GNU C Library is free software; you can redistribute it and/or diff -urN gawk-5.3.1/support/malloc/dynarray_resize_clear.c gawk-5.3.2/support/malloc/dynarray_resize_clear.c --- gawk-5.3.1/support/malloc/dynarray_resize_clear.c 2024-09-15 09:00:40.000000000 +0300 +++ gawk-5.3.2/support/malloc/dynarray_resize_clear.c 2025-03-09 13:13:49.000000000 +0200 @@ -1,5 +1,5 @@ /* Increase the size of a dynamic array and clear the new part. - Copyright (C) 2017-2024 Free Software Foundation, Inc. + Copyright (C) 2017-2025 Free Software Foundation, Inc. This file is part of the GNU C Library. The GNU C Library is free software; you can redistribute it and/or diff -urN gawk-5.3.1/support/malloc/dynarray-skeleton.c gawk-5.3.2/support/malloc/dynarray-skeleton.c --- gawk-5.3.1/support/malloc/dynarray-skeleton.c 2024-09-15 09:00:40.000000000 +0300 +++ gawk-5.3.2/support/malloc/dynarray-skeleton.c 2025-03-09 13:13:49.000000000 +0200 @@ -1,5 +1,5 @@ /* Type-safe arrays which grow dynamically. - Copyright (C) 2017-2024 Free Software Foundation, Inc. + Copyright (C) 2017-2025 Free Software Foundation, Inc. This file is part of the GNU C Library. The GNU C Library is free software; you can redistribute it and/or diff -urN gawk-5.3.1/support/regcomp.c gawk-5.3.2/support/regcomp.c --- gawk-5.3.1/support/regcomp.c 2024-09-15 09:00:40.000000000 +0300 +++ gawk-5.3.2/support/regcomp.c 2025-03-09 13:13:49.000000000 +0200 @@ -1,5 +1,5 @@ /* Extended regular expression matching and search library. - Copyright (C) 2002-2024 Free Software Foundation, Inc. + Copyright (C) 2002-2025 Free Software Foundation, Inc. This file is part of the GNU C Library. Contributed by Isamu Hasegawa . diff -urN gawk-5.3.1/support/regex.c gawk-5.3.2/support/regex.c --- gawk-5.3.1/support/regex.c 2024-09-15 09:00:40.000000000 +0300 +++ gawk-5.3.2/support/regex.c 2025-03-09 13:13:49.000000000 +0200 @@ -1,5 +1,5 @@ /* Extended regular expression matching and search library. - Copyright (C) 2002-2024 Free Software Foundation, Inc. + Copyright (C) 2002-2025 Free Software Foundation, Inc. This file is part of the GNU C Library. Contributed by Isamu Hasegawa . diff -urN gawk-5.3.1/support/regexec.c gawk-5.3.2/support/regexec.c --- gawk-5.3.1/support/regexec.c 2024-08-16 14:49:14.000000000 +0300 +++ gawk-5.3.2/support/regexec.c 2025-03-09 13:13:49.000000000 +0200 @@ -1,5 +1,5 @@ /* Extended regular expression matching and search library. - Copyright (C) 2002-2023 Free Software Foundation, Inc. + Copyright (C) 2002-2025 Free Software Foundation, Inc. This file is part of the GNU C Library. Contributed by Isamu Hasegawa . diff -urN gawk-5.3.1/support/regex.h gawk-5.3.2/support/regex.h --- gawk-5.3.1/support/regex.h 2024-09-15 09:00:40.000000000 +0300 +++ gawk-5.3.2/support/regex.h 2025-03-09 13:13:49.000000000 +0200 @@ -1,6 +1,6 @@ /* Definitions for data structures and routines for the regular expression library. - Copyright (C) 1985, 1989-2024 Free Software Foundation, Inc. + Copyright (C) 1985, 1989-2025 Free Software Foundation, Inc. This file is part of the GNU C Library. The GNU C Library is free software; you can redistribute it and/or @@ -647,10 +647,12 @@ || 2 < __GNUC__ + (95 <= __GNUC_MINOR__) \ || __clang_major__ >= 3 # define _Restrict_ __restrict -# elif 199901L <= __STDC_VERSION__ || defined restrict -# define _Restrict_ restrict # else -# define _Restrict_ +# if 199901L <= __STDC_VERSION__ || defined restrict +# define _Restrict_ restrict +# else +# define _Restrict_ +# endif # endif #endif /* For the ISO C99 syntax @@ -661,13 +663,15 @@ #ifndef _Restrict_arr_ # ifdef __restrict_arr # define _Restrict_arr_ __restrict_arr -# elif ((199901L <= __STDC_VERSION__ \ +# else +# if ((199901L <= __STDC_VERSION__ \ || 3 < __GNUC__ + (1 <= __GNUC_MINOR__) \ || __clang_major__ >= 3) \ && !defined __cplusplus) -# define _Restrict_arr_ _Restrict_ -# else -# define _Restrict_arr_ +# define _Restrict_arr_ _Restrict_ +# else +# define _Restrict_arr_ +# endif # endif #endif diff -urN gawk-5.3.1/support/regex_internal.c gawk-5.3.2/support/regex_internal.c --- gawk-5.3.1/support/regex_internal.c 2024-09-15 09:00:40.000000000 +0300 +++ gawk-5.3.2/support/regex_internal.c 2025-03-09 13:13:49.000000000 +0200 @@ -1,5 +1,5 @@ /* Extended regular expression matching and search library. - Copyright (C) 2002-2024 Free Software Foundation, Inc. + Copyright (C) 2002-2025 Free Software Foundation, Inc. This file is part of the GNU C Library. Contributed by Isamu Hasegawa . @@ -937,8 +937,7 @@ set->alloc = size; set->nelem = 0; set->elems = re_malloc (Idx, size); - if (__glibc_unlikely (set->elems == NULL) - && (MALLOC_0_IS_NONNULL || size != 0)) + if (__glibc_unlikely (set->elems == NULL)) return REG_ESPACE; return REG_NOERROR; } diff -urN gawk-5.3.1/support/regex_internal.h gawk-5.3.2/support/regex_internal.h --- gawk-5.3.1/support/regex_internal.h 2024-08-16 14:47:44.000000000 +0300 +++ gawk-5.3.2/support/regex_internal.h 2025-03-09 13:13:49.000000000 +0200 @@ -1,5 +1,5 @@ /* Extended regular expression matching and search library. - Copyright (C) 2002-2023 Free Software Foundation, Inc. + Copyright (C) 2002-2025 Free Software Foundation, Inc. This file is part of the GNU C Library. Contributed by Isamu Hasegawa . @@ -99,10 +99,12 @@ /* This is for other GNU distributions with internationalized messages. */ #if (HAVE_LIBINTL_H && ENABLE_NLS) || defined _LIBC # include +# undef gettext # ifdef _LIBC -# undef gettext # define gettext(msgid) \ __dcgettext (_libc_intl_domainname, msgid, LC_MESSAGES) +# else +# define gettext(msgid) dgettext ("gnulib", msgid) # endif #else # undef gettext @@ -438,12 +440,6 @@ #define re_string_skip_bytes(pstr,idx) ((pstr)->cur_idx += (idx)) #define re_string_set_index(pstr,idx) ((pstr)->cur_idx = (idx)) -#ifdef _LIBC -# define MALLOC_0_IS_NONNULL 1 -#elif !defined MALLOC_0_IS_NONNULL -# define MALLOC_0_IS_NONNULL 0 -#endif - #ifndef MAX # define MAX(a,b) ((a) < (b) ? (b) : (a)) #endif diff -urN gawk-5.3.1/support/verify.h gawk-5.3.2/support/verify.h --- gawk-5.3.1/support/verify.h 2024-09-15 09:00:40.000000000 +0300 +++ gawk-5.3.2/support/verify.h 2025-03-09 13:13:49.000000000 +0200 @@ -1,6 +1,6 @@ /* Compile-time assert-like macros. - Copyright (C) 2005-2006, 2009-2024 Free Software Foundation, Inc. + Copyright (C) 2005-2006, 2009-2025 Free Software Foundation, Inc. This file is free software: you can redistribute it and/or modify it under the terms of the GNU Lesser General Public License as @@ -34,11 +34,12 @@ #ifndef __cplusplus # if (201112 <= __STDC_VERSION__ \ || (!defined __STRICT_ANSI__ \ - && (4 < __GNUC__ + (6 <= __GNUC_MINOR__) || 5 <= __clang_major__))) + && ((4 < __GNUC__ + (6 <= __GNUC_MINOR__) && !defined __clang__) \ + || 5 <= __clang_major__))) # define _GL_HAVE__STATIC_ASSERT 1 # endif # if (202311 <= __STDC_VERSION__ \ - || (!defined __STRICT_ANSI__ && 9 <= __GNUC__)) + || (!defined __STRICT_ANSI__ && 9 <= __GNUC__ && !defined __clang__)) # define _GL_HAVE__STATIC_ASSERT1 1 # endif #endif @@ -215,7 +216,7 @@ # define _GL_VERIFY(R, DIAGNOSTIC, ...) \ extern int (*_GL_GENSYM (_gl_verify_function) (void)) \ [_GL_VERIFY_TRUE (R, DIAGNOSTIC)] -# if 4 < __GNUC__ + (6 <= __GNUC_MINOR__) +# if 4 < __GNUC__ + (6 <= __GNUC_MINOR__) && !defined __clang__ # pragma GCC diagnostic ignored "-Wnested-externs" # endif #endif @@ -254,6 +255,11 @@ # endif # endif /* Define static_assert if needed. */ +# if defined __cplusplus && defined __clang__ && __clang_major__ < 9 +/* clang++ before commit 5c739665a8721228cf6143fd4ef95870a59f55ae had a + two-arguments static_assert but not the one-argument static_assert. */ +# undef static_assert +# endif # if (!defined static_assert \ && __STDC_VERSION__ < 202311 \ && (!defined __cplusplus \ @@ -305,7 +311,7 @@ #ifndef _GL_HAS_BUILTIN_UNREACHABLE # if defined __clang_major__ && __clang_major__ < 5 # define _GL_HAS_BUILTIN_UNREACHABLE 0 -# elif 4 < __GNUC__ + (5 <= __GNUC_MINOR__) +# elif 4 < __GNUC__ + (5 <= __GNUC_MINOR__) && !defined __clang__ # define _GL_HAS_BUILTIN_UNREACHABLE 1 # elif defined __has_builtin # define _GL_HAS_BUILTIN_UNREACHABLE __has_builtin (__builtin_unreachable) diff -urN gawk-5.3.1/symbol.c gawk-5.3.2/symbol.c --- gawk-5.3.1/symbol.c 2024-08-12 06:44:01.000000000 +0300 +++ gawk-5.3.2/symbol.c 2025-03-09 21:42:46.000000000 +0200 @@ -3,7 +3,7 @@ */ /* - * Copyright (C) 1986, 1988, 1989, 1991-2015, 2017-2020, 2022, 2023, + * Copyright (C) 1986, 1988, 1989, 1991-2015, 2017-2020, 2022, 2023, 2025, * the Free Software Foundation, Inc. * * This file is part of GAWK, the GNU implementation of the @@ -97,7 +97,7 @@ init_the_tables(); // save the pointers for the next time. - emalloc(root_pointers, struct root_pointers *, sizeof(struct root_pointers), "init_symbol_table"); + emalloc(root_pointers, struct root_pointers *, sizeof(struct root_pointers)); memset(root_pointers, 0, sizeof(struct root_pointers)); root_pointers->global_table = global_table; root_pointers->func_table = func_table; @@ -215,7 +215,7 @@ if (pcount <= 0 || pnames == NULL) return NULL; - ezalloc(parms, NODE *, pcount * sizeof(NODE), "make_params"); + ezalloc(parms, NODE *, pcount * sizeof(NODE)); for (i = 0, p = parms; i < pcount; i++, p++) { p->type = Node_param_list; @@ -480,7 +480,7 @@ max = the_table->table_size * 2; list = assoc_list(the_table, "@unsorted", ASORTI); - emalloc(table, NODE **, (the_table->table_size + 1) * sizeof(NODE *), "get_symbols"); + emalloc(table, NODE **, (the_table->table_size + 1) * sizeof(NODE *)); for (i = count = 0; i < max; i += 2) { r = list[i+1]; @@ -497,7 +497,7 @@ list = assoc_list(the_table, "@unsorted", ASORTI); /* add three: one for FUNCTAB, one for SYMTAB, and one for a final NULL */ - emalloc(table, NODE **, (the_table->table_size + 1 + 1 + 1) * sizeof(NODE *), "get_symbols"); + emalloc(table, NODE **, (the_table->table_size + 1 + 1 + 1) * sizeof(NODE *)); for (i = count = 0; i < max; i += 2) { r = list[i+1]; @@ -600,6 +600,7 @@ NODE *p; getnode(p); + memset(p, '\0', sizeof(NODE)); p->lnode = r; p->rnode = symbol_list->rnode; symbol_list->rnode = p; @@ -834,7 +835,7 @@ pool->free_space += size; } else { struct instruction_block *block; - emalloc(block, struct instruction_block *, sizeof(struct instruction_block), "bcalloc"); + emalloc(block, struct instruction_block *, sizeof(struct instruction_block)); block->next = pool->block_list; pool->block_list = block; cp = &block->i[0]; @@ -855,7 +856,7 @@ { AWK_CONTEXT *ctxt; - ezalloc(ctxt, AWK_CONTEXT *, sizeof(AWK_CONTEXT), "new_context"); + ezalloc(ctxt, AWK_CONTEXT *, sizeof(AWK_CONTEXT)); ctxt->srcfiles.next = ctxt->srcfiles.prev = & ctxt->srcfiles; ctxt->rule_list.opcode = Op_list; ctxt->rule_list.lasti = & ctxt->rule_list; diff -urN gawk-5.3.1/test/ar2fn_elnew_sc2.awk gawk-5.3.2/test/ar2fn_elnew_sc2.awk --- gawk-5.3.1/test/ar2fn_elnew_sc2.awk 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/ar2fn_elnew_sc2.awk 2025-03-09 13:01:54.000000000 +0200 @@ -0,0 +1,9 @@ +function f(y) +{ + y[3] = 14 +} + +BEGIN { + f(a[10]) + a[10] +} diff -urN gawk-5.3.1/test/ar2fn_elnew_sc2.ok gawk-5.3.2/test/ar2fn_elnew_sc2.ok --- gawk-5.3.1/test/ar2fn_elnew_sc2.ok 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/ar2fn_elnew_sc2.ok 2025-03-09 13:01:54.000000000 +0200 @@ -0,0 +1,2 @@ +gawk: ar2fn_elnew_sc2.awk:8: fatal: attempt to use array `a["10"]' in a scalar context +EXIT CODE: 2 diff -urN gawk-5.3.1/test/ar2fn_elnew_sc.awk gawk-5.3.2/test/ar2fn_elnew_sc.awk --- gawk-5.3.1/test/ar2fn_elnew_sc.awk 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/ar2fn_elnew_sc.awk 2025-03-09 13:01:54.000000000 +0200 @@ -0,0 +1,9 @@ +function f(y) +{ + y[3] = 14 + y +} + +BEGIN { + f(a[10]) +} diff -urN gawk-5.3.1/test/ar2fn_elnew_sc.ok gawk-5.3.2/test/ar2fn_elnew_sc.ok --- gawk-5.3.1/test/ar2fn_elnew_sc.ok 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/ar2fn_elnew_sc.ok 2025-03-09 13:01:54.000000000 +0200 @@ -0,0 +1,2 @@ +gawk: ar2fn_elnew_sc.awk:4: fatal: attempt to use array `y (from a["10"])' in a scalar context +EXIT CODE: 2 diff -urN gawk-5.3.1/test/ar2fn_fmod.awk gawk-5.3.2/test/ar2fn_fmod.awk --- gawk-5.3.1/test/ar2fn_fmod.awk 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/ar2fn_fmod.awk 2025-03-09 13:01:54.000000000 +0200 @@ -0,0 +1,16 @@ +function f(y) +{ + delete a + g(y) + print typeof(a) + print typeof(y) +} + +function g(x) +{ + x +} + +BEGIN { + f(a[10]) +} diff -urN gawk-5.3.1/test/ar2fn_fmod.ok gawk-5.3.2/test/ar2fn_fmod.ok --- gawk-5.3.1/test/ar2fn_fmod.ok 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/ar2fn_fmod.ok 2025-03-09 13:01:54.000000000 +0200 @@ -0,0 +1,2 @@ +array +unassigned diff -urN gawk-5.3.1/test/ar2fn_unxptyp_aref.awk gawk-5.3.2/test/ar2fn_unxptyp_aref.awk --- gawk-5.3.1/test/ar2fn_unxptyp_aref.awk 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/ar2fn_unxptyp_aref.awk 2025-03-09 13:01:54.000000000 +0200 @@ -0,0 +1,16 @@ +function f(y) +{ + delete a + print typeof(y) + print y + g(y) +} + +function g(x) +{ + print "hey", x +} + +BEGIN { + f(a[10]) +} diff -urN gawk-5.3.1/test/ar2fn_unxptyp_aref.ok gawk-5.3.2/test/ar2fn_unxptyp_aref.ok --- gawk-5.3.1/test/ar2fn_unxptyp_aref.ok 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/ar2fn_unxptyp_aref.ok 2025-03-09 13:01:54.000000000 +0200 @@ -0,0 +1,3 @@ +untyped + +hey diff -urN gawk-5.3.1/test/ar2fn_unxptyp_val.awk gawk-5.3.2/test/ar2fn_unxptyp_val.awk --- gawk-5.3.1/test/ar2fn_unxptyp_val.awk 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/ar2fn_unxptyp_val.awk 2025-03-09 13:01:54.000000000 +0200 @@ -0,0 +1,25 @@ +function f1(y) +{ + delete a1 + y + print typeof(a1) + print typeof(y) +} + +BEGIN { + a1[10] = 14 + delete a1[10] + f1(a1[10]) +} + +function f2(y) +{ + delete a2 + y + print typeof(a2) + print typeof(y) +} + +BEGIN { + f2(a2[10]) +} diff -urN gawk-5.3.1/test/ar2fn_unxptyp_val.ok gawk-5.3.2/test/ar2fn_unxptyp_val.ok --- gawk-5.3.1/test/ar2fn_unxptyp_val.ok 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/ar2fn_unxptyp_val.ok 2025-03-09 13:01:54.000000000 +0200 @@ -0,0 +1,4 @@ +array +unassigned +array +unassigned diff -urN gawk-5.3.1/test/badargs.ok gawk-5.3.2/test/badargs.ok --- gawk-5.3.1/test/badargs.ok 2024-09-17 19:57:57.000000000 +0300 +++ gawk-5.3.2/test/badargs.ok 2025-04-02 07:01:33.000000000 +0300 @@ -42,7 +42,7 @@ or by using a web forum such as Stack Overflow. Source code for gawk may be obtained from -https://ftp.gnu.org/gnu/gawk/gawk-5.3.1.tar.gz +https://ftp.gnu.org/gnu/gawk/gawk-5.3.2.tar.gz gawk is a pattern scanning and processing language. By default it reads standard input and writes standard output. diff -urN gawk-5.3.1/test/ChangeLog gawk-5.3.2/test/ChangeLog --- gawk-5.3.1/test/ChangeLog 2024-09-17 21:43:39.000000000 +0300 +++ gawk-5.3.2/test/ChangeLog 2025-04-02 08:35:02.000000000 +0300 @@ -1,3 +1,102 @@ +2025-04-02 Arnold D. Robbins + + * badargs.ok: Adjusted. + * 5.3.2: Release tar made. + +2025-03-27 Arnold D. Robbins + + * Makefile.am (EXTRADIST): New test, splitwht2. + * splitwht2.awk, splitwht2.ok: New files. + +2025-03-18 Arnold D. Robbins + + * badargs.ok: Adjusted for test tarball. + +2025-03-17 Arnold D. Robbins + + * Makefile.am (EXTRADIST): New test, indirectbuiltin6. + * indirectbuiltin6.awk, indirectbuiltin6.ok: New files. + +2025-03-11 Arnold D. Robbins + + * colonwarn.awk, colonwarn.ok: Updated after code changes. + +2025-02-24 Arnold D. Robbins + + * Makefile.am: Clean up before release. + * badargs.ok: Adjusted. + +2025-02-14 Paul Eggert + + * Makefile.am (inplace1, inplace2, inplace2bcomp, inplace3, + inplace3bcomp): Work around BSD glitch in the test case, + not in Gawk itself. + +2025-02-05 Arnold D. Robbins + + * Makefile.am (EXTRADIST): New test, indirectbuiltin5. + * indirectbuiltin5.awk, indirectbuiltin5.ok: New files. + +2025-02-05 Arnold D. Robbins + + * Makefile.am (EXTRADIST): New test, memleak3. + * memleak3.awk, memleak3.ok: New files. + +2025-02-03 Cristian Ioneci + + * Makefile.am (EXTRADIST): New tests: ar2fn_elnew_sc, ar2fn_elnew_sc2, + ar2fn_fmod, ar2fn_unxptyp_aref, ar2fn_unxptyp_val + + * ar2fn_elnew_sc.awk, ar2fn_elnew_sc.ok, ar2fn_elnew_sc2.awk, + ar2fn_elnew_sc2.ok, ar2fn_fmod.awk, ar2fn_fmod.ok, ar2fn_unxptyp_aref.awk, + ar2fn_unxptyp_aref.ok, ar2fn_unxptyp_val.awk, ar2fn_unxptyp_val.ok: New + files. + +2025-01-23 Arnold D. Robbins + + * Makefile.am (EXTRADIST): New test, memleak2. + * memleak2.awk, memleak2.ok: New files. + +2025-01-22 Arnold D. Robbins + + * Makefile.am (EXTRADIST): New test, indirectbuiltin4. + * indirectbuiltin4.awk, indirectbuiltin4.ok: New files. + +2025-01-07 Arnold D. Robbins + + * Makefile.am (EXTRADIST): New test, indirectbuiltin3. + * indirectbuiltin3.awk, indirectbuiltin3.ok: New files. + +2025-01-06 Arnold D. Robbins + + * Makefile.am (EXTRADIST): New test, typeof9. + * typeof9.awk, typeof9.ok: New files. + +2024-10-25 Arnold D. Robbins + + * Makefile.am (diffout): Use ${PAGER:-more} instead of + ${PAGER-more}. + +2024-10-21 John Devin + + * Makefile.am (diffout): Use $PAGER or `more' if it's not + defined instead of hard coding `more', for output of `make check'. + Using `less' would be better, but it's not always available (e.g., + Windows). + +2024-10-10 Arnold D. Robbins + + * lintplus2.ok, mpfrmemok1.ok, nsprof1.ok, nsprof2.ok, nsprof3.ok, + profile0.ok, profile2.ok, profile3.ok, profile4.ok, profile5.ok, + profile6.ok, profile7.ok, profile8.ok, profile9.ok, profile11.ok, + profile13.ok, profile14.ok, profile15.ok, profile16.ok, + profile17.ok: Updated after code change. + +2024-09-19 Arnold D. Robbins + + * Makefile.am (EXTRADIST): New test, delmessy. + * delmessy.awk, delmessy.ok: New files. + 2024-09-17 Arnold D. Robbins * 5.3.1: Release tar made. diff -urN gawk-5.3.1/test/colonwarn.awk gawk-5.3.2/test/colonwarn.awk --- gawk-5.3.1/test/colonwarn.awk 2017-12-14 19:53:45.000000000 +0200 +++ gawk-5.3.2/test/colonwarn.awk 2025-03-11 14:33:06.000000000 +0200 @@ -1,4 +1,6 @@ BEGIN { pattern = ARGV[1] + 0; delete ARGV } -pattern == 1 { sub(/[][:space:]]/,""); print } -pattern == 2 { sub(/[\][:space:]]/,""); print } -pattern == 3 { sub(/[^][:space:]]/,""); print } +pattern == 1 { sub(/[][:space:]]/,""); print } # no warning +pattern == 2 { sub(/[\][:space:]]/,""); print } # no warning +pattern == 3 { sub(/[^[:space:]]/,""); print } # no warning +pattern == 4 { sub(/[^][:space:]]/,""); print } # no warning +pattern == 5 { sub(/[:space:]/, ""); print } # warning diff -urN gawk-5.3.1/test/colonwarn.ok gawk-5.3.2/test/colonwarn.ok --- gawk-5.3.1/test/colonwarn.ok 2024-09-15 09:00:40.000000000 +0300 +++ gawk-5.3.2/test/colonwarn.ok 2025-03-11 14:33:06.000000000 +0200 @@ -1,6 +1,10 @@ -gawk: colonwarn.awk:2: warning: regexp component `[:space:]' should probably be `[[:space:]]' +gawk: colonwarn.awk:6: warning: regexp component `[:space:]' should probably be `[[:space:]]' ab -gawk: colonwarn.awk:2: warning: regexp component `[:space:]' should probably be `[[:space:]]' +gawk: colonwarn.awk:6: warning: regexp component `[:space:]' should probably be `[[:space:]]' ab -gawk: colonwarn.awk:2: warning: regexp component `[:space:]' should probably be `[[:space:]]' +gawk: colonwarn.awk:6: warning: regexp component `[:space:]' should probably be `[[:space:]]' +]b +gawk: colonwarn.awk:6: warning: regexp component `[:space:]' should probably be `[[:space:]]' +]b +gawk: colonwarn.awk:6: warning: regexp component `[:space:]' should probably be `[[:space:]]' ]b diff -urN gawk-5.3.1/test/delmessy.awk gawk-5.3.2/test/delmessy.awk --- gawk-5.3.1/test/delmessy.awk 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/delmessy.awk 2025-03-09 12:57:34.000000000 +0200 @@ -0,0 +1,5 @@ +func a( z ) { + delete A[ "" ][ A[ "" ][ z ] ] } + +BEGIN{ + a() } diff -urN gawk-5.3.1/test/indirectbuiltin3.awk gawk-5.3.2/test/indirectbuiltin3.awk --- gawk-5.3.1/test/indirectbuiltin3.awk 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/indirectbuiltin3.awk 2025-03-09 12:57:34.000000000 +0200 @@ -0,0 +1,10 @@ +function f(y, ifc) +{ + y[3] = 14 + ifc = "isarray" + return @ifc(y) +} + +BEGIN { + print f(z) +} diff -urN gawk-5.3.1/test/indirectbuiltin3.ok gawk-5.3.2/test/indirectbuiltin3.ok --- gawk-5.3.1/test/indirectbuiltin3.ok 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/indirectbuiltin3.ok 2025-03-09 12:57:34.000000000 +0200 @@ -0,0 +1 @@ +1 diff -urN gawk-5.3.1/test/indirectbuiltin4.awk gawk-5.3.2/test/indirectbuiltin4.awk --- gawk-5.3.1/test/indirectbuiltin4.awk 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/indirectbuiltin4.awk 2025-03-09 13:01:54.000000000 +0200 @@ -0,0 +1,5 @@ +BEGIN { + f = "awk::gensub" + a = b = c = d = "" + @f( a, b, c, d ) +} diff -urN gawk-5.3.1/test/indirectbuiltin4.ok gawk-5.3.2/test/indirectbuiltin4.ok --- gawk-5.3.1/test/indirectbuiltin4.ok 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/indirectbuiltin4.ok 2025-03-09 13:01:54.000000000 +0200 @@ -0,0 +1 @@ +gawk: indirectbuiltin4.awk:4: warning: gensub: third argument `' treated as 1 diff -urN gawk-5.3.1/test/indirectbuiltin5.awk gawk-5.3.2/test/indirectbuiltin5.awk --- gawk-5.3.1/test/indirectbuiltin5.awk 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/indirectbuiltin5.awk 2025-03-09 13:13:49.000000000 +0200 @@ -0,0 +1,20 @@ +BEGIN { + print "test 1" + if (1) { + f = "awk::match" + @f(a, b, c) + # error: gawk: ./bug.gwk:7: fatal error: internal error + } + print "test 2" + if (1) { + f = "f1" + f1_ = "awk::patsplit" # or split, asort, asorti, index, substr ... + @f(a, b, c, d) + # error: Assertion failed: r->valref > 0, file awk.h, line 1295 + } +} + +function f1(a, b, c, d) +{ + return @f1_(a, b) +} diff -urN gawk-5.3.1/test/indirectbuiltin5.ok gawk-5.3.2/test/indirectbuiltin5.ok --- gawk-5.3.1/test/indirectbuiltin5.ok 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/indirectbuiltin5.ok 2025-03-09 13:13:49.000000000 +0200 @@ -0,0 +1,4 @@ +test 1 +test 2 +gawk: indirectbuiltin5.awk:19: fatal: patsplit: second argument is not an array +EXIT CODE: 2 diff -urN gawk-5.3.1/test/indirectbuiltin6.awk gawk-5.3.2/test/indirectbuiltin6.awk --- gawk-5.3.1/test/indirectbuiltin6.awk 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/indirectbuiltin6.awk 2025-03-23 10:13:49.000000000 +0200 @@ -0,0 +1,8 @@ +@namespace "any" +BEGIN{ + + strtonum = "awk::strtonum" + + @strtonum( n ) + + } diff -urN gawk-5.3.1/test/lintplus2.ok gawk-5.3.2/test/lintplus2.ok --- gawk-5.3.1/test/lintplus2.ok 2024-08-29 09:52:19.000000000 +0300 +++ gawk-5.3.2/test/lintplus2.ok 2025-03-09 12:57:34.000000000 +0200 @@ -1,4 +1,3 @@ BEGIN { 1 > 2 ? 1 + 1 : 2 } - diff -urN gawk-5.3.1/test/Makefile.am gawk-5.3.2/test/Makefile.am --- gawk-5.3.1/test/Makefile.am 2024-09-17 21:37:39.000000000 +0300 +++ gawk-5.3.2/test/Makefile.am 2025-03-30 11:42:07.000000000 +0300 @@ -1,7 +1,7 @@ # # test/Makefile.am --- automake input file for gawk # -# Copyright (C) 1988-2024 the Free Software Foundation, Inc. +# Copyright (C) 1988-2025 the Free Software Foundation, Inc. # # This file is part of GAWK, the GNU implementation of the # AWK Programming Language. @@ -122,6 +122,16 @@ arysubnm.ok \ aryunasgn.awk \ aryunasgn.ok \ + ar2fn_elnew_sc.awk \ + ar2fn_elnew_sc.ok \ + ar2fn_elnew_sc2.awk \ + ar2fn_elnew_sc2.ok \ + ar2fn_fmod.awk \ + ar2fn_fmod.ok \ + ar2fn_unxptyp_aref.awk \ + ar2fn_unxptyp_aref.ok \ + ar2fn_unxptyp_val.awk \ + ar2fn_unxptyp_val.ok \ asgext.awk \ asgext.in \ asgext.ok \ @@ -284,6 +294,8 @@ delarprm.ok \ delfunc.awk \ delfunc.ok \ + delmessy.awk \ + delmessy.ok \ delsub.awk \ delsub.ok \ devfd.in1 \ @@ -627,6 +639,14 @@ indirectbuiltin.ok \ indirectbuiltin2.awk \ indirectbuiltin2.ok \ + indirectbuiltin3.awk \ + indirectbuiltin3.ok \ + indirectbuiltin4.awk \ + indirectbuiltin4.ok \ + indirectbuiltin5.awk \ + indirectbuiltin5.ok \ + indirectbuiltin6.awk \ + indirectbuiltin6.ok \ indirectcall2.awk \ indirectcall2.ok \ indirectcall3.awk \ @@ -797,6 +817,10 @@ membug1.ok \ memleak.awk \ memleak.ok \ + memleak2.awk \ + memleak2.ok \ + memleak3.awk \ + memleak3.ok \ messages.awk \ minusstr.awk \ minusstr.ok \ @@ -1322,6 +1346,8 @@ splitvar.ok \ splitwht.awk \ splitwht.ok \ + splitwht2.awk \ + splitwht2.ok \ sprintfc.awk \ sprintfc.in \ sprintfc.ok \ @@ -1462,6 +1488,8 @@ typeof7.ok \ typeof8.awk \ typeof8.ok \ + typeof9.awk \ + typeof9.ok \ unicode1.awk \ unicode1.ok \ uninit2.awk \ @@ -1523,83 +1551,101 @@ arryref2 arryref3 arryref4 arryref5 arynasty arynocls aryprm1 \ aryprm2 aryprm3 aryprm4 aryprm5 aryprm6 aryprm7 aryprm8 aryprm9 \ arysubnm aryunasgn asgext assignnumfield assignnumfield2 awkpath \ - back89 backgsub badassign1 badbuild callparam childin clobber \ - close_status closebad clsflnam cmdlinefsbacknl cmdlinefsbacknl2 \ - compare compare2 concat1 concat2 concat3 concat4 concat5 \ - convfmt datanonl defref delargv delarpm2 delarprm delfunc \ - dfacheck2 dfamb1 dfastress divzero divzero2 dynlj eofsplit \ - eofsrc1 escapebrace exit2 exitval1 exitval2 exitval3 fcall_exit \ - fcall_exit2 fieldassign fldchg fldchgnf fldterm fnamedat \ - fnarray fnarray2 fnaryscl fnasgnm fnmisc fordel forref forsimp \ - fsbs fscaret fsnul1 fsrs fsspcoln fstabplus funsemnl funsmnam \ - funstack getline getline2 getline3 getline4 getline5 getlnbuf \ - getlnfa getnr2tb getnr2tm gsubasgn gsubnulli18n gsubtest gsubtst2 \ - gsubtst3 gsubtst4 gsubtst5 gsubtst6 gsubtst7 gsubtst8 hex hex2 \ - hsprint inpref inputred intest intprec iobug1 leaddig leadnl \ - litoct longsub longwrds manglprm match4 matchuninitialized math \ - membug1 memleak messages minusstr mmap8k nasty nasty2 negexp \ - negrange nested nfldstr nfloop nfneg nfset nlfldsep nlinstr \ - nlstrina noeffect nofile nofmtch noloop1 noloop2 nonl noparms \ - nors nulinsrc nulrsend numindex numrange numstr1 numsubstr octsub \ - ofmt ofmta ofmtbig ofmtfidl ofmts ofmtstrnum ofs1 onlynl opasnidx \ - opasnslf paramasfunc1 paramasfunc2 paramdup paramres paramtyp \ + back89 backgsub badassign1 badbuild \ + callparam childin clobber close_status closebad clsflnam \ + cmdlinefsbacknl cmdlinefsbacknl2 compare compare2 concat1 concat2 \ + concat3 concat4 concat5 convfmt \ + datanonl defref delargv delarpm2 delarprm delfunc dfacheck2 \ + dfamb1 dfastress divzero divzero2 dynlj \ + eofsplit eofsrc1 escapebrace exit2 exitval1 exitval2 exitval3 \ + fcall_exit fcall_exit2 fieldassign fldchg fldchgnf fldterm \ + fnamedat fnarray fnarray2 fnaryscl fnasgnm fnmisc fordel forref \ + forsimp fsbs fscaret fsnul1 fsrs fsspcoln fstabplus funsemnl \ + funsmnam funstack \ + getline getline2 getline3 getline4 getline5 getlnbuf getlnfa \ + getnr2tb getnr2tm gsubasgn gsubnulli18n gsubtest gsubtst2 gsubtst3 \ + gsubtst4 gsubtst5 gsubtst6 gsubtst7 gsubtst8 \ + hex hex2 hsprint \ + inpref inputred intest intprec iobug1 \ + leaddig leadnl litoct longsub longwrds \ + manglprm match4 matchuninitialized math membug1 memleak messages \ + minusstr mmap8k \ + nasty nasty2 negexp negrange nested nfldstr nfloop nfneg nfset \ + nlfldsep nlinstr nlstrina noeffect nofile nofmtch noloop1 \ + noloop2 nonl noparms nors nulinsrc nulrsend numindex numrange \ + numstr1 numsubstr \ + octsub ofmt ofmta ofmtbig ofmtfidl ofmts ofmtstrnum ofs1 onlynl \ + opasnidx opasnslf \ + paramasfunc1 paramasfunc2 paramdup paramres paramtyp \ paramuninitglobal parse1 parsefld parseme pcntplus posix2008sub \ posix_compare prdupval prec printf-corners printf0 printf1 \ - printfchar prmarscl prmreuse prt1eval prtoeval rand randtest \ - range1 range2 readbuf rebrackloc rebt8b1 rebuild redfilnm regeq \ - regex3minus regexpbad regexpbrack regexpbrack2 regexprange \ - regrange reindops reparse resplit rri1 rs rscompat rsnul1nl \ - rsnulbig rsnulbig2 rsnullre rsnulw rstest1 rstest2 rstest3 \ - rstest4 rstest5 rswhite scalar sclforin sclifin setrec0 setrec1 \ - sigpipe1 sortempty sortglos spacere splitargv splitarr splitdef \ - splitvar splitwht status-close strcat1 strfieldnum strnum1 strnum2 \ - strsubscript strtod subamp subback subi18n subsepnm subslash \ - substr swaplns synerr1 synerr2 synerr3 tailrecurse tradanch \ - trailbs tweakfld uninit2 uninit3 uninit4 uninit5 uninitialized \ - unterm uparrfs uplus wideidx wideidx2 widesub widesub2 widesub3 \ - widesub4 wjposer1 zero2 zeroe0 zeroflag + printfchar prmarscl prmreuse prt1eval prtoeval \ + rand randtest range1 range2 readbuf rebrackloc rebt8b1 rebuild \ + redfilnm regeq regex3minus regexpbad regexpbrack regexpbrack2 \ + regexprange regrange reindops reparse resplit rri1 rs rscompat \ + rsnul1nl rsnulbig rsnulbig2 rsnullre rsnulw rstest1 rstest2 \ + rstest3 rstest4 rstest5 rswhite \ + scalar sclforin sclifin setrec0 setrec1 sigpipe1 sortempty \ + sortglos spacere splitargv splitarr splitdef splitvar splitwht splitwht2 \ + status-close strcat1 strfieldnum strnum1 strnum2 strsubscript \ + strtod subamp subback subi18n subsepnm subslash substr swaplns \ + synerr1 synerr2 synerr3 \ + tailrecurse tradanch trailbs tweakfld \ + uninit2 uninit3 uninit4 uninit5 uninitialized unterm uparrfs uplus \ + wideidx wideidx2 widesub widesub2 widesub3 widesub4 wjposer1 \ + zero2 zeroe0 zeroflag UNIX_TESTS = \ fflush getlnhd localenl pid pipeio1 pipeio2 poundbang rtlen rtlen01 \ space strftlng GAWK_EXT_TESTS = \ - aadelete1 aadelete2 aarray1 aasort aasorti argtest arraysort \ - arraysort2 arraytype asortbool asortsymtab backw badargs \ - beginfile1 beginfile2 binmode1 charasbytes clos1way clos1way2 \ - clos1way3 clos1way4 clos1way5 clos1way6 colonwarn commas crlf \ - csv1 csv2 csv3 csvodd dbugarray1 dbugarray2 dbugarray3 dbugarray4 \ - dbugeval dbugeval2 dbugeval3 dbugeval4 dbugtypedre1 dbugtypedre2 \ - delsub devfd devfd1 devfd2 dfacheck1 dumpvars elemnew1 elemnew2 \ - elemnew3 errno exit fieldwdth forcenum fpat1 fpat2 fpat3 fpat4 \ - fpat5 fpat6 fpat7 fpat8 fpat9 fpatnull fsfwfs functab1 functab2 \ - functab3 functab6 funlen fwtest fwtest2 fwtest3 fwtest4 fwtest5 \ - fwtest6 fwtest7 fwtest8 genpot gensub gensub2 gensub3 gensub4 \ - getlndir gnuops2 gnuops3 gnureops gsubind icasefs icasers id \ - igncdym igncfs ignrcas2 ignrcas4 ignrcase incdupe incdupe2 \ - incdupe3 incdupe4 incdupe5 incdupe6 incdupe7 include include2 \ - indirectbuiltin indirectcall indirectcall2 indirectcall3 intarray \ - iolint isarrayunset lint lintexp lintindex lintint lintlength \ - lintold lintplus lintplus2 lintplus3 lintset lintwarn manyfiles \ + aadelete1 aadelete2 aarray1 aasort aasorti ar2fn_elnew_sc \ + ar2fn_elnew_sc2 ar2fn_fmod ar2fn_unxptyp_aref ar2fn_unxptyp_val \ + argtest arraysort arraysort2 arraytype asortbool asortsymtab \ + backw badargs beginfile1 beginfile2 binmode1 \ + charasbytes clos1way clos1way2 clos1way3 clos1way4 clos1way5 \ + clos1way6 colonwarn commas crlf csv1 csv2 csv3 csvodd \ + dbugarray1 dbugarray2 dbugarray3 dbugarray4 dbugeval dbugeval2 \ + dbugeval3 dbugeval4 dbugtypedre1 dbugtypedre2 delmessy delsub \ + devfd devfd1 devfd2 dfacheck1 dumpvars elemnew1 \ + elemnew2 elemnew3 errno exit \ + fieldwdth forcenum fpat1 fpat2 fpat3 fpat4 fpat5 fpat6 fpat7 fpat8 \ + fpat9 fpatnull fsfwfs functab1 functab2 functab3 functab6 funlen \ + fwtest fwtest2 fwtest3 fwtest4 fwtest5 fwtest6 fwtest7 fwtest8 \ + genpot gensub gensub2 gensub3 gensub4 getlndir gnuops2 gnuops3 gnureops gsubind \ + icasefs icasers id igncdym igncfs ignrcas2 ignrcas4 ignrcase \ + incdupe incdupe2 incdupe3 incdupe4 incdupe5 incdupe6 incdupe7 \ + include include2 indirectbuiltin indirectbuiltin3 indirectbuiltin4 \ + indirectbuiltin5 indirectbuiltin6 indirectcall indirectcall2 \ + indirectcall3 intarray iolint isarrayunset \ + lint lintexp lintindex lintint lintlength lintold lintplus \ + lintplus2 lintplus3 lintset lintwarn manyfiles \ match1 match2 match3 mbstr1 mbstr2 mdim1 mdim2 mdim3 mdim4 mdim5 \ - mdim6 mdim7 mdim8 mixed1 mktime modifiers muldimposix nastyparm \ - negtime next nondec nondec2 nonfatal1 nonfatal2 nonfatal3 \ - nsawk1a nsawk1b nsawk1c nsawk2a nsawk2b nsbad nsbad2 nsbad3 \ - nsbad_cmd nsforloop nsfuncrecurse nsidentifier nsindirect1 \ - nsindirect2 nsprof1 nsprof2 nsprof3 octdec patsplit posix \ - printfbad1 printfbad2 printfbad3 printfbad4 printhuge procinfs \ - profile0 profile1 profile2 profile3 profile4 profile5 profile6 \ - profile7 profile8 profile9 profile10 profile11 profile12 \ - profile13 profile14 profile15 profile16 profile17 pty1 pty2 \ + mdim6 mdim7 mdim8 memleak2 memleak3 mixed1 mktime modifiers \ + muldimposix \ + nastyparm negtime next nondec nondec2 nonfatal1 nonfatal2 \ + nonfatal3 nsawk1a nsawk1b nsawk1c nsawk2a nsawk2b nsbad nsbad2 \ + nsbad3 nsbad_cmd nsforloop nsfuncrecurse nsidentifier nsindirect1 \ + nsindirect2 nsprof1 nsprof2 nsprof3 \ + octdec \ + patsplit posix printfbad1 printfbad2 printfbad3 printfbad4 \ + printhuge procinfs profile0 profile1 profile2 profile3 profile4 \ + profile5 profile6 profile7 profile8 profile9 profile10 profile11 \ + profile12 profile13 profile14 profile15 profile16 profile17 \ + pty1 pty2 \ re_test rebuf regexsub reginttrad regnul1 regnul2 regx8bit reint \ reint2 rsgetline rsglstdin rsstart1 rsstart2 rsstart3 rstest6 \ sandbox1 shadow shadowbuiltin sortfor sortfor2 sortu sourcesplit \ split_after_fpat splitarg4 strftfld strftime strtonum strtonum1 \ stupid1 stupid2 stupid3 stupid4 stupid5 switch2 symtab1 symtab2 \ symtab3 symtab4 symtab5 symtab6 symtab7 symtab8 symtab9 symtab10 \ - symtab11 symtab12 timeout typedregex1 typedregex2 typedregex3 \ - typedregex4 typedregex5 typedregex6 typeof1 typeof2 typeof3 \ - typeof4 typeof5 typeof6 typeof7 typeof8 unicode1 watchpoint1 + symtab11 symtab12 \ + timeout typedregex1 typedregex2 typedregex3 typedregex4 \ + typedregex5 typedregex6 typeof1 typeof2 typeof3 typeof4 typeof5 \ + typeof6 typeof7 typeof8 typeof9 \ + unicode1 \ + watchpoint1 ARRAYDEBUG_TESTS = arrdbg @@ -2408,7 +2454,8 @@ @echo $@ @-cp "$(srcdir)"/inplace.1.in _$@.1 @-cp "$(srcdir)"/inplace.2.in _$@.2 - @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @->_$@ + @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ @-$(CMP) "$(srcdir)"/$@.1.ok _$@.1 && rm -f _$@.1 @-$(CMP) "$(srcdir)"/$@.2.ok _$@.2 && rm -f _$@.2 @@ -2417,7 +2464,8 @@ @echo $@ @-cp "$(srcdir)"/inplace.1.in _$@.1 @-cp "$(srcdir)"/inplace.2.in _$@.2 - @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v inplace::suffix=.bak 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @>_$@ + @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v inplace::suffix=.bak 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ @-$(CMP) "$(srcdir)"/$@.1.ok _$@.1 && rm -f _$@.1 @-$(CMP) "$(srcdir)"/$@.1.bak.ok _$@.1.bak && rm -f _$@.1.bak @@ -2428,7 +2476,8 @@ @echo $@ @-cp "$(srcdir)"/inplace.1.in _$@.1 @-cp "$(srcdir)"/inplace.2.in _$@.2 - @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v INPLACE_SUFFIX=.orig 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @->_$@ + @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v INPLACE_SUFFIX=.orig 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ @-$(CMP) "$(srcdir)"/$@.1.ok _$@.1 && rm -f _$@.1 @-$(CMP) "$(srcdir)"/$@.1.orig.ok _$@.1.orig && rm -f _$@.1.orig @@ -2439,7 +2488,8 @@ @echo $@ @-cp "$(srcdir)"/inplace.1.in _$@.1 @-cp "$(srcdir)"/inplace.2.in _$@.2 - @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v inplace::suffix=.bak 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @->_$@ + @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v inplace::suffix=.bak 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v inplace::suffix=.bak 'BEGIN {print "Before"} {gsub(/bar/, "foo"); print} END {print "After"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ @-$(CMP) "$(srcdir)"/$@.1.ok _$@.1 && rm -f _$@.1 @@ -2451,7 +2501,8 @@ @echo $@ @-cp "$(srcdir)"/inplace.1.in _$@.1 @-cp "$(srcdir)"/inplace.2.in _$@.2 - @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v INPLACE_SUFFIX=.orig 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @->_$@ + @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v INPLACE_SUFFIX=.orig 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v INPLACE_SUFFIX=.orig 'BEGIN {print "Before"} {gsub(/bar/, "foo"); print} END {print "After"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ @-$(CMP) "$(srcdir)"/$@.1.ok _$@.1 && rm -f _$@.1 @@ -2553,7 +2604,7 @@ colonwarn: @echo $@ - @-for i in 1 2 3 ; \ + @-for i in 1 2 3 4 5 ; \ do AWKPATH="$(srcdir)" $(AWK) -f $@.awk $$i < "$(srcdir)"/$@.in 2>&1 ; \ done > _$@ || echo EXIT CODE: $$? >> _$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ @@ -2729,7 +2780,7 @@ diff -u "$(srcdir)"/$${base}.ok $$i ; \ fi ; \ fi ; \ - done | more + done | $${PAGER:-more} # make things easier for z/OS zos-diffout: diff -urN gawk-5.3.1/test/Makefile.in gawk-5.3.2/test/Makefile.in --- gawk-5.3.1/test/Makefile.in 2024-09-17 21:37:58.000000000 +0300 +++ gawk-5.3.2/test/Makefile.in 2025-04-02 07:00:35.000000000 +0300 @@ -17,7 +17,7 @@ # # test/Makefile.am --- automake input file for gawk # -# Copyright (C) 1988-2024 the Free Software Foundation, Inc. +# Copyright (C) 1988-2025 the Free Software Foundation, Inc. # # This file is part of GAWK, the GNU implementation of the # AWK Programming Language. @@ -386,6 +386,16 @@ arysubnm.ok \ aryunasgn.awk \ aryunasgn.ok \ + ar2fn_elnew_sc.awk \ + ar2fn_elnew_sc.ok \ + ar2fn_elnew_sc2.awk \ + ar2fn_elnew_sc2.ok \ + ar2fn_fmod.awk \ + ar2fn_fmod.ok \ + ar2fn_unxptyp_aref.awk \ + ar2fn_unxptyp_aref.ok \ + ar2fn_unxptyp_val.awk \ + ar2fn_unxptyp_val.ok \ asgext.awk \ asgext.in \ asgext.ok \ @@ -548,6 +558,8 @@ delarprm.ok \ delfunc.awk \ delfunc.ok \ + delmessy.awk \ + delmessy.ok \ delsub.awk \ delsub.ok \ devfd.in1 \ @@ -891,6 +903,14 @@ indirectbuiltin.ok \ indirectbuiltin2.awk \ indirectbuiltin2.ok \ + indirectbuiltin3.awk \ + indirectbuiltin3.ok \ + indirectbuiltin4.awk \ + indirectbuiltin4.ok \ + indirectbuiltin5.awk \ + indirectbuiltin5.ok \ + indirectbuiltin6.awk \ + indirectbuiltin6.ok \ indirectcall2.awk \ indirectcall2.ok \ indirectcall3.awk \ @@ -1061,6 +1081,10 @@ membug1.ok \ memleak.awk \ memleak.ok \ + memleak2.awk \ + memleak2.ok \ + memleak3.awk \ + memleak3.ok \ messages.awk \ minusstr.awk \ minusstr.ok \ @@ -1586,6 +1610,8 @@ splitvar.ok \ splitwht.awk \ splitwht.ok \ + splitwht2.awk \ + splitwht2.ok \ sprintfc.awk \ sprintfc.in \ sprintfc.ok \ @@ -1726,6 +1752,8 @@ typeof7.ok \ typeof8.awk \ typeof8.ok \ + typeof9.awk \ + typeof9.ok \ unicode1.awk \ unicode1.ok \ uninit2.awk \ @@ -1787,83 +1815,101 @@ arryref2 arryref3 arryref4 arryref5 arynasty arynocls aryprm1 \ aryprm2 aryprm3 aryprm4 aryprm5 aryprm6 aryprm7 aryprm8 aryprm9 \ arysubnm aryunasgn asgext assignnumfield assignnumfield2 awkpath \ - back89 backgsub badassign1 badbuild callparam childin clobber \ - close_status closebad clsflnam cmdlinefsbacknl cmdlinefsbacknl2 \ - compare compare2 concat1 concat2 concat3 concat4 concat5 \ - convfmt datanonl defref delargv delarpm2 delarprm delfunc \ - dfacheck2 dfamb1 dfastress divzero divzero2 dynlj eofsplit \ - eofsrc1 escapebrace exit2 exitval1 exitval2 exitval3 fcall_exit \ - fcall_exit2 fieldassign fldchg fldchgnf fldterm fnamedat \ - fnarray fnarray2 fnaryscl fnasgnm fnmisc fordel forref forsimp \ - fsbs fscaret fsnul1 fsrs fsspcoln fstabplus funsemnl funsmnam \ - funstack getline getline2 getline3 getline4 getline5 getlnbuf \ - getlnfa getnr2tb getnr2tm gsubasgn gsubnulli18n gsubtest gsubtst2 \ - gsubtst3 gsubtst4 gsubtst5 gsubtst6 gsubtst7 gsubtst8 hex hex2 \ - hsprint inpref inputred intest intprec iobug1 leaddig leadnl \ - litoct longsub longwrds manglprm match4 matchuninitialized math \ - membug1 memleak messages minusstr mmap8k nasty nasty2 negexp \ - negrange nested nfldstr nfloop nfneg nfset nlfldsep nlinstr \ - nlstrina noeffect nofile nofmtch noloop1 noloop2 nonl noparms \ - nors nulinsrc nulrsend numindex numrange numstr1 numsubstr octsub \ - ofmt ofmta ofmtbig ofmtfidl ofmts ofmtstrnum ofs1 onlynl opasnidx \ - opasnslf paramasfunc1 paramasfunc2 paramdup paramres paramtyp \ + back89 backgsub badassign1 badbuild \ + callparam childin clobber close_status closebad clsflnam \ + cmdlinefsbacknl cmdlinefsbacknl2 compare compare2 concat1 concat2 \ + concat3 concat4 concat5 convfmt \ + datanonl defref delargv delarpm2 delarprm delfunc dfacheck2 \ + dfamb1 dfastress divzero divzero2 dynlj \ + eofsplit eofsrc1 escapebrace exit2 exitval1 exitval2 exitval3 \ + fcall_exit fcall_exit2 fieldassign fldchg fldchgnf fldterm \ + fnamedat fnarray fnarray2 fnaryscl fnasgnm fnmisc fordel forref \ + forsimp fsbs fscaret fsnul1 fsrs fsspcoln fstabplus funsemnl \ + funsmnam funstack \ + getline getline2 getline3 getline4 getline5 getlnbuf getlnfa \ + getnr2tb getnr2tm gsubasgn gsubnulli18n gsubtest gsubtst2 gsubtst3 \ + gsubtst4 gsubtst5 gsubtst6 gsubtst7 gsubtst8 \ + hex hex2 hsprint \ + inpref inputred intest intprec iobug1 \ + leaddig leadnl litoct longsub longwrds \ + manglprm match4 matchuninitialized math membug1 memleak messages \ + minusstr mmap8k \ + nasty nasty2 negexp negrange nested nfldstr nfloop nfneg nfset \ + nlfldsep nlinstr nlstrina noeffect nofile nofmtch noloop1 \ + noloop2 nonl noparms nors nulinsrc nulrsend numindex numrange \ + numstr1 numsubstr \ + octsub ofmt ofmta ofmtbig ofmtfidl ofmts ofmtstrnum ofs1 onlynl \ + opasnidx opasnslf \ + paramasfunc1 paramasfunc2 paramdup paramres paramtyp \ paramuninitglobal parse1 parsefld parseme pcntplus posix2008sub \ posix_compare prdupval prec printf-corners printf0 printf1 \ - printfchar prmarscl prmreuse prt1eval prtoeval rand randtest \ - range1 range2 readbuf rebrackloc rebt8b1 rebuild redfilnm regeq \ - regex3minus regexpbad regexpbrack regexpbrack2 regexprange \ - regrange reindops reparse resplit rri1 rs rscompat rsnul1nl \ - rsnulbig rsnulbig2 rsnullre rsnulw rstest1 rstest2 rstest3 \ - rstest4 rstest5 rswhite scalar sclforin sclifin setrec0 setrec1 \ - sigpipe1 sortempty sortglos spacere splitargv splitarr splitdef \ - splitvar splitwht status-close strcat1 strfieldnum strnum1 strnum2 \ - strsubscript strtod subamp subback subi18n subsepnm subslash \ - substr swaplns synerr1 synerr2 synerr3 tailrecurse tradanch \ - trailbs tweakfld uninit2 uninit3 uninit4 uninit5 uninitialized \ - unterm uparrfs uplus wideidx wideidx2 widesub widesub2 widesub3 \ - widesub4 wjposer1 zero2 zeroe0 zeroflag + printfchar prmarscl prmreuse prt1eval prtoeval \ + rand randtest range1 range2 readbuf rebrackloc rebt8b1 rebuild \ + redfilnm regeq regex3minus regexpbad regexpbrack regexpbrack2 \ + regexprange regrange reindops reparse resplit rri1 rs rscompat \ + rsnul1nl rsnulbig rsnulbig2 rsnullre rsnulw rstest1 rstest2 \ + rstest3 rstest4 rstest5 rswhite \ + scalar sclforin sclifin setrec0 setrec1 sigpipe1 sortempty \ + sortglos spacere splitargv splitarr splitdef splitvar splitwht splitwht2 \ + status-close strcat1 strfieldnum strnum1 strnum2 strsubscript \ + strtod subamp subback subi18n subsepnm subslash substr swaplns \ + synerr1 synerr2 synerr3 \ + tailrecurse tradanch trailbs tweakfld \ + uninit2 uninit3 uninit4 uninit5 uninitialized unterm uparrfs uplus \ + wideidx wideidx2 widesub widesub2 widesub3 widesub4 wjposer1 \ + zero2 zeroe0 zeroflag UNIX_TESTS = \ fflush getlnhd localenl pid pipeio1 pipeio2 poundbang rtlen rtlen01 \ space strftlng GAWK_EXT_TESTS = \ - aadelete1 aadelete2 aarray1 aasort aasorti argtest arraysort \ - arraysort2 arraytype asortbool asortsymtab backw badargs \ - beginfile1 beginfile2 binmode1 charasbytes clos1way clos1way2 \ - clos1way3 clos1way4 clos1way5 clos1way6 colonwarn commas crlf \ - csv1 csv2 csv3 csvodd dbugarray1 dbugarray2 dbugarray3 dbugarray4 \ - dbugeval dbugeval2 dbugeval3 dbugeval4 dbugtypedre1 dbugtypedre2 \ - delsub devfd devfd1 devfd2 dfacheck1 dumpvars elemnew1 elemnew2 \ - elemnew3 errno exit fieldwdth forcenum fpat1 fpat2 fpat3 fpat4 \ - fpat5 fpat6 fpat7 fpat8 fpat9 fpatnull fsfwfs functab1 functab2 \ - functab3 functab6 funlen fwtest fwtest2 fwtest3 fwtest4 fwtest5 \ - fwtest6 fwtest7 fwtest8 genpot gensub gensub2 gensub3 gensub4 \ - getlndir gnuops2 gnuops3 gnureops gsubind icasefs icasers id \ - igncdym igncfs ignrcas2 ignrcas4 ignrcase incdupe incdupe2 \ - incdupe3 incdupe4 incdupe5 incdupe6 incdupe7 include include2 \ - indirectbuiltin indirectcall indirectcall2 indirectcall3 intarray \ - iolint isarrayunset lint lintexp lintindex lintint lintlength \ - lintold lintplus lintplus2 lintplus3 lintset lintwarn manyfiles \ + aadelete1 aadelete2 aarray1 aasort aasorti ar2fn_elnew_sc \ + ar2fn_elnew_sc2 ar2fn_fmod ar2fn_unxptyp_aref ar2fn_unxptyp_val \ + argtest arraysort arraysort2 arraytype asortbool asortsymtab \ + backw badargs beginfile1 beginfile2 binmode1 \ + charasbytes clos1way clos1way2 clos1way3 clos1way4 clos1way5 \ + clos1way6 colonwarn commas crlf csv1 csv2 csv3 csvodd \ + dbugarray1 dbugarray2 dbugarray3 dbugarray4 dbugeval dbugeval2 \ + dbugeval3 dbugeval4 dbugtypedre1 dbugtypedre2 delmessy delsub \ + devfd devfd1 devfd2 dfacheck1 dumpvars elemnew1 \ + elemnew2 elemnew3 errno exit \ + fieldwdth forcenum fpat1 fpat2 fpat3 fpat4 fpat5 fpat6 fpat7 fpat8 \ + fpat9 fpatnull fsfwfs functab1 functab2 functab3 functab6 funlen \ + fwtest fwtest2 fwtest3 fwtest4 fwtest5 fwtest6 fwtest7 fwtest8 \ + genpot gensub gensub2 gensub3 gensub4 getlndir gnuops2 gnuops3 gnureops gsubind \ + icasefs icasers id igncdym igncfs ignrcas2 ignrcas4 ignrcase \ + incdupe incdupe2 incdupe3 incdupe4 incdupe5 incdupe6 incdupe7 \ + include include2 indirectbuiltin indirectbuiltin3 indirectbuiltin4 \ + indirectbuiltin5 indirectbuiltin6 indirectcall indirectcall2 \ + indirectcall3 intarray iolint isarrayunset \ + lint lintexp lintindex lintint lintlength lintold lintplus \ + lintplus2 lintplus3 lintset lintwarn manyfiles \ match1 match2 match3 mbstr1 mbstr2 mdim1 mdim2 mdim3 mdim4 mdim5 \ - mdim6 mdim7 mdim8 mixed1 mktime modifiers muldimposix nastyparm \ - negtime next nondec nondec2 nonfatal1 nonfatal2 nonfatal3 \ - nsawk1a nsawk1b nsawk1c nsawk2a nsawk2b nsbad nsbad2 nsbad3 \ - nsbad_cmd nsforloop nsfuncrecurse nsidentifier nsindirect1 \ - nsindirect2 nsprof1 nsprof2 nsprof3 octdec patsplit posix \ - printfbad1 printfbad2 printfbad3 printfbad4 printhuge procinfs \ - profile0 profile1 profile2 profile3 profile4 profile5 profile6 \ - profile7 profile8 profile9 profile10 profile11 profile12 \ - profile13 profile14 profile15 profile16 profile17 pty1 pty2 \ + mdim6 mdim7 mdim8 memleak2 memleak3 mixed1 mktime modifiers \ + muldimposix \ + nastyparm negtime next nondec nondec2 nonfatal1 nonfatal2 \ + nonfatal3 nsawk1a nsawk1b nsawk1c nsawk2a nsawk2b nsbad nsbad2 \ + nsbad3 nsbad_cmd nsforloop nsfuncrecurse nsidentifier nsindirect1 \ + nsindirect2 nsprof1 nsprof2 nsprof3 \ + octdec \ + patsplit posix printfbad1 printfbad2 printfbad3 printfbad4 \ + printhuge procinfs profile0 profile1 profile2 profile3 profile4 \ + profile5 profile6 profile7 profile8 profile9 profile10 profile11 \ + profile12 profile13 profile14 profile15 profile16 profile17 \ + pty1 pty2 \ re_test rebuf regexsub reginttrad regnul1 regnul2 regx8bit reint \ reint2 rsgetline rsglstdin rsstart1 rsstart2 rsstart3 rstest6 \ sandbox1 shadow shadowbuiltin sortfor sortfor2 sortu sourcesplit \ split_after_fpat splitarg4 strftfld strftime strtonum strtonum1 \ stupid1 stupid2 stupid3 stupid4 stupid5 switch2 symtab1 symtab2 \ symtab3 symtab4 symtab5 symtab6 symtab7 symtab8 symtab9 symtab10 \ - symtab11 symtab12 timeout typedregex1 typedregex2 typedregex3 \ - typedregex4 typedregex5 typedregex6 typeof1 typeof2 typeof3 \ - typeof4 typeof5 typeof6 typeof7 typeof8 unicode1 watchpoint1 + symtab11 symtab12 \ + timeout typedregex1 typedregex2 typedregex3 typedregex4 \ + typedregex5 typedregex6 typeof1 typeof2 typeof3 typeof4 typeof5 \ + typeof6 typeof7 typeof8 typeof9 \ + unicode1 \ + watchpoint1 ARRAYDEBUG_TESTS = arrdbg EXTRA_TESTS = inftest regtest ignrcas3 @@ -2858,7 +2904,8 @@ @echo $@ @-cp "$(srcdir)"/inplace.1.in _$@.1 @-cp "$(srcdir)"/inplace.2.in _$@.2 - @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @->_$@ + @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ @-$(CMP) "$(srcdir)"/$@.1.ok _$@.1 && rm -f _$@.1 @-$(CMP) "$(srcdir)"/$@.2.ok _$@.2 && rm -f _$@.2 @@ -2867,7 +2914,8 @@ @echo $@ @-cp "$(srcdir)"/inplace.1.in _$@.1 @-cp "$(srcdir)"/inplace.2.in _$@.2 - @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v inplace::suffix=.bak 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @>_$@ + @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v inplace::suffix=.bak 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ @-$(CMP) "$(srcdir)"/$@.1.ok _$@.1 && rm -f _$@.1 @-$(CMP) "$(srcdir)"/$@.1.bak.ok _$@.1.bak && rm -f _$@.1.bak @@ -2878,7 +2926,8 @@ @echo $@ @-cp "$(srcdir)"/inplace.1.in _$@.1 @-cp "$(srcdir)"/inplace.2.in _$@.2 - @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v INPLACE_SUFFIX=.orig 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @->_$@ + @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v INPLACE_SUFFIX=.orig 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ @-$(CMP) "$(srcdir)"/$@.1.ok _$@.1 && rm -f _$@.1 @-$(CMP) "$(srcdir)"/$@.1.orig.ok _$@.1.orig && rm -f _$@.1.orig @@ -2889,7 +2938,8 @@ @echo $@ @-cp "$(srcdir)"/inplace.1.in _$@.1 @-cp "$(srcdir)"/inplace.2.in _$@.2 - @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v inplace::suffix=.bak 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @->_$@ + @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v inplace::suffix=.bak 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v inplace::suffix=.bak 'BEGIN {print "Before"} {gsub(/bar/, "foo"); print} END {print "After"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ @-$(CMP) "$(srcdir)"/$@.1.ok _$@.1 && rm -f _$@.1 @@ -2901,7 +2951,8 @@ @echo $@ @-cp "$(srcdir)"/inplace.1.in _$@.1 @-cp "$(srcdir)"/inplace.2.in _$@.2 - @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v INPLACE_SUFFIX=.orig 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @->_$@ + @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v INPLACE_SUFFIX=.orig 'BEGIN {print "before"} {gsub(/foo/, "bar"); print} END {print "after"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-AWKPATH="$(srcdir)"/../awklib/eg/lib $(AWK) -i inplace -v INPLACE_SUFFIX=.orig 'BEGIN {print "Before"} {gsub(/bar/, "foo"); print} END {print "After"}' _$@.1 - _$@.2 < "$(srcdir)"/inplace.in >>_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ @-$(CMP) "$(srcdir)"/$@.1.ok _$@.1 && rm -f _$@.1 @@ -3003,7 +3054,7 @@ colonwarn: @echo $@ - @-for i in 1 2 3 ; \ + @-for i in 1 2 3 4 5 ; \ do AWKPATH="$(srcdir)" $(AWK) -f $@.awk $$i < "$(srcdir)"/$@.in 2>&1 ; \ done > _$@ || echo EXIT CODE: $$? >> _$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ @@ -4277,6 +4328,11 @@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ +splitwht2: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + status-close: @echo $@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @@ -4525,6 +4581,31 @@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ +ar2fn_elnew_sc: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +ar2fn_elnew_sc2: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +ar2fn_fmod: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +ar2fn_unxptyp_aref: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +ar2fn_unxptyp_val: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + arraysort: @echo $@ $(ZOS_FAIL) @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @@ -4666,6 +4747,11 @@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk --debug < "$(srcdir)"/$@.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ +delmessy: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + delsub: @echo $@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @@ -4922,6 +5008,26 @@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ +indirectbuiltin3: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +indirectbuiltin4: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +indirectbuiltin5: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +indirectbuiltin6: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + indirectcall: @echo $@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk < "$(srcdir)"/$@.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @@ -5069,6 +5175,16 @@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk < "$(srcdir)"/$@.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ +memleak2: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +memleak3: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + mktime: @echo $@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk < "$(srcdir)"/$@.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @@ -5511,6 +5627,11 @@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ +typeof9: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + unicode1: @echo $@ $(ZOS_FAIL) @-[ -z "$$GAWKLOCALE" ] && GAWKLOCALE=en_US.UTF-8; export GAWKLOCALE; \ @@ -5806,7 +5927,7 @@ diff -u "$(srcdir)"/$${base}.ok $$i ; \ fi ; \ fi ; \ - done | more + done | $${PAGER:-more} # make things easier for z/OS zos-diffout: diff -urN gawk-5.3.1/test/Maketests gawk-5.3.2/test/Maketests --- gawk-5.3.1/test/Maketests 2024-09-17 21:37:58.000000000 +0300 +++ gawk-5.3.2/test/Maketests 2025-04-02 06:57:58.000000000 +0300 @@ -1138,6 +1138,11 @@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ +splitwht2: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + status-close: @echo $@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @@ -1386,6 +1391,31 @@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ +ar2fn_elnew_sc: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +ar2fn_elnew_sc2: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +ar2fn_fmod: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +ar2fn_unxptyp_aref: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +ar2fn_unxptyp_val: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + arraysort: @echo $@ $(ZOS_FAIL) @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @@ -1527,6 +1557,11 @@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk --debug < "$(srcdir)"/$@.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ +delmessy: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + delsub: @echo $@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @@ -1783,6 +1818,26 @@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ +indirectbuiltin3: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +indirectbuiltin4: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +indirectbuiltin5: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +indirectbuiltin6: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + indirectcall: @echo $@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk < "$(srcdir)"/$@.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @@ -1930,6 +1985,16 @@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk < "$(srcdir)"/$@.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ +memleak2: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +memleak3: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + mktime: @echo $@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk < "$(srcdir)"/$@.in >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @@ -2371,6 +2436,11 @@ @echo $@ @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ + +typeof9: + @echo $@ + @-AWKPATH="$(srcdir)" $(AWK) -f $@.awk >_$@ 2>&1 || echo EXIT CODE: $$? >>_$@ + @-$(CMP) "$(srcdir)"/$@.ok _$@ && rm -f _$@ unicode1: @echo $@ $(ZOS_FAIL) diff -urN gawk-5.3.1/test/memleak2.awk gawk-5.3.2/test/memleak2.awk --- gawk-5.3.1/test/memleak2.awk 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/memleak2.awk 2025-03-09 13:01:54.000000000 +0200 @@ -0,0 +1,18 @@ +BEGIN { + #r = "" + r = @// + test(r) + # while ( 1 ) { } +} + + +function test(r, q, rp, c, t) +{ + #q = 500000 + q = 50 + rp = @/ / + for (c = 0; c < q; c++) { + s = r + sub(//, rp, s) + } +} diff -urN gawk-5.3.1/test/memleak3.awk gawk-5.3.2/test/memleak3.awk --- gawk-5.3.1/test/memleak3.awk 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/memleak3.awk 2025-03-09 13:04:08.000000000 +0200 @@ -0,0 +1,4 @@ +BEGIN { + f = "awk::length" + @f(thearg) +} diff -urN gawk-5.3.1/test/mpfrmemok1.ok gawk-5.3.2/test/mpfrmemok1.ok --- gawk-5.3.1/test/mpfrmemok1.ok 2019-08-28 21:54:15.000000000 +0300 +++ gawk-5.3.2/test/mpfrmemok1.ok 2025-03-09 12:57:34.000000000 +0200 @@ -4,4 +4,3 @@ BEGIN { 1 v = 0x0100000000000000000000000000000000 } - diff -urN gawk-5.3.1/test/nsprof1.ok gawk-5.3.2/test/nsprof1.ok --- gawk-5.3.1/test/nsprof1.ok 2022-06-02 21:18:31.000000000 +0300 +++ gawk-5.3.2/test/nsprof1.ok 2025-03-09 12:57:34.000000000 +0200 @@ -1,4 +1,3 @@ - @namespace "foo" BEGIN { @@ -11,10 +10,8 @@ print "bar" } - @namespace "stuff" - function stuff() { print "stuff" diff -urN gawk-5.3.1/test/nsprof2.ok gawk-5.3.2/test/nsprof2.ok --- gawk-5.3.1/test/nsprof2.ok 2022-06-02 21:18:31.000000000 +0300 +++ gawk-5.3.2/test/nsprof2.ok 2025-03-09 12:57:34.000000000 +0200 @@ -8,10 +8,8 @@ @namespace "foo" # this is foo - @namespace "bar" # this is bar - @namespace "passwd" # move to passwd namespace BEGIN { @@ -19,7 +17,6 @@ Awklib = "/usr/local/libexec/awk/" } - function awk::endpwent() { Count = 0 diff -urN gawk-5.3.1/test/nsprof3.ok gawk-5.3.2/test/nsprof3.ok --- gawk-5.3.1/test/nsprof3.ok 2024-09-15 09:00:40.000000000 +0300 +++ gawk-5.3.2/test/nsprof3.ok 2025-03-09 12:57:34.000000000 +0200 @@ -11,7 +11,6 @@ @namespace "bar" - function a() { awk::a() @@ -24,7 +23,6 @@ @namespace "foo" - function a() { awk::a() diff -urN gawk-5.3.1/test/profile0.ok gawk-5.3.2/test/profile0.ok --- gawk-5.3.1/test/profile0.ok 2019-08-28 21:54:15.000000000 +0300 +++ gawk-5.3.2/test/profile0.ok 2025-03-09 12:57:34.000000000 +0200 @@ -3,4 +3,3 @@ 2 NR == 1 { # 1 1 print } - diff -urN gawk-5.3.1/test/profile11.ok gawk-5.3.2/test/profile11.ok --- gawk-5.3.1/test/profile11.ok 2024-04-19 16:07:15.000000000 +0300 +++ gawk-5.3.2/test/profile11.ok 2025-03-09 12:57:34.000000000 +0200 @@ -1,6 +1,7 @@ @load "filefuncs" # get file functions # comments/for.awk + BEGIN { for (i = 1; i <= 10; i++) { print i @@ -29,6 +30,7 @@ } # comments/for0.awk + BEGIN { for (iggy in foo) { # comment 5 @@ -38,6 +40,7 @@ } # comments/for1.awk + BEGIN { for (iggy in foo) { # comment 1 @@ -59,6 +62,7 @@ } # comments/for2.awk + BEGIN { for (;;) { print i @@ -87,6 +91,7 @@ } # comments/for_del.awk + BEGIN { for (iggy in foo) { delete foo[iggy] @@ -94,6 +99,7 @@ } # comments/do.awk + BEGIN { do { # DO comment # LBRACE comment @@ -104,6 +110,7 @@ } # comments/do2.awk + BEGIN { do { # DO comment # LBRACE comment @@ -113,6 +120,7 @@ } # comments2/do.awk + BEGIN { do { # do comment # lbrace comment @@ -124,6 +132,7 @@ } # comments2/if.awk + BEGIN { if (a) { # IF comment @@ -139,6 +148,7 @@ } # comments/if0.awk + BEGIN { if (a) { # nothing @@ -148,6 +158,7 @@ } # comments/switch.awk + BEGIN { a = 5 switch (a) { # switch EOL comment @@ -169,6 +180,7 @@ } # comments2/switch.awk + BEGIN { a = 5 switch (a) { # switch EOL comment @@ -187,6 +199,7 @@ } # comments2/switch0.awk + BEGIN { a = 5 switch (a) { @@ -200,6 +213,7 @@ } # comments2/switch1.awk + BEGIN { a = 5 switch (a) { @@ -214,6 +228,7 @@ } # comments2/while.awk + BEGIN { while (1) { # while comment @@ -224,6 +239,7 @@ } # comments2/while2.awk + BEGIN { while (1) { # while comment @@ -239,6 +255,7 @@ } # comments/load.awk + BEGIN { stat("/etc/passwd", data) for (i in data) { @@ -247,6 +264,7 @@ } # comments/andor.awk + BEGIN { if (a && # and comment b || # or comment @@ -256,6 +274,7 @@ } # comments/qmcol-qm.awk + BEGIN { a = 1 ? # qm comment 2 : 3 @@ -263,6 +282,7 @@ } # comments/qmcol-colon.awk + BEGIN { a = 1 ? 2 : # colon comment 3 @@ -270,6 +290,7 @@ } # comments/qmcolboth.awk + BEGIN { a = 1 ? # qm comment 2 : # colon comment @@ -278,6 +299,7 @@ } # test beginning of line block comments (com2.awk) + BEGIN { print "hi" # comment 1 # comment 2 @@ -289,8 +311,10 @@ } } + # comments/exp.awk # range comment + # range comment 2 # range comment b @@ -307,6 +331,7 @@ print "foo" } + # rbrace eol bar # rbrace block bar @@ -321,6 +346,7 @@ print "foo" } + # rbrace EOL comment funnyhaha # rbrace block comment funnyhaha @@ -334,6 +360,7 @@ c } + # rbrace eol baz # rbrace block baz @@ -349,6 +376,7 @@ print "funny" } + # rbrace EOL comment funny # rbrace block comment funny diff -urN gawk-5.3.1/test/profile13.ok gawk-5.3.2/test/profile13.ok --- gawk-5.3.1/test/profile13.ok 2020-02-06 22:52:58.000000000 +0200 +++ gawk-5.3.2/test/profile13.ok 2025-03-09 12:57:34.000000000 +0200 @@ -2,4 +2,3 @@ printf("hello\n") > "/dev/stderr" printf("hello\n") > "/dev/stderr" } - diff -urN gawk-5.3.1/test/profile14.ok gawk-5.3.2/test/profile14.ok --- gawk-5.3.1/test/profile14.ok 2022-06-02 21:18:31.000000000 +0300 +++ gawk-5.3.2/test/profile14.ok 2025-03-09 12:57:34.000000000 +0200 @@ -1,4 +1,5 @@ #: 200810_ Prettyprint weirdness to show Arnold + BEGIN { IGNORECASE = 1 printf ("\n") @@ -9,13 +10,15 @@ # --5-5-5----------- + #..4.4.4............. function overridefunc(note) { printf "%s:\tHello Lone Star state from @namespace awk\n", note } -@namespace "masterlib" # masterlib is library of "default" user-defined functions +@namespace "masterlib" +# masterlib is library of "default" user-defined functions # e-o-function tstlib() diff -urN gawk-5.3.1/test/profile15.ok gawk-5.3.2/test/profile15.ok --- gawk-5.3.1/test/profile15.ok 2022-06-02 21:18:31.000000000 +0300 +++ gawk-5.3.2/test/profile15.ok 2025-03-09 12:57:34.000000000 +0200 @@ -12,7 +12,6 @@ @namespace "bbb" - function zzz() { return "bbb::zzz" @@ -20,7 +19,6 @@ @namespace "nnn" - function abc() { return "nnn::abc" diff -urN gawk-5.3.1/test/profile16.ok gawk-5.3.2/test/profile16.ok --- gawk-5.3.1/test/profile16.ok 2024-04-19 16:07:15.000000000 +0300 +++ gawk-5.3.2/test/profile16.ok 2025-03-09 12:57:34.000000000 +0200 @@ -3,10 +3,8 @@ foofoo::xxx() } - @namespace "foo" - function foo_bar() { print "foo::foo_bar" diff -urN gawk-5.3.1/test/profile17.ok gawk-5.3.2/test/profile17.ok --- gawk-5.3.1/test/profile17.ok 2024-04-19 16:07:15.000000000 +0300 +++ gawk-5.3.2/test/profile17.ok 2025-03-09 12:57:34.000000000 +0200 @@ -16,4 +16,3 @@ break } } - diff -urN gawk-5.3.1/test/profile2.ok gawk-5.3.2/test/profile2.ok --- gawk-5.3.1/test/profile2.ok 2022-06-02 21:18:31.000000000 +0300 +++ gawk-5.3.2/test/profile2.ok 2025-03-09 12:57:34.000000000 +0200 @@ -72,7 +72,6 @@ 1 close(sortcmd) } - # Functions, listed alphabetically 1 function asplit(str, arr, fs, n) diff -urN gawk-5.3.1/test/profile3.ok gawk-5.3.2/test/profile3.ok --- gawk-5.3.1/test/profile3.ok 2017-12-14 19:53:45.000000000 +0200 +++ gawk-5.3.2/test/profile3.ok 2025-03-09 12:57:34.000000000 +0200 @@ -5,7 +5,6 @@ 1 print @the_func("Hello") } - # Functions, listed alphabetically 1 function p(str) diff -urN gawk-5.3.1/test/profile4.ok gawk-5.3.2/test/profile4.ok --- gawk-5.3.1/test/profile4.ok 2019-08-28 21:54:15.000000000 +0300 +++ gawk-5.3.2/test/profile4.ok 2025-03-09 12:57:34.000000000 +0200 @@ -6,4 +6,3 @@ a = ((c = tolower("FOO")) in JUNK) x = (y == 0 && z == 2 && q == 45) } - diff -urN gawk-5.3.1/test/profile5.ok gawk-5.3.2/test/profile5.ok --- gawk-5.3.1/test/profile5.ok 2024-04-19 16:07:15.000000000 +0300 +++ gawk-5.3.2/test/profile5.ok 2025-03-09 12:57:34.000000000 +0200 @@ -3,6 +3,7 @@ } #___________________________________________________________________________________ + BEGIN { ############################################################################ BINMODE = "rw" SUBSEP = "\000" @@ -24,6 +25,7 @@ } #___________________________________________________________________________________ + BEGIN { ############################################################################# _delay_perfmsdelay = 11500 } @@ -33,15 +35,17 @@ } #___________________________________________________________________________________ + BEGIN { } - ########################################################################### + BEGIN { _addlib("_EXTFN") } #___________________________________________________________________________________ + BEGIN { ############################################################################# delete _XCHR delete _ASC @@ -102,6 +106,7 @@ } #___________________________________________________________________________________ + BEGIN { ############################################################################# _SYS_STDCON = "CON" _CON_WIDTH = match(_cmd("MODE " _SYS_STDCON " 2>NUL"), /Columns:[ \t]*([0-9]+)/, A) ? strtonum(A[1]) : 80 @@ -112,6 +117,7 @@ } #___________________________________________________________________________________ + BEGIN { ############################################################################# if (_SYS_STDOUT == "") { _SYS_STDOUT = "/dev/stdout" @@ -134,6 +140,7 @@ } #___________________________________________________________________________________ + BEGIN { ############################################################################# _tInBy = "\212._tInBy" _tgenuid_init() @@ -166,6 +173,7 @@ } #___________________________________________________________________________________ + BEGIN { ############################################################################# if (_gawk_scriptlevel < 1) { _ERRLOG_TF = 1 @@ -183,21 +191,23 @@ } #___________________________________________________________________________________ + BEGIN { _shortcut_init() } - ######################################################### + BEGIN { _addlib("_eXTFN") } #___________________________________________________________________________________ + BEGIN { _extfn_init() } - ############################################################ + BEGIN { _addlib("_sHARE") } @@ -218,32 +228,38 @@ # after removal of array format detection: there is unfinished conflicts: it is possible to totally remove array uid-gen initialization #_____________________________________________________ + BEGIN { _inituidefault() } #_____________________________________________________ + BEGIN { _initfilever() } #_____________________________________________________ + BEGIN { _initshare() } #_________________________________________________________________ + BEGIN { _inspass(_IMPORT, "_import_data") } #_______________________________________________ + BEGIN { _TEND[_ARRLEN] = 0 _TYPEWORD = "_TYPE" } #_______________________________________________ + BEGIN { _ARRLEN = "\032LEN" _ARRPTR = "\032PTR" @@ -251,6 +267,7 @@ } #_____________________________________________________ + BEGIN { _getperf_fn = "_nop" } @@ -260,16 +277,19 @@ } #_____________________________________________________ + BEGIN { _initrdreg() } #_____________________________________________________ + BEGIN { _initregpath0() } #_____________________________________________________ + BEGIN { _initsys() } @@ -285,6 +305,7 @@ #BootDevice BuildNumber BuildType Caption CodeSet CountryCode CreationClassName CSCreationClassName CSDVersion CSName CurrentTimeZone DataExecutionPrevention_32BitApplications DataExecutionPrevention_Available DataExecutionPrevention_Drivers DataExecutionPrevention_SupportPolicy Debug Description Distributed EncryptionLevel ForegroundApplicationBoost FreePhysicalMemory FreeSpaceInPagingFiles FreeVirtualMemory InstallDate LargeSystemCache LastBootUpTime LocalDateTime Locale Manufacturer MaxNumberOfProcesses MaxProcessMemorySize MUILanguages Name NumberOfLicensedUsers NumberOfProcesses NumberOfUsers OperatingSystemSKU Organization OSArchitecture OSLanguage OSProductSuite OSType OtherTypeDescription PAEEnabled PlusProductID PlusVersionNumber Primary ProductType RegisteredUser SerialNumber ServicePackMajorVersion ServicePackMinorVersion SizeStoredInPagingFiles Status SuiteMask SystemDevice SystemDirectory SystemDrive TotalSwapSpaceSize TotalVirtualMemorySize TotalVisibleMemorySize Version WindowsDirectory #\Device\HarddiskVolume1 7601 Multiprocessor Free Microsoft Windows Server 2008 R2 Enterprise 1252 1 Win32_OperatingSystem Win32_ComputerSystem Service Pack 1 CPU 180 TRUE TRUE TRUE 3 FALSE FALSE 256 0 6925316 33518716 41134632 20110502192745.000000+180 20130426120425.497469+180 20130510134606.932000+180 0409 Microsoft Corporation -1 8589934464 {"en-US"} Microsoft Windows Server 2008 R2 Enterprise |C:\Windows|\Device\Harddisk0\Partition2 0 116 2 10 64-bit 1033 274 18 TRUE 3 Windows User 55041-507-2389175-84833 1 0 33554432 OK 274 \Device\HarddiskVolume2 C:\Windows\system32 C: 50311020 16758448 6.1.7601 C:\Windows + BEGIN { ############################################################################ a = ENVIRON["EGAWK_CMDLINE"] gsub(/^[ \t]*/, "", a) @@ -305,12 +326,14 @@ } #_____________________________________________________________________________ + END { ######################################################################## _EXIT() } #_______________________________________________________________________ ######################################################################## + END { ############################################################################### if (_gawk_scriptlevel < 1) { close(_errlog_file) @@ -332,6 +355,7 @@ #_____________________________________________________________________________ # _rQBRO(ptr) - Returns brothers total quantity. [TESTED] # If !ptr then returns "". + END { ############################################################################### if (_gawk_scriptlevel < 1) { if (! _fileio_notdeltmpflag) { @@ -632,6 +656,7 @@ # var _gawk_scriptlevel #___________________________________________________________________________________ #################################################################################### + END { ############################################################################### if (_constatstrln > 0) { _constat() @@ -653,6 +678,7 @@ # try different key combinations # add lib-specified to all libs + #_______________________________________________________________________ function W(p, p0, p1) { @@ -923,6 +949,7 @@ } } + ############################################################ #_____________________________________________________________________________ @@ -961,6 +988,7 @@ { } + #___________________________________________________________________________________ function _INITBASE() { @@ -992,6 +1020,7 @@ } } + #___________________________________________________________________________________ @@ -1033,6 +1062,7 @@ } } + #______________________________________________________________________________________________ function _START(t, i, A) { @@ -1166,6 +1196,7 @@ } } + #_______________________________________________________________________ ######################################################################## function _W(p, A, v) @@ -1186,6 +1217,7 @@ return v } + #_______________________________________________________________________ function _Zexparr(S, s, t, i) { @@ -1205,6 +1237,7 @@ return t } + #_________________________________________________________________ function _Zexparr_i0(S, t, i) { @@ -1214,6 +1247,7 @@ return t } + #_________________________________________________________________ function _Zexparr_i1(t) { @@ -1223,6 +1257,7 @@ return t } + #_________________________________________________________________ function _Zexparr_i2(t) { @@ -1230,6 +1265,7 @@ return t } + #_________________________________________________________________ function _Zexparr_i3(t) { @@ -1238,6 +1274,7 @@ return t } + #_______________________________________________________________________ function _Zimparr(D, t, A, B) { @@ -1251,12 +1288,14 @@ } } + #_________________________________________________________________ function _Zimparr_i0(A, B, i) { return (i in A ? (A[i] B[i] _Zimparr_i0(A, B, i + 1)) : "") } + #_________________________________________________________________ function _Zimparr_i1(D, A, B, i, t, a, n) { @@ -1281,6 +1320,7 @@ } } + #_________________________________________________________________ function _Zimparr_i2(t) { @@ -1289,6 +1329,7 @@ return t } + #_____________________________________________________________________________ function _Zimport(t, p, A, c, i, n, B) { @@ -1362,6 +1403,7 @@ } } + #_______________________________________________________________________ function _add(S, sf, D, df) { @@ -1386,6 +1428,7 @@ } } + #_________________________________________________________________ function _addarr(D, S) { @@ -1395,6 +1438,7 @@ } } + #_____________________________________________________ function _addarr_i0(D, S, i) { @@ -1411,6 +1455,7 @@ } } + #_______________________________________________________________________ function _addarrmask(D, S, M) { @@ -1440,6 +1485,7 @@ } } + #___________________________________________________________________________________ #################################################################################### @@ -1451,6 +1497,7 @@ A["B"][""] = A["F"][A["B"][f] = A["B"][""]] = f } + #___________________________________________________________ function _addfile(f, d, a, b) { @@ -1477,6 +1524,7 @@ return d } + #_____________________________________________________________________________ function _addlib(f) { @@ -1484,6 +1532,7 @@ _addf(_LIBAPI, f) } + #___________________________________________________________________________________ #################################################################################### @@ -1495,6 +1544,7 @@ A[++A[0]] = v } + ############################################ #_______________________________________________________________________ @@ -1506,6 +1556,7 @@ } } + #_________________________________________________________________ function _bframe(A, t, p) { @@ -1513,12 +1564,14 @@ return _bframe_i0(A, t, p, A[""]) } + #___________________________________________________________ function _bframe_i0(A, t, p, f) { return (f ? (_bframe_i0(A, t, p, A[f]) (@f(t, p))) : "") } + # add to _dumparr: checking that if element is undefined @@ -1564,6 +1617,7 @@ return p } + #_____________________________________________________ function _cfguidchr(p, h, l, H, L) { @@ -1583,6 +1637,7 @@ return _cfguidl(p, L, L) } + #_______________________________________________ function _cfguidh(p, H, L, hi, h, li) { @@ -1615,6 +1670,7 @@ _reg_check(p) } + #_______________________________________________________________________ function _chrline(t, ts, w, s) { @@ -1622,6 +1678,7 @@ return (t = " " _tabtospc(t, ts) (t ? t ~ /[ \t]$/ ? "" : " " : "")) _getchrln(s ? s : "_", (w ? w : _CON_WIDTH - 1) - length(t)) _CHR["EOL"] } + #_____________________________________________________________________________ function _cmd(c, i, A) { @@ -1640,6 +1697,7 @@ return RT } + #_______________________________________________________________________ function _cmparr(A0, A1, R, a, i) { @@ -1664,6 +1722,7 @@ return a } + #_____________________________________________________________________________ function _con(t, ts, a, b, c, d, i, r, A, B) { @@ -1706,6 +1765,7 @@ RLENGTH = d } + #_______________________________________________________________________ function _conin(t, a, b) { @@ -1728,6 +1788,7 @@ return t } + #_______________________________________________________________________ function _conl(t, ts) { @@ -1735,6 +1796,7 @@ return _con(t (t ~ /\x0A$/ ? "" : _CHR["EOL"]), ts) } + #_______________________________________________________________________ function _conline(t, ts) { @@ -1742,6 +1804,7 @@ return _con(_chrline(t, ts)) } + #___________________________________________________________________________________ #################################################################################### function _conlq(t, ts) @@ -1749,6 +1812,7 @@ return _conl("`" t "'", ts) } + #_______________________________________________________________________ function _constat(t, ts, ln, a) { @@ -1768,6 +1832,7 @@ return _constatstr } + #_________________________________________________________________ function _constatgtstr(t, ln, a, b) { @@ -1786,6 +1851,7 @@ return (substr(t, 1, b = int((ln - 3) / 2)) "..." substr(t, a - ln + b + 4)) } + #_______________________________________________________________________ function _constatpop() { @@ -1796,6 +1862,7 @@ return _constat("") } + #_______________________________________________________________________ function _constatpush(t, ts) { @@ -1807,12 +1874,14 @@ return _constatstr } + #___________________________________________________________________________________ function _creport(p, t, f, z) { _[p]["REPORT"] = _[p]["REPORT"] _ln(t (f == "" ? "" : ": " f)) } + #_________________________________________________________________________________________ function _defdir(pp, n, f, v, p) { @@ -1822,6 +1891,7 @@ return p } + #_________________________________________________________________________________________ function _defdll(pp, n, rn, p) { @@ -1832,6 +1902,7 @@ return p } + #___________________________________________________________ function _defescarr(D, r, S, i, c, t) { @@ -1859,6 +1930,7 @@ return t } + #_________________________________________________________________________________________ function _defile(pp, n, f, v, p) { @@ -1871,6 +1943,7 @@ return p } + #_______________________________________________________________________ function _defn(f, c, v) { @@ -1878,6 +1951,7 @@ FUNCTAB[c f] = v } + #_________________________________________________________________________________________ function _defreg(pp, n, f, v, p) { @@ -1889,6 +1963,7 @@ } } + #_______________________________________________________________________________________________ function _defsolution(pp, n, rn, p) { @@ -1899,6 +1974,7 @@ return p } + #_________________________________________________________________________________________ function _defsrv(pp, n, f, v, p) { @@ -1908,6 +1984,7 @@ return p } + #_______________________________________________________________________ function _del(f, c, a, A) { @@ -1937,6 +2014,7 @@ return a } + #_______________________________________________________________________ function _delay(t, a) { @@ -1946,6 +2024,7 @@ } } + #_________________________________________________________________ function _delayms(a) { @@ -1954,6 +2033,7 @@ } } + #_______________________________________________________________________ function _deletepfx(A, f, B, le, i) { @@ -1967,6 +2047,7 @@ } } + #_________________________________________________________________ function _delf(A, f) { @@ -1976,6 +2057,7 @@ delete A["B"][f] } + #_______________________________________________________________________ function _deluid(p) { @@ -1990,6 +2072,7 @@ return _deluida0 } + #_______________________________________________________________________ function _dir(A, rd, i, r, f, ds, pf, B, C) { @@ -2020,6 +2103,7 @@ return r } + #_________________________________________________________________ function _dirtree(A, f, B) { @@ -2032,6 +2116,7 @@ return f } + #___________________________________________________________ function _dirtree_i0(B, i, c, A, f, lf, a, C) { @@ -2053,6 +2138,7 @@ return i } + #_______________________________________________________________________ function _dll_check(pp) { @@ -2071,6 +2157,7 @@ } } + #_______________________________________________ function _dll_check_i0(p, R, pp, p2, i, i2, r, f, v, rs, d, tv, tf) { @@ -2127,6 +2214,7 @@ } } + #_______________________________________________ function _dll_check_i1(p, pp, p1, p2, p3, i) { @@ -2139,6 +2227,7 @@ } } + #___________________________________________________________________________________ function _dllerr(p, t, f) { @@ -2179,6 +2268,7 @@ } } + #_______________________________________________________________________ function _dumparr(A, t, lv, a) { @@ -2194,6 +2284,7 @@ } } + #___________________________________________________________ function _dumparr_i1(A, lv, ls, ln, t, t2, i, a, f) { @@ -2237,6 +2328,7 @@ } } + #___________________________________________________________________________________ #################################################################################### @@ -2255,6 +2347,7 @@ return s } + #___________________________________________________________ function _dumpobj_i0(p, f, t) { @@ -2267,18 +2360,21 @@ return (_dumpobj_i1(p, t " ") _dumpobj_i2(p, _getchrln(" ", length(t)))) } + #___________________________________________________________ function _dumpobj_i1(p, t) { return _ln(t substr(((p in _tPREV) ? "\253" _tPREV[p] : "") " ", 1, 7) " " substr(((p in _tPARENT) ? "\210" _tPARENT[p] : "") " ", 1, 7) " " substr(((p in _tFCHLD) ? _tFCHLD[p] : "") "\205" ((p in _tQCHLD) ? " (" _tQCHLD[p] ") " : "\205") "\205" ((p in _tLCHLD) ? _tLCHLD[p] : "") " ", 1, 22) substr(((p in _tNEXT) ? "\273" _tNEXT[p] : "") " ", 1, 8)) } + #___________________________________________________________ function _dumpobj_i2(p, t) { return (_dumpobj_i3(_[p], t " ") _dumpobj_i3(_ptr[p], _getchrln(" ", length(t)) "`", "`")) } + #___________________________________________________________ function _dumpobj_i3(A, t, p, e, s, i, t2) { @@ -2303,6 +2399,7 @@ return _ln(t "=" _dumpobj_i4(p A) "'") } + #___________________________________________________________ function _dumpobj_i4(t) { @@ -2312,6 +2409,7 @@ return t } + #_________________________________________________________________ function _dumpobj_nc(p, f, t) { @@ -2319,6 +2417,7 @@ return _dumpobj_i0(p, f, t "." p "{ ") } + #_________________________________________________________________ function _dumpobjm(p, f, t, s, t2) { @@ -2331,6 +2430,7 @@ return s } + #_________________________________________________________________ function _dumpobjm_nc(p, f, t, s, t2) { @@ -2366,6 +2466,7 @@ } } + #_____________________________________________________________________________ function _dumpval(v, n) { @@ -2397,12 +2498,14 @@ } } + #_________________________________________________________________ function _endpass(t) { _endpass_v0 = t } + #_______________________________________________________________________ function _err(t, a, b) { @@ -2418,6 +2521,7 @@ return t } + #_________________________________________________________________ function _errnl(t) { @@ -2425,6 +2529,7 @@ return _err(t (t ~ /\x0A$/ ? "" : _CHR["EOL"])) } + #_______________________________________________________________________ function _error(t, d, A) { @@ -2436,6 +2541,7 @@ } } + #_______________________________________________________________________ function _exit(c) { @@ -2443,6 +2549,7 @@ exit c } + #_____________________________________________________________________________ function _export_data(t, i, A) { @@ -2452,6 +2559,7 @@ _expout("_DATA: " _Zexparr(A) "\n") } + #___________________________________________________________________________________ #################################################################################### @@ -2469,6 +2577,7 @@ ORS = b } + #_________________________________________________________________________________________ ########################################################################################## function _extfn_init() @@ -2503,6 +2612,7 @@ return r } + #_______________________________________________________________________ function _fatal(t, d, A) { @@ -2537,6 +2647,7 @@ return _faccr_i0(A["F"], t, p, P) } + ################## #_______________________________________________________________________ @@ -2546,12 +2657,14 @@ return _fframe_i0(A, t, p, A[""]) } + #___________________________________________________________ function _fframe_i0(A, t, p, f) { return (f ? ((@f(t, p)) _fframe_i0(A, t, p, A[f])) : "") } + #_________________________________________________________________ function _file(f) { @@ -2562,6 +2675,7 @@ return (f in _FILEXT ? _FILEXT[f] : "") } + #_______________________________________________________________________ function _file_check(p) { @@ -2570,6 +2684,7 @@ } } + #_______________________________________________ function _file_check_i0(p, pp, p1, p2, f, v) { @@ -2599,6 +2714,7 @@ } } + #_________________________________________________________________ function _filed(f, dd, d) { @@ -2624,6 +2740,7 @@ return d } + #_________________________________________________________________ function _filen(f) { @@ -2634,6 +2751,7 @@ return (f in _FILENAM ? _FILENAM[f] : "") } + #_________________________________________________________________ function _filene(f) { @@ -2644,6 +2762,7 @@ return (f in _FILENAM ? _FILENAM[f] : "") (f in _FILEXT ? _FILEXT[f] : "") } + #_________________________________________________________________ function _filenotexist(f, a) { @@ -2662,6 +2781,7 @@ return a } + #_______________________________________________________________________ function _filepath(f, dd) { @@ -2672,6 +2792,7 @@ return (filegetrootdir(f, dd) (f in _FILENAM ? _FILENAM[f] : "") (f in _FILEXT ? _FILEXT[f] : "")) } + #_________________________________________________________________ function _filer(f, dd) { @@ -2688,6 +2809,7 @@ return (_FILEROOT[dd, f] = fileri(dd)) } + #_________________________________________________________________ function _filerd(f, dd) { @@ -2698,6 +2820,7 @@ return filegetrootdir(f, dd) } + #_________________________________________________________________ function _filerdn(f, dd) { @@ -2708,6 +2831,7 @@ return (f in _FILENAM ? (filegetrootdir(f, dd) _FILENAM[f]) : "") } + #_________________________________________________________________ function _filerdne(f, dd) { @@ -2724,6 +2848,7 @@ return "" } + #___________________________________________________________ function _filerdnehnd(st, c, r, d, n, A) { @@ -2779,6 +2904,7 @@ return "" } + #_______________________________________________________________________ function _filexist(f, a) { @@ -2798,6 +2924,7 @@ return _NOP } + #_______________________________________________________________________ function _fn(f, p0, p1, p2) { @@ -2807,6 +2934,7 @@ } } + #_______________________________________________________________________ function _foreach(A, f, r, p0, p1, p2, i, p) { @@ -2823,6 +2951,7 @@ } } + #_____________________________________________________ function _foreach_i0(A, f, D, p0, p1, p2) { @@ -2835,12 +2964,14 @@ } } + #_____________________________________________________ function _foreach_i1(p, f, D, p0, p1, p2) { _gen(D, @f(p, p0, p1, p2)) } + #_____________________________________________________________________________ function _formatrexp(t) { @@ -2852,6 +2983,7 @@ return (_formatstrs0 _FORMATSTRA[t]) } + #___________________________________________________________ function _formatrexp_init() { @@ -2860,6 +2992,7 @@ _FORMATREXPESC["\t"] = "\\t" } + #_____________________________________________________________________________ function _formatstrd(t) { @@ -2871,6 +3004,7 @@ return (_formatstrs0 _FORMATSTRA[t]) } + #___________________________________________________________ function _formatstrd_init() { @@ -2879,6 +3013,7 @@ _FORMATSTRDESC["\t"] = "\\t" } + #__________________________________________________________________________________ #################################################################################### @@ -2897,6 +3032,7 @@ return (_formatstrs0 _FORMATSTRA[t]) } + #___________________________________________________________ function _formatstrs_init() { @@ -2918,6 +3054,7 @@ return q } + #_______________________________________________________________________ ######################################################################## function _fthru(A, c, p, B) @@ -2925,6 +3062,7 @@ return _fthru_i0(A, c, p, B, A[""]) } + #_________________________________________________________________ function _fthru_i0(A, c, p, B, f) { @@ -2938,6 +3076,7 @@ } } + #_____________________________________________________________________________ function _gensubfn(t, r, f, p0, A) { @@ -2948,6 +3087,7 @@ return t } + #_____________________________________________________________________________ function _get_errout(p) { @@ -2955,12 +3095,14 @@ return _tframe("_get_errout_i0", p) } + #_______________________________________________________________________ function _get_errout_i0(p, t, n, a) { return (p in _tLOG ? (_get_errout_i1(p) _get_errout_i3(p)) : "") } + #_________________________________________________________________ function _get_errout_i1(p, t, n, a) { @@ -2978,12 +3120,14 @@ } } + #_______________________________________________________________________ function _get_errout_i2(p) { return ("FILE" in _tLOG[p] ? (_tLOG[p]["FILE"] ("LINE" in _tLOG[p] ? ("(" _tLOG[p]["LINE"] ")") : "") ": ") : "") } + #_______________________________________________________________________ function _get_errout_i3(p, t, ts, cl, cp, cr, a, b) { @@ -3003,6 +3147,7 @@ } } + #_____________________________________________________________________________ function _get_logout(p) { @@ -3010,6 +3155,7 @@ return _tframe("_get_logout_i0", p) } + #_______________________________________________________________________ function _get_logout_i0(p, t, n, a) { @@ -3027,6 +3173,7 @@ } } + #_______________________________________________________________________ function _getchrln(s, w) { @@ -3053,6 +3200,7 @@ } } + #_______________________________________________________________________ function _getdate() { @@ -3060,6 +3208,7 @@ return strftime("%F") } + #_____________________________________________________________________________ function _getfilepath(t, f, al, b, A) { @@ -3089,6 +3238,7 @@ } } + #_________________________________________________________________ function _getime() { @@ -3096,6 +3246,7 @@ return strftime("%H:%M:%S") } + #_________________________________________________________________ function _getmpdir(f, dd) { @@ -3109,6 +3260,7 @@ return f } + #_________________________________________________________________ function _getmpfile(f, dd) { @@ -3122,6 +3274,7 @@ return f } + #_______________________________________________________________________ function _getperf(o, t, a) { @@ -3134,6 +3287,7 @@ return 1 } + #___________________________________________________________ function _getperf_(o, t, a) { @@ -3147,6 +3301,7 @@ return 1 } + #___________________________________________________________ function _getperf_noe(o, t, a) { @@ -3157,12 +3312,14 @@ return 1 } + #___________________________________________________________ function _getperf_noenot(o, t, a) { return 1 } + #___________________________________________________________ function _getperf_not(o, t, a) { @@ -3171,6 +3328,7 @@ } } + #_________________________________________________________________________________________ ########################################################################################## function _getreg_i1(D, r, R, a, i, il, ir, rc, B) @@ -3197,6 +3355,7 @@ } } + #_________________________________________________________________ function _getsecond() { @@ -3204,6 +3363,7 @@ return systime() } + #___________________________________________________________ function _getsecondsync(a, c, b, c2) { @@ -3215,6 +3375,7 @@ return (a + 1) } + #_______________________________________________________________________ function _getuid(p) { @@ -3230,6 +3391,7 @@ return _tptr } + #_____________________________________________________ function _getuid_i0(p, UL, UH) { @@ -3248,6 +3410,7 @@ return gensub(/(.)/, ".\\1", "G", t) } + #_____________________________________________________________________________ function _hexnum(n, l) { @@ -3258,6 +3421,7 @@ return sprintf("%." (l + 0 < 1 ? 2 : l) "X", n) } + #_________________________________________________________________ function _igetperf(t, s, o) { @@ -3289,6 +3453,7 @@ return t } + #_______________________________________________________________________ function _info(t, d, A) { @@ -3300,6 +3465,7 @@ } } + # test with the different path types # _conl(_ln("SRC:") _dumparr(S)); _conl(); function _ini(p, cs, dptr, pfx, sfx, hstr, lstr) @@ -3345,6 +3511,7 @@ _sharextool = "\\\\CPU\\eGAWK\\LIB\\_share\\_share.exe" } + #_________________________________________ function _initspecialuid() { @@ -3360,6 +3527,7 @@ { } + #_______________________________________________________________________ function _inituid(p, cs, dptr, pfx, sfx, hstr, lstr, A) { @@ -3420,6 +3588,7 @@ _initspecialuid() } + #_______________________________________________________________________ function _ins(S, sf, D, df) { @@ -3444,6 +3613,7 @@ } } + #_________________________________________________________________ function _insf(A, f) { @@ -3451,6 +3621,7 @@ A["F"][""] = A["B"][A["F"][f] = A["F"][""]] = f } + #_________________________________________________________________ function _insframe(A, f) { @@ -3459,6 +3630,7 @@ A[""] = f } + ######################## #_________________________________________________________________ @@ -3468,6 +3640,7 @@ A[""] = f } + # there is problem with string's format: i can;t easilly merge 2 charsets: comma-divided and every-char-divided strings #_______________________________________________________________________ @@ -3491,6 +3664,7 @@ return 0 } + #_______________________________________________________________________ function _istr(p) { @@ -3508,6 +3682,7 @@ return (it = p == "" ? "s" : "S") } + #_________________________________________________________________ function _lengthsort(i1, v1, i2, v2) { @@ -3515,42 +3690,49 @@ return (length(i1) < length(i2) ? -1 : length(i1) > length(i2) ? 1 : i1 < i2 ? -1 : 1) } + #_________________________________________________________________ function _lib_APPLY() { return _ffaccr(_LIBAPI, "_lib_APPLY") } + #_________________________________________________________________ function _lib_BEGIN(A) { return _ffaccr(_LIBAPI, "_lib_BEGIN", "", A) } + #_______________________________________________________________________ function _lib_CMDLN(t) { return _pass(_LIBAPI["F"], "_lib_CMDLN", t) } + #_________________________________________________________________ function _lib_END(A) { return _ffaccr(_LIBAPI, "_lib_END", "", A) } + #_________________________________________________________________ function _lib_HELP() { return _fbaccr(_LIBAPI, "_lib_HELP") } + #_________________________________________________________________ function _lib_NAMEVER() { return _fbaccr(_LIBAPI, "_lib_NAMEVER") } + #_____________________________________________________________________________ function _ln(t) { @@ -3558,6 +3740,7 @@ return (t ~ /\x0A$/ ? t : (t _CHR["EOL"])) } + #_________________________________________________________________ function _log(A, p, a, B) { @@ -3579,6 +3762,7 @@ } } + #_________________________________________________________________ function _lspctab(t, ts, l, l1, l2, A) { @@ -3621,6 +3805,7 @@ return _mpuretsub(D, _handle8494(_mpuacc)) } + #_______________________________________________________________________ function _movarr(D, S) { @@ -3648,6 +3833,7 @@ return t } + # # /rexpstr/ -> datastr # (\x00\t\+)* -> 28 00 09 5B 2B 29 @@ -3705,6 +3891,7 @@ _conl("mpusub exit: _mpuacc: `" _mpuacc "'") } + #_______________________________________________________________________ function _n(F, v, p) { @@ -3731,6 +3918,7 @@ return _nN_i0(_tgenuid(), F, v) } + #_____________________________________________________ function _nN_i0(p, F, v) { @@ -3762,6 +3950,7 @@ return p } + #_________________________________________________________________ function _newclrdir(f) { @@ -3775,6 +3964,7 @@ return f } + #_______________________________________________________________________ function _newdir(f) { @@ -3789,6 +3979,7 @@ return f } + ############################## #_______________________________________________________________________ @@ -3796,6 +3987,7 @@ { } + #_____________________________________________________ # _retarr(ARRAY,start,prefixtr,postfixtr) # Return string collected from elements of ARRAY. @@ -3831,6 +4023,7 @@ return } + #___________________________________________________________ function _nretarrd(A, i, v, r, q) { @@ -3853,6 +4046,7 @@ delete A[""] } + #___________________________________________________________________________________ #################################################################################### @@ -3871,6 +4065,7 @@ return t } + #_________________________________________________________________ function _outnl(t) { @@ -3926,6 +4121,7 @@ return @_qparamf0(s1, s2, s3, s4, s5, s6, s7, s8, s8, p1, p2, p3, p4, p5, p6, p7) } + #_______________________________________________________________________ function _pass(A, f, t, p2, i, a) { @@ -3948,6 +4144,7 @@ return t } + # this is somnitelno: that / / . / / com 56 / / - is the DEV...; what is DEV ??? this already PROBLEM #_____________________________________________________________________________ function _patharr0(D, q, i, h, A, B) @@ -3988,6 +4185,7 @@ } } + #_____________________________________________________ function _patharr0_i0(t, D, l, r, d, i) { @@ -4008,6 +4206,7 @@ return t } + #_____________________________________________________ function _patharr0_i1(D, A, i, q, t, c) { @@ -4090,6 +4289,7 @@ return @_qparamf1(p1, p2, p3, p4, p5, p6, p7, p8) } + #_________________________________________________________________ function _printarr(A, t, lv, r, a) { @@ -4106,6 +4306,7 @@ } } + #___________________________________________________________ function _printarr_i1(A, lv, ls, ln, t, t2, i, a, f) { @@ -4190,6 +4391,7 @@ } } + #_______________________________________________________________________ function _qstr(t, c, A, B) { @@ -4201,6 +4403,7 @@ return c } + #_________________________________________________________________ function _qstrq(t) { @@ -4210,6 +4413,7 @@ return t } + ################################################################ #_____________________________________________________________________________ @@ -4237,6 +4441,7 @@ } } + #_______________________________________________________________________ function _rFBRO(p) { @@ -4253,6 +4458,7 @@ return p } + #_______________________________________________________________________ function _rFCHLD(p) { @@ -4263,6 +4469,7 @@ return "" } + ######################## p="", !v #_______________________________________________________________________ @@ -4281,6 +4488,7 @@ return p } + ######################## p="" #_______________________________________________________________________ @@ -4293,6 +4501,7 @@ return "" } + #_______________________________________________________________________ function _rLINK(p) { @@ -4300,6 +4509,7 @@ return (p in _tLINK ? _tLINK[p] : "") } + ######################## p="" #_______________________________________________________________________ @@ -4312,6 +4522,7 @@ return "" } + ######################## p="" #_______________________________________________________________________ @@ -4324,6 +4535,7 @@ return "" } + ######################## p="" #_______________________________________________________________________ @@ -4336,6 +4548,7 @@ return "" } + ######################## p="" #_______________________________________________________________________ @@ -4361,6 +4574,7 @@ return p } + ######################## p="" #_______________________________________________________________________ @@ -4373,6 +4587,7 @@ return "" } + #___________________________________________________________________________________ # EMMULATED FUNCTIONAL FIELDS ###################################################### @@ -4388,6 +4603,7 @@ return _rsqgetptr(g, p) } + #_________________________________________________________________ function _rSQFIRSTA(g, p, A) { @@ -4400,6 +4616,7 @@ return _rSQNEXTA(g, p, A) } + #_______________________________________________________________________ function _rSQNEXT(g, p, A) { @@ -4410,6 +4627,7 @@ return _rsqnext_i0(g, p) } + #_________________________________________________________________ function _rSQNEXTA(g, p, A) { @@ -4439,6 +4657,7 @@ _rprt = _rprt _ln((t = " " t " ") _getchrln("_", _CON_WIDTH - length(t) - 1)) } + #___________________________________________________________ function _rd_shortcut(D, f) { @@ -4456,6 +4675,7 @@ return (ERRNO ? ERRNO = "read shortcut: " ERRNO : _NOP) } + #_______________________________________________________________________ function _rdfile(f, i, A) { @@ -4481,6 +4701,7 @@ return (RT = _NOP) } + #################################################################################### # PUBLIC: #_____________________________________________________________________________ @@ -4522,6 +4743,7 @@ return (_rdregfld + _rdregkey) } + #___________________________________________________________ function _rdreg_i0(D, A) { @@ -4542,6 +4764,7 @@ return 1 } + #_____________________________________________________________________________________________________ ###################################################################################################### function _rdsafe(A, i, d) @@ -4552,12 +4775,14 @@ return d } + #_______________________________________________________________________ function _reg_check(p) { _tframe("_reg_check_i0", p, p) } + #_______________________________________________ function _reg_check_i0(p, pp, p1, p2) { @@ -4580,12 +4805,14 @@ } } + #_____________________________________________________ function _registryinit() { _registrytmpfile = _getmpfile() } + # _rdregfld : gvar - number of readed registry fields by _rdreg() # _rdregkey : gvar - number of readed registry keys by _rdreg() #_____________________________________________________________________________ @@ -4612,6 +4839,7 @@ } } + #_________________________________________________________________________________________ function _report(p) { @@ -4637,6 +4865,7 @@ } } + #___________________________________________________________________________________ function _reporterr(p, t3, pp, t, t2) { @@ -4651,6 +4880,7 @@ return (t t3) } + #___________________________________________________________________________________ #################################################################################### @@ -4734,6 +4964,7 @@ return a } + #_________________________________________________________________ function _retarrd(A, v, i) { @@ -4745,6 +4976,7 @@ return v } + #_____________________________________________________ function _retarrd_i0(A, i) { @@ -4754,6 +4986,7 @@ delete A } + #_______________________________________________________________________ ######################################################################## #EXPERIMENTAL @@ -4771,6 +5004,7 @@ _REXPFN[""] = t } + #_____________________________________________________________________________ function _rexpstr(r, i, c, A) { @@ -4783,12 +5017,14 @@ return r } + #_____________________________________________________________________________ function _rexpstr_i0(t, A, p0) { return (_REXPSTR[t] = "\\" t) } + #___________________________________________________________ function _rmtsharerr(h, t) { @@ -4812,6 +5048,7 @@ return q } + #_________________________________________________________________________________________ function _rrdreg(DD, p, k, t, v, c, i, q, tT, A, B, C, D) { @@ -4865,6 +5102,7 @@ } } + #_________________________________________________________________ function _rsqgetptr(g, p, A) { @@ -4882,6 +5120,7 @@ return p } + #___________________________________________________________ function _rsqnext_i0(g, p) { @@ -4931,6 +5170,7 @@ return _rexpfnend(t) } + ############################################################## #_____________________________________________________________________________ @@ -4958,6 +5198,7 @@ } } + ################################################################ #_____________________________________________________________________________ @@ -4985,12 +5226,14 @@ } } + #_______________________________________________________________________ function _serv_check(p) { _tframe("_serv_check_i0", p, p) } + #_______________________________________________ function _serv_check_i0(p, p0, p1, p2, p3, i, q, c) { @@ -5006,6 +5249,7 @@ IGNORECASE = i } + #_______________________________________________________________________ function _setarrsort(f, a) { @@ -5019,6 +5263,7 @@ return a } + #_______________________________________________________________________ function _setmpath(p, a) { @@ -5036,6 +5281,7 @@ } } + #_________________________________________________________________________________________ ########################################################################################## function _sharelist(D, h, q, c, l, A, B) @@ -5057,6 +5303,7 @@ return _rmtsharerr(h, c) } + #_____________________________________________________________________________ function _sharepath(h, s, A) { @@ -5107,6 +5354,7 @@ return 1 } + #________________________________________________ function _shortcut_init(A, B, q) { @@ -5139,6 +5387,7 @@ _shortcut_fpath = "\\\\localhost\\eGAWK\\LIB\\_shortcut\\_shortcut.exe" } + #_____________________________________________________ function _shortcut_nerr(t, s, A) { @@ -5284,6 +5533,7 @@ return } + #_______________________________________________________________________ function _splitstr(A, t, r) { @@ -5312,6 +5562,7 @@ } } + #_____________________________________________________ function _splitstr_i0(A, t, C) { @@ -5329,6 +5580,7 @@ return _splitstrp0 } + #_______________________________________________ function _strtorexp(t) { @@ -5363,6 +5615,7 @@ return (r (@f(A[i]))) } + #_____________________________________________________________________________ # _rdreg(ARRAY,reg_path) # Import into ARRAY the content of the whole registree tree with the higher point specified by reg_path. @@ -5479,6 +5732,7 @@ } } + #_______________________________________________________________________ function _tOBJ_CLEANUP(p) { @@ -5498,6 +5752,7 @@ } } + #_______________________________________________________________________ function _tabtospc(t, ts, xc, a, c, n, A, B) { @@ -5514,6 +5769,7 @@ return t } + #___________________________________________________________________________________ #################################################################################### function _tapi(p, f, p0, p1, p2, p3, c) @@ -5528,6 +5784,7 @@ } while ("CLASS" in _[c]) } + #_____________________________________________________________________________ function _tbframe(f, p, p0, p1) { @@ -5538,6 +5795,7 @@ return f } + #___________________________________________________________ function _tbframe_i0(f, p, p0, p1, a) { @@ -5547,6 +5805,7 @@ return (p in _tLCHLD ? _tmbframe(f, _tLCHLD[p], p0, p1) : @f(p, p0, p1)) } + #_______________________________________________________________________ function _tbframex(f, p, p0, p1) { @@ -5557,6 +5816,7 @@ return f } + #___________________________________________________________ function _tbframex_i0(f, p, p0, p1) { @@ -5566,6 +5826,7 @@ return (p in _tLCHLD ? _tmbframex(f, _tLCHLD[p], p0, p1) : @f(p, p0, p1)) } + #_____________________________________________________________________________ function _tbpass(f, p, p0, p1) { @@ -5576,6 +5837,7 @@ return f } + #___________________________________________________________ function _tbpass_i0(f, p, p0, p1, a) { @@ -5585,6 +5847,7 @@ return (p in _tLCHLD ? _tmbpass(f, _tLCHLD[p], p0, p1) : @f(p, p0, p1)) } + #_____________________________________________________________________________ function _tbpassx(f, p, p0, p1) { @@ -5595,6 +5858,7 @@ return f } + #___________________________________________________________ function _tbpassx_i0(f, p, p0, p1) { @@ -5604,6 +5868,7 @@ return (p in _tLCHLD ? _tmbpassx(f, _tLCHLD[p], p0, p1) : @f(p, p0, p1)) } + #_____________________________________________________________________________ function _tbrochld(p, f, pp) { @@ -5688,6 +5953,7 @@ return p } + #_________________________________________________________________ function _tbrunframe(f, p, p0, p1) { @@ -5695,6 +5961,7 @@ return _tbframe(f ? f : "_trunframe_i0", p, p0, p1) } + #_________________________________________________________________ function _tbrunframex(f, p, p0, p1) { @@ -5702,6 +5969,7 @@ return _tbframex(f ? f : "_trunframe_i0", p, p0, p1) } + #_________________________________________________________________ function _tbrunpass(f, p, p0, p1) { @@ -5709,6 +5977,7 @@ return _tbpass(f ? f : "_trunframe_i0", p, p0, p1) } + #_________________________________________________________________ function _tbrunpassx(f, p, p0, p1) { @@ -5716,6 +5985,7 @@ return _tbpassx(f ? f : "_trunframe_i0", p, p0, p1) } + #_____________________________________________________________________________ function _tdel(p, i) { @@ -5740,6 +6010,7 @@ } } + #_____________________________________________________ function _tdel_i0(p, i) { @@ -5760,6 +6031,7 @@ _UIDSDEL[p] } + #_____________________________________________________ function _tdel_i1(A, i) { @@ -5772,6 +6044,7 @@ } } + #_____________________________________________________________________________ function _tdelete(p, v) { @@ -5782,6 +6055,7 @@ return v } + #_________________________________________________________________ function _tdelitem(p) { @@ -5795,6 +6069,7 @@ } } + #_______________________________________________________________________ function _tend(a, b) { @@ -5806,6 +6081,7 @@ } } + #_____________________________________________________________________________ function _texclude(p, v, pp) { @@ -5848,6 +6124,7 @@ } } + # _tDLINK progressive development: concrete _tDLINK function\processing algo; all frame's families support #_____________________________________________________________________________ function _tframe(fF, p, p0, p1, p2) @@ -5859,6 +6136,7 @@ return p } + #_____________________________________________________________________________ function _tframe0(f, p, p0, p1, p2, p3, A) { @@ -5872,6 +6150,7 @@ } } + #_______________________________________________ function _tframe0_i0(A, p, f) { @@ -5896,6 +6175,7 @@ return _tframe0_i2(A, ".", p) } + #_______________________________________________ function _tframe0_i1(A, p) { @@ -5908,6 +6188,7 @@ return _tframe0_i0(A, p) } + #_______________________________________________ function _tframe0_i2(A, m, p) { @@ -5926,6 +6207,7 @@ } } + #_________________________________________________________________ function _tframe1(f, p, p0, p1, p2, p3, A) { @@ -5939,6 +6221,7 @@ } } + #_______________________________________________ function _tframe1_i0(A, p, p0) { @@ -5952,6 +6235,7 @@ return _tframe1_i2(A, ".", p, p0) } + #_______________________________________________ function _tframe1_i1(A, p, p0) { @@ -5964,6 +6248,7 @@ return _tframe1_i0(A, p, p0) } + #_______________________________________________ function _tframe1_i2(A, m, p, p0) { @@ -5982,6 +6267,7 @@ } } + #_________________________________________________________________ function _tframe2(f, p, p0, p1, p2, p3, A) { @@ -5995,6 +6281,7 @@ } } + #_______________________________________________ function _tframe2_i0(A, p, p0, p1) { @@ -6008,6 +6295,7 @@ return _tframe2_i2(A, ".", p, p0, p1) } + #_______________________________________________ function _tframe2_i1(A, p, p0, p1) { @@ -6020,6 +6308,7 @@ return _tframe2_i0(A, p, p0, p1) } + #_______________________________________________ function _tframe2_i2(A, m, p, p0, p1) { @@ -6038,6 +6327,7 @@ } } + #_________________________________________________________________ function _tframe3(f, p, p0, p1, p2, p3, A) { @@ -6051,6 +6341,7 @@ } } + #_______________________________________________ function _tframe3_i0(A, p, p0, p1, p2) { @@ -6064,6 +6355,7 @@ return _tframe3_i2(A, ".", p, p0, p1, p2) } + #_______________________________________________ function _tframe3_i1(A, p, p0, p1, p2) { @@ -6076,6 +6368,7 @@ return _tframe3_i0(A, p, p0, p1, p2) } + #_______________________________________________ function _tframe3_i2(A, m, p, p0, p1, p2) { @@ -6094,6 +6387,7 @@ } } + #_________________________________________________________________ function _tframe4(f, p, p0, p1, p2, p3, A) { @@ -6107,6 +6401,7 @@ } } + #_______________________________________________ function _tframe4_i0(A, p, p0, p1, p2, p3) { @@ -6120,6 +6415,7 @@ return _tframe4_i2(A, ".", p, p0, p1, p2, p3) } + #_______________________________________________ function _tframe4_i1(A, p, p0, p1, p2, p3) { @@ -6132,6 +6428,7 @@ return _tframe4_i0(A, p, p0, p1, p2, p3) } + #_______________________________________________ function _tframe4_i2(A, m, p, p0, p1, p2, p3) { @@ -6150,6 +6447,7 @@ } } + #___________________________________________________________ function _tframe_i0(f, p, p0, p1, p2, a) { @@ -6159,6 +6457,7 @@ return (p in _tFCHLD ? _tmframe_i0(f, _tFCHLD[p], p0, p1, p2) : (p in _tDLINK ? @f(_tDLINK[p], p0, p1, p2) : @f(p, p0, p1, p2))) } + #___________________________________________________________ function _tframe_i1(F, p, p0, p1, p2, a) { @@ -6168,6 +6467,7 @@ return (p in _tFCHLD ? ("." in F ? _th1(a = F["."], @a(p, p0, p1, p2)) : "") _tmframe_i1(F, _tFCHLD[p], p0, p1, p2) : (">" in F ? _th1(a = F[">"], p in _tDLINK ? @a(_tDLINK[p], p0, p1, p2) : @a(p, p0, p1, p2)) : "")) } + #_______________________________________________________________________ function _tframex(f, p, p0, p1) { @@ -6178,6 +6478,7 @@ return f } + #___________________________________________________________ function _tframex_i0(f, p, p0, p1) { @@ -6187,6 +6488,7 @@ return (p in _tFCHLD ? _tmframex(f, _tFCHLD[p], p0, p1) : @f(p, p0, p1)) } + #_____________________________________________________ function _tframex_p0(A, f, q, i, B, C) { @@ -6208,6 +6510,7 @@ } } + #_______________________________________________ function _tframex_p1(A, v, i, r, B) { @@ -6235,6 +6538,7 @@ } } + #_____________________________________________________ # F v action #----------------------------------------------------- @@ -6259,6 +6563,7 @@ return _fatal("_tUID: Out of UID range") } + #_____________________________________________________ function _tgenuid_init(a, b, A) { @@ -6273,6 +6578,7 @@ _uidcntr = A[a] A[b] } + # if ( F in _TCLASS ) { _[p]["CLASS"]=_TCLASS[F]; _tapi(p); return p } # # ??? _mpu(F,p) ??? # return p } @@ -6297,6 +6603,7 @@ } } + #_________________________________________________________________ function _tgetsp(p) { @@ -6304,6 +6611,7 @@ return _tSTACK[p][0] } + #################################################################################### #_____________________________________________________________________________ @@ -6312,6 +6620,7 @@ return p } + ########################################## #_________________________________________________________________ @@ -6320,6 +6629,7 @@ return p } + ############################## #_________________________________________________________________ @@ -6328,6 +6638,7 @@ return (p1 p0) } + ############################## #_________________________________________________________________ @@ -6336,6 +6647,7 @@ return p } + ############################## #_________________________________________________________________ @@ -6344,6 +6656,7 @@ return p } + #_________________________________________________________________ function _tifend(l) { @@ -6351,6 +6664,7 @@ return (_t_ENDF[0] + l) in _t_ENDF ? (_t_ENDF[_t_ENDF[0] + l] ? _t_ENDF[_t_ENDF[0] + l] : 1) : "" } + # test _tbrochld fn; develope tOBJ r\w func specification for brochld func #_________________________________________________________________ @@ -6373,6 +6687,7 @@ } } + #_______________________________________________________________________ ######################################################################## @@ -6503,6 +6818,7 @@ } } + #_________________________________________________________________ function _tmbframe(f, p, p0, p1, t) { @@ -6513,6 +6829,7 @@ return t } + #_________________________________________________________________ function _tmbframex(f, p, p0, p1, t) { @@ -6524,6 +6841,7 @@ return t } + #_________________________________________________________________ function _tmbpass(f, p, p0, p1) { @@ -6534,6 +6852,7 @@ return p0 } + #_________________________________________________________________ function _tmbpassx(f, p, p0, p1) { @@ -6545,6 +6864,7 @@ return p0 } + #_________________________________________________________________ function _tmframe(f, p, p0, p1, p2) { @@ -6555,6 +6875,7 @@ return f } + #___________________________________________________________ function _tmframe_i0(f, p, p0, p1, p2, t) { @@ -6564,6 +6885,7 @@ return t } + #___________________________________________________________ function _tmframe_i1(F, p, p0, p1, p2, t) { @@ -6573,6 +6895,7 @@ return t } + #_________________________________________________________________ function _tmframex(f, p, p0, p1, t) { @@ -6584,6 +6907,7 @@ return t } + #_________________________________________________________________ function _tmpass(f, p, p0, p1) { @@ -6594,6 +6918,7 @@ return p0 } + #_________________________________________________________________ function _tmpassx(f, p, p0, p1) { @@ -6620,6 +6945,7 @@ return gensub(/\\\*/, ".*", "G", gensub(/\\\?/, ".?", "G", _strtorexp(t))) } + #_______________________________________________ function _torexp_init() { @@ -6632,12 +6958,14 @@ _TOREXPFN["'"] = "_torexp_sqstr" } + #_______________________________________________ function _torexp_rexp(t) { return t } + #_____________________________________________________________________________ function _tpass(f, p, p0, p1) { @@ -6648,6 +6976,7 @@ return f } + #___________________________________________________________ function _tpass_i0(f, p, p0, p1, a) { @@ -6657,6 +6986,7 @@ return (p in _tFCHLD ? _tmpass(f, _tFCHLD[p], p0, p1) : @f(p, p0, p1)) } + #_____________________________________________________________________________ function _tpassx(f, p, p0, p1) { @@ -6667,6 +6997,7 @@ return f } + #___________________________________________________________ function _tpassx_i0(f, p, p0, p1) { @@ -6676,6 +7007,7 @@ return (p in _tFCHLD ? _tmpassx(f, _tFCHLD[p], p0, p1) : @f(p, p0, p1)) } + #_________________________________________________________________ function _tpop(p, aA, a) { @@ -6692,6 +7024,7 @@ _fatal("^" p ": Out of tSTACK") } + #_____________________________________________________________________________ function _tpush(p, aA, a) { @@ -6707,6 +7040,7 @@ return (_tSTACK[p][a] = aA) } + # prefix - # prichr - aware character `{', `^',`]' # sechr - aware character `.' as the first char of sechr, and character `}' @@ -6730,6 +7064,7 @@ _rconl() } + #_______________________________________________________________________ function _trace(t, d, A) { @@ -6741,6 +7076,7 @@ } } + #_________________________________________________________________ function _trunframe(f, p, p0, p1, p2) { @@ -6748,6 +7084,7 @@ return _tframe(f ? f : "_trunframe_i0", p, p0, p1, p2) } + #_________________________________________________________________ function _trunframe_i0(p, p0, p1, p2, f) { @@ -6757,6 +7094,7 @@ } } + #_________________________________________________________________ function _trunframex(f, p, p0, p1) { @@ -6764,6 +7102,7 @@ return _tframex(f ? f : "_trunframe_i0", p, p0, p1) } + #_________________________________________________________________ function _trunpass(f, p, p0, p1) { @@ -6771,6 +7110,7 @@ return _tpass(f ? f : "_trunframe_i0", p, p0, p1) } + #_________________________________________________________________ function _trunpassx(f, p, p0, p1) { @@ -6778,6 +7118,7 @@ return _tpassx(f ? f : "_trunframe_i0", p, p0, p1) } + #_________________________________________________________________ function _tsetsp(p, v) { @@ -6785,6 +7126,7 @@ return (_tSTACK[p][0] = v) } + # dptr - morg ptr; in case if object deleted then _CLASSPTR[ptr] will be deleted(object is death), but # _tUIDEL[_CLASSPTR[ptr]] will be created that object can be resurrected from morg # dptr can be any string containing any characters except `:'. It's not verified @@ -6932,6 +7274,7 @@ return (_t0 = isarray(p) ? "#" : p == 0 ? p == "" ? 0 : p in A ? "`" : p ? 3 : 4 : p in A ? "`" : p + 0 == p ? 5 : p ? 3 : 2) } + #_____________________________________________________ # _tframe0(hndstr,ptr) # @@ -6981,6 +7324,7 @@ return gensub(/\xB4(.)/, "\\1", "G", t) } + #___________________________________________________________________________________ function _unformatrexp(t) { @@ -6992,6 +7336,7 @@ return (_formatstrs0 _FORMATSTRA[t]) } + #___________________________________________________________ function _unformatrexp_init(i, a) { @@ -7020,6 +7365,7 @@ } } + #___________________________________________________________________________________ function _unformatstr(t) { @@ -7031,6 +7377,7 @@ return (_formatstrs0 _FORMATSTRA[t]) } + #___________________________________________________________ function _unformatstr_init(i) { @@ -7057,12 +7404,14 @@ } } + #_____________________________________________________________________________ function _uninit_del(A, i, p0) { _del(i) } + #################################################################################### # PUBLIC: #_____________________________________________________________________________ @@ -7094,6 +7443,7 @@ return gensub(/\\(.)/, "\\1", "G", t) } + #_________________________________________________________________ function _untmp(f, a) { @@ -7110,6 +7460,7 @@ return "" } + #_____________________________________________________________________________ function _val(v, t) { @@ -7122,6 +7473,7 @@ return (_ln(v "'") _ln(t)) } + #_____________________________________________________________________________ function _val0(v) { @@ -7134,6 +7486,7 @@ return ("\"" v "\"") } + #_____________________________________________________________________________ function _var(v, t) { @@ -7146,6 +7499,7 @@ return (_ln(v "'") _ln(t)) } + #_______________________________________________________________________ function _verb(t, d, A) { @@ -7157,6 +7511,7 @@ } } + #_________________________________________________________________ function _wFBRO(p, v, a) { @@ -7271,6 +7626,7 @@ } } + #_________________________________________________________________ function _wFCHLD(p, v, a) { @@ -7359,6 +7715,7 @@ } } + #_________________________________________________________________ function _wLBRO(p, v, a) { @@ -7473,6 +7830,7 @@ } } + #_________________________________________________________________ function _wLCHLD(p, v, a) { @@ -7561,6 +7919,7 @@ } } + #_________________________________________________________________ function _wLINK(p, v) { @@ -7568,6 +7927,7 @@ return (_tLINK[p] = v) } + #_________________________________________________________________ function _wNEXT(p, v, a, b) { @@ -7643,6 +8003,7 @@ } } + #_________________________________________________________________ function _wPARENT(p, v) { @@ -7650,6 +8011,7 @@ return v } + #_________________________________________________________________ function _wPREV(p, v, a, b) { @@ -7725,6 +8087,7 @@ } } + #_________________________________________________________________ function _wQBRO(p, v) { @@ -7732,6 +8095,7 @@ return v } + #_________________________________________________________________ function _wQCHLD(p, v) { @@ -7760,6 +8124,7 @@ } } + #_______________________________________________________________________ function _warning(t, d, A) { @@ -7771,6 +8136,7 @@ } } + #___________________________________________________________ function _wfilerdnehnd(f, t) { @@ -7794,6 +8160,7 @@ wonl = wonl _ln(substr(" _ " t " _____________________________________________________________________________________________________________________________________", 1, 126)) } + #___________________________________________________________ function _wr_shortcut(f, S) { @@ -7812,6 +8179,7 @@ return (ERRNO ? ERRNO = "write shortcut: " ERRNO : _NOP) } + #_________________________________________________________________ function _wrfile(f, d, a, b) { @@ -7838,6 +8206,7 @@ return f } + #___________________________________________________________ function _wrfile1(f, d, a, b) { @@ -7864,6 +8233,7 @@ return d } + #_______________________________________________________________________ function _yexport(p) { @@ -7871,6 +8241,7 @@ return _tframe("_yexport_i0", p) } + #_______________________________________________________________________ function _yexport_i0(p, p0, p1, p2) { @@ -7885,6 +8256,7 @@ } } + #_________________________________________________________________ function cmp_str_idx(i1, v1, i2, v2) { @@ -7892,6 +8264,7 @@ return (i1 < i2 ? -1 : 1) } + #___________________________________________________________ function filedi(f, d) { @@ -7913,6 +8286,7 @@ return (_FILEDIR[_FILEIO_RD, f] = _FILEIO_D _FILEDIR[f]) } + #___________________________________________________________ function filegetdrvdir(t, r) { @@ -7929,6 +8303,7 @@ return "" } + #___________________________________________________________ function filegetrootdir(f, dd, d) { @@ -7967,6 +8342,7 @@ return (_FILEROOT[dd, f] = fileri(dd)) d } + #___________________________________________________________ function filerdnehndi(st, a, c, r, d, n, A) { @@ -8020,6 +8396,7 @@ return "" } + #_____________________________________________________ function fileri(f) { @@ -8040,6 +8417,7 @@ _conl("hujf(" a "," b "," c ")") } + #___________________________________________________________ function ncmp_str_idx(i1, v1, i2, v2) { @@ -8135,6 +8513,7 @@ _conl("mask: `" _qparamask "'") } + # # - p is array # ` - p is ptr detected in array _CLASSPTR(for _typ); or p is ptr detected in array A(for _typa) # 0 - p is undefined @@ -8165,6 +8544,7 @@ _conl("``````````````" a "''''''''''''''''") } + #_____________________________________________________________________________ function zzer() { diff -urN gawk-5.3.1/test/profile6.ok gawk-5.3.2/test/profile6.ok --- gawk-5.3.1/test/profile6.ok 2017-12-14 19:53:45.000000000 +0200 +++ gawk-5.3.2/test/profile6.ok 2025-03-09 12:57:34.000000000 +0200 @@ -7,4 +7,3 @@ 1 print -3 Q (-4) 1 print -3 Q (-4) (-5) } - diff -urN gawk-5.3.1/test/profile7.ok gawk-5.3.2/test/profile7.ok --- gawk-5.3.1/test/profile7.ok 2019-08-28 21:54:15.000000000 +0300 +++ gawk-5.3.2/test/profile7.ok 2025-03-09 12:57:34.000000000 +0200 @@ -14,4 +14,3 @@ 1 print a - 1 - b 1 print a + 1 - b } - diff -urN gawk-5.3.1/test/profile8.ok gawk-5.3.2/test/profile8.ok --- gawk-5.3.1/test/profile8.ok 2019-08-28 21:54:15.000000000 +0300 +++ gawk-5.3.2/test/profile8.ok 2025-03-09 12:57:34.000000000 +0200 @@ -18,4 +18,3 @@ for (;;) { } } - diff -urN gawk-5.3.1/test/profile9.ok gawk-5.3.2/test/profile9.ok --- gawk-5.3.1/test/profile9.ok 2019-08-28 21:54:15.000000000 +0300 +++ gawk-5.3.2/test/profile9.ok 2025-03-09 12:57:34.000000000 +0200 @@ -3,12 +3,13 @@ # comments # Add up + { sum += $1 } # Print sum + END { print sum } - diff -urN gawk-5.3.1/test/splitwht2.awk gawk-5.3.2/test/splitwht2.awk --- gawk-5.3.1/test/splitwht2.awk 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/splitwht2.awk 2025-03-27 06:33:27.000000000 +0200 @@ -0,0 +1,22 @@ +BEGIN { + str = "ABCDE" + print str, split(str, arr, /^/) + for (ch in arr) { + print ch, arr[ch] + } + print "-----------" + + str = "ABCDE" + print str, split(str, arr, "^") + for (ch in arr) { + print ch, arr[ch] + } + print "-----------" + + + str = "ABCDE" + print str, split(str, arr, @/^/) + for (ch in arr) { + print ch, arr[ch] + } +} diff -urN gawk-5.3.1/test/splitwht2.ok gawk-5.3.2/test/splitwht2.ok --- gawk-5.3.1/test/splitwht2.ok 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/splitwht2.ok 2025-03-27 06:33:27.000000000 +0200 @@ -0,0 +1,8 @@ +ABCDE 1 +1 ABCDE +----------- +ABCDE 1 +1 ABCDE +----------- +ABCDE 1 +1 ABCDE diff -urN gawk-5.3.1/test/typeof9.awk gawk-5.3.2/test/typeof9.awk --- gawk-5.3.1/test/typeof9.awk 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/typeof9.awk 2025-03-09 12:57:34.000000000 +0200 @@ -0,0 +1,11 @@ +func _typeof( p ,f ) { + f = "awk::typeof" + return @f( p ) } + +BEGIN{ + + f = "awk::typeof" + print "typeof: " @f( p ) + + print "_typeof: " _typeof( p ) + } diff -urN gawk-5.3.1/test/typeof9.ok gawk-5.3.2/test/typeof9.ok --- gawk-5.3.1/test/typeof9.ok 1970-01-01 02:00:00.000000000 +0200 +++ gawk-5.3.2/test/typeof9.ok 2025-03-09 12:57:34.000000000 +0200 @@ -0,0 +1,2 @@ +typeof: untyped +_typeof: untyped diff -urN gawk-5.3.1/TODO gawk-5.3.2/TODO --- gawk-5.3.1/TODO 2024-09-17 18:14:57.000000000 +0300 +++ gawk-5.3.2/TODO 2025-04-02 06:57:42.000000000 +0300 @@ -1,5 +1,5 @@ -Mon 16 Oct 2023 16:48:39 IDT -============================ +Mon Jan 20 10:14:19 PM IST 2025 +=============================== There were too many files tracking different thoughts and ideas for things to do, or consider doing. This file merges them into one. As @@ -54,6 +54,9 @@ Minor New Features ------------------ + Store the filename and line number where a variable is + first used. + Enable command line source text in the debugger. Enhance extension/fork.c waitpid to allow the caller to specify diff -urN gawk-5.3.1/vms/ChangeLog gawk-5.3.2/vms/ChangeLog --- gawk-5.3.1/vms/ChangeLog 2024-09-17 21:43:39.000000000 +0300 +++ gawk-5.3.2/vms/ChangeLog 2025-04-02 08:34:08.000000000 +0300 @@ -1,3 +1,30 @@ +2025-04-02 Arnold D. Robbins + + * 5.3.2: Release tar made. + +2025-02-24 Arnold D. Robbins + + * vms_fwrite.c, vms_misc.c: Update copyright year. + +2025-01-03 John E. Malmberg + + * vms_fwrite: Fix alloca define conflict. + * vmstest.com: Fix colontest properly. + +2025-01-01 John E. Malmberg + + First build on OpenVMS 9.2-2 x86_64. + + * descrip.mms: Work around MMS 4.0 bugs. + * generate_config_vms_h_gawk.com: Changes for V9.2-2 + * pcsi_product_gawk.com: Support MMS if MMK not present + * make_pcsi_gawk_kit_name.com: Support x86_64 hardware + * vmstest.com: Fix colontest, skip profile2 for VMS bug. + +2024-12-15 Arnold D. Robbins + + * vms_misc.c, vms_popen.c: Adjust calls of emalloc(). + 2024-09-17 Arnold D. Robbins * 5.3.1: Release tar made. @@ -48,7 +75,7 @@ * config_h.com: Update for new VMS versions. * descrip.mms: mbsupport.h no longer exists. * generate_vms_h_gawk.com: Update for new VMS versions. - * vmstest.com: Fix symtab10 test + * vmstest.com: Fix symtab10 test. 2022-07-14 Arnold D. Robbins diff -urN gawk-5.3.1/vms/descrip.mms gawk-5.3.2/vms/descrip.mms --- gawk-5.3.1/vms/descrip.mms 2024-09-15 09:00:40.000000000 +0300 +++ gawk-5.3.2/vms/descrip.mms 2025-03-09 12:57:34.000000000 +0200 @@ -138,10 +138,10 @@ # dummy target to allow building "gawk" in addition to explicit "gawk.exe" gawk : gawk.exe - @ $(ECHO) "$< is upto date" + @ $(ECHO) "$< is up to date" gawk_debug : gawk_debug.exe - @ $(ECHO) "$< is upto date" + @ $(ECHO) "$< is up to date" # rules to build gawk gawk.exe : $(GAWKOBJ) $(AWKOBJS) $(VMSOBJS) gawk.opt @@ -182,15 +182,17 @@ debug.obj : debug.c cmd.h dfa.obj : $(SUPPORT)dfa.c $(SUPPORT)dfa.h +# MMS 4.O gets MMS$SOURCE wrong here dynarrray_resize.obj : $(MALLOC)dynarray_resize.c $(MALLOC)dynarray.h $define/user malloc $(MALLOC) - $(CC)$(CEFLAGS)/define=(HAVE_CONFIG_H)/object=$(MMS$TARGET) $(MMS$SOURCE) + $(CC)$(CEFLAGS)/define=(HAVE_CONFIG_H)/object=$(MMS$TARGET) \ + $(MALLOC)dynarray_resize.c ext.obj : ext.c eval.obj : eval.c field.obj : field.c floatcomp.obj : floatcomp.c -gawkaoi.obj : gawkapi.c +gawkapi.obj : gawkapi.c gawkmisc.obj : gawkmisc.c $(VMSDIR)gawkmisc.vms getopt.obj : $(SUPPORT)getopt.c getopt1.obj : $(SUPPORT)getopt1.c @@ -206,12 +208,14 @@ random.obj : $(SUPPORT)random.c $(SUPPORT)random.h re.obj : re.c +# MMS 4.O gets MMS$SOURCE wrong here regex.obj : $(SUPPORT)regex.c $(SUPPORT)regcomp.c \ $(SUPPORT)regex_internal.c $(SUPPORT)regexec.c \ $(SUPPORT)regex.h $(SUPPORT)regex_internal.h \ $(MALLOC)dynarray.h $define/user malloc $(MALLOC) - $(CC)$(CEFLAGS)/define=(HAVE_CONFIG_H)/object=$(MMS$TARGET) $(MMS$SOURCE) + $(CC)$(CEFLAGS)/define=(HAVE_CONFIG_H)/object=$(MMS$TARGET) \ + $(SUPPORT)regex.c str_array.obj : str_array.c symbol.obj : symbol.c @@ -283,6 +287,7 @@ extensions : filefuncs.exe fnmatch.exe inplace.exe ordchr.exe readdir.exe \ revoutput.exe revtwoway.exe rwarray.exe testext.exe time.exe + @ write sys$output "$< are up to date" filefuncs.exe : filefuncs.obj stack.obj gawkfts.obj $(plug_opt) link/share=$(MMS$TARGET) $(MMS$SOURCE), stack.obj, gawkfts.obj, \ diff -urN gawk-5.3.1/vms/generate_config_vms_h_gawk.com gawk-5.3.2/vms/generate_config_vms_h_gawk.com --- gawk-5.3.1/vms/generate_config_vms_h_gawk.com 2024-04-19 16:07:15.000000000 +0300 +++ gawk-5.3.2/vms/generate_config_vms_h_gawk.com 2025-03-09 12:57:34.000000000 +0200 @@ -13,10 +13,10 @@ $! which is used to supplement that file. $! $! -$! Copyright (C) 2014, 2016, 2019, 2023 the Free Software Foundation, Inc. +$! Copyright (C) 2014, 2016, 2019, 2023, 2024 the Free Software Foundation, Inc. $! $! This file is part of GAWK, the GNU implementation of the -$! AWK Progamming Language. +$! AWK Programming Language. $! $! GAWK is free software; you can redistribute it and/or modify $! it under the terms of the GNU General Public License as published by @@ -51,7 +51,8 @@ $! $ args_len = f$length(args) $! -$ if (f$getsyi("HW_MODEL") .lt. 1024) +$ hw_model = f$getsyi("HW_MODEL") +$ if hw_model .gt 0 .and. hw_model .lt. 1024 $ then $ arch_name = "VAX" $ else @@ -162,7 +163,7 @@ $! This stuff seems needed for VMS 7.3 and earlier, but not VMS 8.2+ $! Need some more data as to which versions these issues are fixed in. $ write cvh "#if __VMS_VER <= 80200000" -$! mkstemp goes into an infinte loop in gawk in VAX/VMS 7.3 +$! mkstemp goes into an infinite loop in gawk in VAX/VMS 7.3 $ write cvh "#ifdef HAVE_MKSTEMP" $ write cvh "#undef HAVE_MKSTEMP" $ write cvh "#endif" @@ -320,6 +321,10 @@ $ write cvh "" $ write cvh "#define TIME_T_UNSIGNED 1" $ write cvh "#include ""custom.h""" +$ write cvh "/* TEMP Fixup for V9.2-2 termios header not compatible */" +$ write cvh "#ifdef HAVE_TERMIOS_H" +$ write cvh "#undef HAVE_TERMIOS_H" +$ write cvh "#endif" $ write cvh "" $ $! diff -urN gawk-5.3.1/vms/make_pcsi_gawk_kit_name.com gawk-5.3.2/vms/make_pcsi_gawk_kit_name.com --- gawk-5.3.1/vms/make_pcsi_gawk_kit_name.com 2017-12-14 19:53:46.000000000 +0200 +++ gawk-5.3.2/vms/make_pcsi_gawk_kit_name.com 2025-03-09 12:57:34.000000000 +0200 @@ -59,6 +59,7 @@ $if (code .eqs. "I") then base = "I64VMS" $if (code .eqs. "V") then base = "VAXVMS" $if (code .eqs. "A") then base = "AXPVMS" +$if (code .eqs. "x") then base = "X86VMS" $! $! $product = "gawk" diff -urN gawk-5.3.1/vms/pcsi_product_gawk.com gawk-5.3.2/vms/pcsi_product_gawk.com --- gawk-5.3.1/vms/pcsi_product_gawk.com 2019-08-28 21:54:05.000000000 +0300 +++ gawk-5.3.2/vms/pcsi_product_gawk.com 2025-03-09 12:57:34.000000000 +0200 @@ -13,8 +13,8 @@ $! Put things back on error. $ on warning then goto all_exit $! -$ arch_type = f$getsyi("ARCH_NAME") -$ arch_code = f$extract(0, 1, arch_type) +$ arch_name = f$getsyi("ARCH_NAME") +$ arch_code = f$extract(0, 1, arch_name) $! $ can_build = 1 $ producer = f$trnlnm("GNV_PCSI_PRODUCER") @@ -43,18 +43,26 @@ $ goto all_exit $ endif $! +$! Prefer MMK over MMS +$ if f$type(mmk) .eqs. "STRING" +$ then +$ mms :== 'mmk' +$ else +$! mms needs a little help +$ __'arch_name'__ == "TRUE" +$ endif $! $! Build the gawk image(s) $!------------------------- $ if f$search("gawk.exe") .eqs. "" $ then -$ mmk/descrip=[.vms]descrip.mms gawk +$ mms/descrip=[.vms]descrip.mms gawk $ endif $ if arch_code .nes. "V" $ then $ if f$search("filefuncs.exe") .eqs. "" $ then -$ mmk/descrip=[.vms]descrip.mms extensions +$ mms/descrip=[.vms]descrip.mms extensions $ endif $ endif $! @@ -93,12 +101,6 @@ $!--------------------------------- $ @[.vms]build_gawk_pcsi_text.com $! -$ base = "" -$ arch_name = f$edit(f$getsyi("arch_name"),"UPCASE") -$ if arch_name .eqs. "ALPHA" then base = "AXPVMS" -$ if arch_name .eqs. "IA64" then base = "I64VMS" -$ if arch_name .eqs. "VAX" then base = "VAXVMS" -$! $! $! Parse the kit name into components. $!--------------------------------------- diff -urN gawk-5.3.1/vms/vax/ChangeLog gawk-5.3.2/vms/vax/ChangeLog --- gawk-5.3.1/vms/vax/ChangeLog 2024-09-17 21:43:39.000000000 +0300 +++ gawk-5.3.2/vms/vax/ChangeLog 2025-04-02 08:34:11.000000000 +0300 @@ -1,3 +1,7 @@ +2025-04-02 Arnold D. Robbins + + * 5.3.2: Release tar made. + 2024-09-17 Arnold D. Robbins * 5.3.1: Release tar made. diff -urN gawk-5.3.1/vms/vms_fwrite.c gawk-5.3.2/vms/vms_fwrite.c --- gawk-5.3.1/vms/vms_fwrite.c 2024-04-19 16:07:15.000000000 +0300 +++ gawk-5.3.2/vms/vms_fwrite.c 2025-03-09 13:13:49.000000000 +0200 @@ -1,6 +1,6 @@ /* vms_fwrite.c - augmentation for the fwrite() function. - Copyright (C) 1991-1996, 2010, 2011, 2014, 2016, 2022, 2023, + Copyright (C) 1991-1996, 2010, 2011, 2014, 2016, 2022, 2023, 2025, the Free Software Foundation, Inc. This program is free software; you can redistribute it and/or modify @@ -165,6 +165,9 @@ result = result * number / size; /*(same as 'result = number')*/ } else { #ifdef NO_ALLOCA +#ifdef alloca +#undef alloca +#endif # define alloca(n) ((n) <= abuf_siz ? abuf : \ ((abuf_siz > 0 ? (free(abuf),0) : 0), \ (abuf = malloc(abuf_siz = (n)+20)))) diff -urN gawk-5.3.1/vms/vms_misc.c gawk-5.3.2/vms/vms_misc.c --- gawk-5.3.1/vms/vms_misc.c 2024-04-19 16:07:15.000000000 +0300 +++ gawk-5.3.2/vms/vms_misc.c 2025-03-09 13:13:49.000000000 +0200 @@ -1,6 +1,6 @@ /* vms_misc.c -- sustitute code for missing/different run-time library routines. - Copyright (C) 1991-1993, 1996-1997, 2001, 2003, 2009, 2010, 2011, 2014, 2022, 2023, + Copyright (C) 1991-1993, 1996-1997, 2001, 2003, 2009, 2010, 2011, 2014, 2022, 2023, 2025, the Free Software Foundation, Inc. This program is free software; you can redistribute it and/or modify @@ -59,7 +59,7 @@ char *result; int len = strlen(str); - emalloc(result, char *, len+1, "strdup"); + emalloc(result, char *, len+1); return strcpy(result, str); } diff -urN gawk-5.3.1/vms/vms_popen.c gawk-5.3.2/vms/vms_popen.c --- gawk-5.3.1/vms/vms_popen.c 2024-04-19 16:07:15.000000000 +0300 +++ gawk-5.3.2/vms/vms_popen.c 2025-03-09 12:57:34.000000000 +0200 @@ -86,7 +86,7 @@ #define psize(n) ((n) * sizeof(PIPE)) #define expand_pipes(k) do { PIPE *new_p; \ int new_p_lim = ((k) / _NFILE + 1) * _NFILE; \ - emalloc(new_p, PIPE *, psize(new_p_lim), "expand_pipes"); \ + emalloc(new_p, PIPE *, psize(new_p_lim)); \ if (pipes_lim > 0) \ memcpy(new_p, pipes, psize(pipes_lim)), free(pipes); \ memset(new_p + psize(pipes_lim), 0, psize(new_p_lim - pipes_lim)); \ @@ -287,11 +287,11 @@ use three entries for each translation. */ itmlst_size = (3 * (max_trans_indx + 1) + 1) * sizeof(Itm); - emalloc(itmlst, Itm *, itmlst_size, "save_translation"); + emalloc(itmlst, Itm *, itmlst_size); for (i = 0; i <= max_trans_indx; i++) { struct def { U_Long indx, attr; U_Short len; char str[LNM$C_NAMLENGTH], eos; } *wrk; - emalloc(wrk, struct def *, sizeof (struct def), "save_translation"); + emalloc(wrk, struct def *, sizeof (struct def)); wrk->indx = (U_Long)i; /* this one's an input value for $trnlnm */ SetItmS(itmlst[3*i+0], LNM$_INDEX, &wrk->indx); SetItmS(itmlst[3*i+1], LNM$_ATTRIBUTES, &wrk->attr), wrk->attr = 0; diff -urN gawk-5.3.1/vms/vmstest.com gawk-5.3.2/vms/vmstest.com --- gawk-5.3.1/vms/vmstest.com 2024-04-19 16:07:15.000000000 +0300 +++ gawk-5.3.2/vms/vmstest.com 2025-03-09 12:57:34.000000000 +0200 @@ -366,7 +366,7 @@ $! $mpfr: $ test_class = "mpfr" -$ skip_reason = "Not yet implmented on VMS" +$ skip_reason = "Not yet implemented on VMS" $ ! mpfr has not yet been ported to VMS. $ gosub junit_report_skip $ return @@ -753,10 +753,21 @@ $ $colonwarn: echo "''test'" $ test_class = "gawk_ext" +$ if f$search("sys$disk:[]_''test'*.tmp;*") .nes. "" +$ then +$ rm _'test'*.tmp;* +$ endif +$ if f$search("sys$disk:[]_''test'*.err;*") .nes. "" +$ then +$ rm _'test'*.err;* +$ endif +$ define/user sys$error _'test'.err $ gawk -f 'test'.awk 1 < 'test'.in > _'test'.tmp +$ define/user sys$error _'test'_2.err $ gawk -f 'test'.awk 2 < 'test'.in > _'test'_2.tmp +$ define/user sys$error _'test'_3.err $ gawk -f 'test'.awk 3 < 'test'.in > _'test'_3.tmp -$ if f$search("sys$disk:[]_''test'_%.tmp;2") .nes. "" +$ if f$search("sys$disk:[]_''test'.tmp;2") .nes. "" $ then $ delete sys$disk:[]_'test'_%.tmp;2 $ endif @@ -764,11 +775,16 @@ $ then $ delete sys$disk:[]_'test'.tmp;2 $ endif -$ append _'test'_2.tmp,_'test'_3.tmp _'test'.tmp -$ cmp 'test'.ok sys$disk:[]_'test'.tmp;1 +$ append - + sys$disk:[]_'test'.tmp,sys$disk:[]_'test'.err,- + sys$disk:[]_'test'_2.tmp,sys$disk:[]_'test'_2.err,- + sys$disk:[]_'test'_3.tmp - + _'test'_3.err +$ cmp 'test'.ok sys$disk:[]_'test'_3.err;1 $ if $status $ then $ rm _'test'*.tmp;* +$ rm _'test'*.err;* $ gosub junit_report_pass $ else $ gosub junit_report_fail_diff @@ -1424,7 +1440,7 @@ $ ! so if it does, double check the actual results $ ! This test needs SYS$TIMEZONE_NAME and SYS$TIMEZONE_RULE $ ! to be properly defined. -$ ! This test now needs GNV Corutils to work +$ ! This test now needs GNV Coreutils to work $ date_bin = "gnv$gnu:[bin]gnv$date.exe" $ if f$search(date_bin) .eqs. "" $ then @@ -3058,7 +3074,7 @@ $ echo "rsstart3" $ test_class = "gawk_ext" $! rsstart3 with pipe fails, -$! presumeably due to PIPE's use of print file format +$! presumably due to PIPE's use of print file format $! if .not.pipeok $! then echo "Without the PIPE command, ''test' can't be run." $! On warning then return @@ -3124,7 +3140,7 @@ $ pipe - gawk -- "BEGIN {printf ""0\n\n\n1\n\n\n\n\n2\n\n""; exit}" | - gawk -- "BEGIN {RS=""""}; {print length(RT)}" >_'test'.tmp -$ if test.eqs."rtlenmb" then delet_/Symbol/Local GAWKLOCALE +$ if test.eqs."rtlenmb" then delete/Symbol/Local GAWKLOCALE $ if test.eqs."rtlenmb" then f = "rtlen.ok" $ if f$search("sys$disk:[]_''test'.tmp;2") .nes. "" $ then @@ -3770,6 +3786,10 @@ $ test_class = "gawk_ext" $ gawk --profile -v "sortcmd=SORT sys$input: sys$output:" - -f xref.awk dtdgport.awk > _NL: +$! Test passes, but verification failing. +$ skip_reason = "Verification bug in VMS 9.2-2 edit/sum access violation +$ gosub junit_report_skip +$ return $ ! sed _profile2.tmp $ sumslp awkprof.out /update=sys$input: /output=_'test'.tmp -1,2 EOF cat << \EOF > /tmp/uudecode.c /* * uudecode [input] * * create the specified file, decoding as you go. * used with uuencode. */ #include #include #include #include #include #include void decode(FILE *in, FILE *out); void outdec(char *p, FILE *f, int n); int fr(FILE *fd, char *buf, int cnt); /* single character decode */ #define DEC(c) (((c) - ' ') & 077) int main(int argc, char **argv) { FILE *in, *out; struct stat sbuf; int mode; char dest[128]; char buf[80]; /* optional input arg */ if (argc > 1) { if ((in = fopen(argv[1], "r")) == NULL) { perror(argv[1]); exit(1); } argv++; argc--; } else in = stdin; if (argc != 1) { printf("Usage: uudecode [infile]\n"); exit(2); } /* search for header line */ for (;;) { if (fgets(buf, sizeof buf, in) == NULL) { fprintf(stderr, "No begin line\n"); exit(3); } if (strncmp(buf, "begin ", 6) == 0) break; } sscanf(buf, "begin %o %s", &mode, dest); /* handle ~user/file format */ if (dest[0] == '~') { char *sl; struct passwd *user; char dnbuf[100]; sl = strchr(dest, '/'); if (sl == NULL) { fprintf(stderr, "Illegal ~user\n"); exit(3); } *sl++ = 0; user = getpwnam(dest+1); if (user == NULL) { fprintf(stderr, "No such user as %s\n", dest); exit(4); } strcpy(dnbuf, user->pw_dir); strcat(dnbuf, "/"); strcat(dnbuf, sl); strcpy(dest, dnbuf); } /* create output file */ out = fopen(dest, "w"); if (out == NULL) { perror(dest); exit(4); } chmod(dest, mode); decode(in, out); if (fgets(buf, sizeof buf, in) == NULL || strcmp(buf, "end\n")) { fprintf(stderr, "No end line\n"); exit(5); } exit(0); } /* * copy from in to out, decoding as you go along. */ void decode(FILE *in, FILE *out) { char buf[80]; char *bp; int n; for (;;) { /* for each input line */ if (fgets(buf, sizeof buf, in) == NULL) { printf("Short file\n"); exit(10); } n = DEC(buf[0]); if (n <= 0) break; bp = &buf[1]; while (n > 0) { outdec(bp, out, n); bp += 4; n -= 3; } } } /* * output a group of 3 bytes (4 input characters). * the input chars are pointed to by p, they are to * be output to file f. n is used to tell us not to * output all of them at the end of the file. */ void outdec(char *p, FILE *f, int n) { int c1, c2, c3; c1 = DEC(*p) << 2 | DEC(p[1]) >> 4; c2 = DEC(p[1]) << 4 | DEC(p[2]) >> 2; c3 = DEC(p[2]) << 6 | DEC(p[3]); if (n >= 1) putc(c1, f); if (n >= 2) putc(c2, f); if (n >= 3) putc(c3, f); } /* fr: like read but stdio */ int fr(FILE *fd, char *buf, int cnt) { int c, i; for (i=0; i$```!@$"!``'"043"0<%`0```0(#!`4&!Q$($A,A%!47(C%!E@D6(S)1 M5E?4U3"D;.TM;;2TR538G*$E)6BT39#1&-DD[$U M151SH8/_V@`(`0$``#\`]4P`````````````````````!\K<;:3S..)07HW4 M>Q#\<=::(C==0@C]',HB'ZM:&TFM:TI27I,SV(?I&1EN0_0````````````` M`````````````````````````````'G5[IYD.%:BZB8/PXYAG55C53&QZ]S* M=(L)R(S2IY0WX]0CF49%S>$]0S3Z329BM-==5,3URX>N#C-]0JJ7D59(R1%= MD]?%898?4IQII2^Y;[$HE-EWY#V]9,$_[#X]^Y43^9 M2,Z``````````````````````````````````````````.,WV$O)CF\@G5)- M1-FHN8R^4B].PJ9GA=TM<[T^:,D MBC$HHI=%&R"5S%W\_N+9U[T3Q7B*TGO-'( M#B/=X/T\4659+C/AEU'I$5E)$I3)N*3MJQ%?D.O&Z9N*=;<6HFR2E+>Z2W49 M&9VSJ)K_`'FG.K6HE5/B,S,9P?21&?%&;;Y9#TI,JP2XCJ=_-4W$;(BV[&9F M(I=M\3%OPR97J%DNLF.QY%W@^[AF1J, M]]B%I``````````````````````````````````````````HC*^%&+G*YU'E MVMNI5O@]I/\`&$W$)D^([#?/K=;P=4@X_AG@W,1?`]?;E(D[\I$0EK>B46!K M--UEQ_.LBIW[N/$CWM+&*(N!;'%;=;CK=ZK"WFS0EY1?!.()7*C??;OBV>&+ M`FN'"-PQKL[QS&H=>U`8G'(;38-FT\3S+Q+2V3?40ZA"B\SEW26Z3+K.&QL)7J!D.5PZY#4:N=ND1"=AQ&FD--1TG&8:)24I;+SED MI9F:C-7<3D`````````````````````````````````````````````````` M`````````````````````````````````&&N,SP_'34609935AI^-X9/:9V_ M'SJ(1&7Q)\.L!:FYVONG$92>RDO95!09?CW='21Q6\+CBN1OB3TL4KY"S&N, M_P">&5KN(/02X42*C6_`)RC]!1LEA.G_`,KAB8U5]1WK1OTES!L&R]*XLA#J M2_*DS'0SK,Z73O#[?.,C.0592Q5RY7@[)NN\B?3RH+NH_D(A!OS0,7Z']5?9 M1[_J'YH&+]#^JOLH]_U#\T#%^A_57V4>_P"H?F@8OT/ZJ^RCW_4/S0,7Z']5 M?91[_J,IA>M=!FF6JP@L7RRBMO%SEJVU>4[D(GHS;K;2U(-796RW6R,OPBP@ M```!4NK_`!(X7I)*IX#L=602K&\@47KJJLU[J]"[C3C(8)W\.9-I\A==B*@3TQ&F7)!(2AU3R30;Z$?"-I MW/?;];WMK#K8,^@\AK"IC;ZWC$Y;?@O)OMS=7?DVW[;[[#]I\EQS(:KQYC]_6V=:?-^? M(H8^L]=H=$KI\Z\E4+V1S'V$I\'K8:729:4^ MHU$?,ZYSI0E)&?P:S/8BW$AB9KAL^^>Q:#EM+(NHY&;U=V0G;F:2GFW4LN9.Z2[EN7;N.AEVH\ M+%%GEKDL"NK5M1\?G(A-S2F1GV M9Z5-DOJM=%Q2DI(S-.SA)5ND^VW<1367B1PO1WQQ&>Q=]B,QS@```````````````ZUE95U/!>M+>PC08<9!N/2)+J6F MFDEZ5*4HR))?A,Q6"N)+![A:F-,:;)=2'B,TI4U!_)X1O\` M@`K7B;R?O6XK@F"1E_$=N)TB\F)+_3BQBCLI/\"92R_"/TM'=0;GS\TXB\TD M$KX\.ABP*>+_`!5(87*3_O)C]+A?T9D]\AH[C)E'\<\DR2RMR7^-,M]Q.WX" M(B^0B&9IM`="<=))4&BV"5O+Z#B8[#:/\>Z6R[B71*&CKT);@4L",E/8DLQD M((OQ;$.ZMMMQ/(XA*D_(9;D,598AB=RDT6^+U$Y)^DI,)ITO^9)B'6O#9P]7 M;I2;/0[!'9"?BR"Q^*A]'^JZE!+3^0R%3<2G#SIUCFA&;6F*/Y71.1ZIQ:6( M&5V:(:^Y=EQ%/G'67XVS_`+*\FNM=!YV'\0TNQ2GXL;,L=AV+9%^M)R%X$[_ M`!EK69?A]`_#S;B`Q;_M;HW6Y3%3Z9>&7B/"#+UJ5#L"8).WIV1(=,_41GV. M?XEDS&7T3%ZQ3W%63REH5$MX#D.4TI*C29*;<(CVW+LHMTJ+8TF9&1C,@*IL M/OIZ'^#^W_K&O%K````XWT..,N-M.FTM232E9$1FDS+L>Q^G8>:%KPW:KU&G MV%X/7<%$>VU`P?+J^^M=0(US4H>D-R'GD277)"?C-/\I(W_T4$+^U M2N.(.QXCL`U$H.%3*;*EP&'?P''4Y%2-JG^,&XB6W&DKED:22<=6Y+V/N0V5 M64L&6WV>BR+)A+K*_6A1<_8R/L8H3C)DZEZE:6N:?:,:23L]CW M,FKGJNJV\K&8D94*TCR5LJ)^0A:E*1'41&DC21J+<^Q[8W7+%M2-66]+=3\E MX<9F056*SK1S(-,[.SKGWWE/-I:BSDEU50Y*F>1PR;6YOM(,RV4D5I<:&ZVQ M=&,[8P_0FLHJ#.,YKK1O3KI55H]24K4="94B+'DF=<4MZ0TATF3YFVR4>VZR MV$5TWX:N(9.ENN>F[6DMOCU=FC]-EF*,XS.QNW>BSZ9E77<<:<0^Y'C M/[*;1TC02TDIQ7/W(B2D6?B;GO+X[\_K\A2LE:EX72V..25D?34FK7(9F14* M/MSDCZP8AJC*X7L5.DD++\\XD,1T[X4=-\[5<9=+JH%U(M8,)S'E MG!C[N$RILW$,H=>ZI+C>>ISJ$>QI2H7!K3IMJY%N]%?$/#?,U#R;2V70R;// MVY]/'E6\>+#>;D1D.27T22);[I.FE>R#5N?<]C/:NKU%I/%,!_,I$'$KF1&; M?ETMG:Q#DPEJ3N;:S;<4A1E\J5&1^HQJ7QRM:?YIJ3H+8U6'8)J+9-9-/:W;N,E8R)$2OE2HE>Y/? M996XU%:6A"WUDDS)M*EF22-1[$1J,B+?N9%W&H_#+0:H:>:U:@/L\(4_3W#- M0)U:_%.#942(M-X-!Z3JW(\609JZCQ&KX-"C,U[F6^XHR^X:]6*S37'-/H7! M='O=0\2RR'?6.HL>XJ4.7B6K`GW9*)#SR9*W7T;DII[E2CGFG4LLF6?*KHR;20PJ+`<6@S2:R1'=>V(S+;8R,]Q.-4K+&[#6 MC2K!YFE\'*[A;]E?Q[*0\2/>TQ$:;0N:19X5EJ)=LKZK=CE\@K#HN>I3$7E3$C&7?](9;](M%"$-H2VV@DI2 M1$E)%L1$7J(?0````"I^*]2T<..H*VFNHM-*\:4;D7,?;8MS]&X^O*5K;^UM ML/:FM_OAY2M;?VMMA[4UO]\/*5K;^UML/:FM_OAY2M;?VMMA[4UO]\/*5K;^ MUML/:FM_OB+XMD>:9#Q1U:\PTZD8HMG`;0F$.V<>9UR.Q@;F1LF?+ML7I].X MOX>86MGNQN4Z;:DY5IK4LHT MV2P9_E4:]OY!9.)^[@X9)6A&=:!75X?DE5>UKWZ7, MK9C&+AORBYF9%DN@>GEK:V+RI$R;-QJ&\_(=4>ZEN M.*;-2E&?I,SW,3+$,)P[3ZB9Q?`\5J,=IXZEK:KZJ$W%CMJ6HU*-+;9$DC-1 MF9[%W,QF@`!\*896ZA];*%.-D9(6:2-22/T['ZM]B_D'V(=B&C6D6GUY.R;` M]+L2QRWLT*;F3ZJFCQ)$A"EDM25N-H)2B-9$HR,]C,B/TD)B*_S#A[T&U"O' MH3=9I?,5L=UTH\9"B4X_+?/XK,=E!&X^ZK8]FVTJ6?J(Q M`"DZVZNGO`3*TIQ)S_Q#[++^2SD?*AI7.Q7I,O0;A//;'W0RHA,\`TIP33-N M4K%*3ISK%1+L;66\Y+L;!9>A*H=&A2F%J2GGW?4]LK=9*5^EEMS;=_2,8Q[B3H8ELBE:NYVXYZU-HAH(_R& MT>W\HZ-I[B'I0\V94NMV61%^HY4"-((OR)Z?_P`BK\Q]Q!U%AMN+P#73';=1 M=T-V]4_7[_@-32G_`.78:V:G>YM<8FES;TR;I-*R&`R1F15]-_P`$D.PWB,OU#J",N8OE2LC+Y2&^ M'#U[LMJ5BSD:BXAL89S&L(R0NYJVVXEFVGUJ4T7*P_\`B(FC]9J,>G^A_$;H MUQ%X][X]),WA7+;22.5#W-J9#,_U+S"]EH[[D2C+E5L?*9EW%E`````````` M```````````````*GR+5ZZR6\EX%H35P[^YA.G&M;Z6:CHZ%9?&0\X@R.5)3 M_P#BLJYB/;JK9(R4>6P;1JEQ:Z/-\DM9N7YJ\VIIS(;;E4ZPVKXS$-I)$W#8 M/_-M$1JV(W%.*\X["````%=9+Q`Z5XYR?J)UF* MAPV"/]<[R)].YEL,86H&N^2]\/T*CTD=?Q969Y$U$U'D>?8<4NHY*/ MTHAUN/,-_D)58M?_`#F/WR+9NCO&XHM565>L^ACSFY_BUFG62P%5#J7IE?( MFU$AHMRV6F,ZF2ASOMNDY".WZH_0?6=XDN(7'G%-:HZ98YI^E)F7AETBP?K] MOURIT%N1%:3Z_A76S_`7$<4_P"Q&E7_`!&Q_P``/".*?]B-*O\`B-C_`(`>$<4_[$:5?\1L M?\`1?%G-3W.*.K\I43%V'"P&T\$\1R)#J33XQ@8Z;_BJ(AYN<2GN-%W4M2\HX M9'?4?K1W,BP/-*! M[8R,G(%M\\6XRAK_R3[+@PE?YSM(>2>Z.BG9;ENX[CM#B- M)"QK%Z:'4U-"R$QZFJ=_6S9ZB4AM9>MEI+SY=C-HB/<=).BV49X12M==0IEVPYW/&:! M3E52(+]8YR*\)F?(?6=Z2MM^BG?863C.*8OA=0SC^'XY5T57'+9F%6Q&XS#? M^JVV1)+^094``!5/%3][MGW[C.__`"0M85E?:6>`538??3T/\`!_;_`-8UXM8````!3W$?PHZ-<4>, M'0ZFXXE4Z.VI-==Q"2W85ZC];3NQ[IW[FVLE(/TFG$C)":R M-GQSB5@\;=3DD1HRCOGW,FG4]^@]REOR&9D>QFE2B(S+8/W/GW2JVT?DUNC. MO%J_8X&XI,:LN7C-R11;]DH6?ZV1;./8YC^(TL3&\6I( M-150&R9BPH,=++#*"_4H0DB))?B(9$````5/Q7I<7PXZ@I9<)MPZ5XDK-/-R MGVV/;U_B'U[Q.(/]L#4>Q+?UH/>)Q!_M@:CV);^M![Q.(/\`;`U'L2W]:#WB M<0?[8&H]B6_K0>\3B#_;`U'L2W]:$7Q:CSZEXHZM.=9[$R9;N`VAQU1Z5-?T M"*Q@8_$NJ*W9./,A2D'`ODO"5EZ;BD5)M].;V0I-19K+=R(X>ZO`Y M)EV)PB(S2OL3B2,RV,E)3>WN77'L_@=M7\-NL-US8Q9/$QC%I)<_^ER5J\V( MXH_0PXH_,,_TM9[?%5NCV%````````````````````'3M[>KQ^JF7MY8QX%= M7,.2I.PHO@DF3BRZII2S=(```(_G>=8WIQC,K*\JF*8AQC M0VA#39NOR7UJ)+4=AI.ZG7G%FE"&TD:E*41$0@>&:?9)F^0P=6M:8:&[.(9O MXYBQ.)=BXXE1;$ZX9>:_8&DS);W=+1&;;/;G<=MP```$"RW7C1_"+0Z#(=0* MI-TDM_%$1PYMB9?*42.2WS_(@88N(*+,\['M']5;=L_0OWJ/5^_\6><=1?E( M/+O9,>=9:!:JPVR]*_%,23M_%C2G%'^0C%:\27$5I39Z%9K13[>TQRSF53C+ M$3)J.=2K><,RV0VJ8RVAU1^KD4K?U;C9J',B6$5J=`E,R8SZ"<:>962T.)/T M*2HNQD?RD.8``538??3T/\']O_6->+6``````$8U+TVPW5[!;C3G/Z9JTHKR M,J-*CK].Q]TK0KTH6E1$I*B[I4DC+T#^>/BQX:,LX5=8++3>_-R57J_/E':& MCE3805*/D<^0EI,C0M/J6D]MR-)GZR^Y>\8;O$'I@O3/.[7KY[@\=MMQUU>[ MMI6]D-23,^ZG$'LVX??OTU&>[A[;O````````````````````I$D'Q'9>LW% M=32K$[#E2@N[>56\=SSC5^O@Q74[$7Q7GT'OYC)=6[@```=.WMZO'ZF;>WEA M'@5U='GOX-606 MXS9G\II;(B,_PGW&<`5+Q9,)D\-VH4=9F27*1Y)F6VY;[=RW[;B#PN"''\7= MDV&FFMNIV%SY!K<5XHGPV(3KJN_.]#1&2RZ9GW-1I)9[GLHC/<1UJFS_`$VF M-5'$#K3J+7P'W"9B9I3V48J5Y9GLE,MMR,IRM69F1%U%N,F>Q=?F,D"WDZ%V MBDDI/$%JJ9&6Y&5I"V,O]U#R$VO[8#57_B<+ZH'D)M?VP&JO_$X7U01?%L'E M87Q1U;267E,\MC`[-])IO8CW[[[^@A?P``````#63W0/A M6B\46A'W#SK5E'# M;K3CVJ5&AXI%%,Y)\(S-'A417F2(RR/TE)#^D3#\LH<\Q2GS M7%YZ)M/>P6;&#(1Z'&'4$M"OP'L9;EZC[#,``````````````````"I-6;FV MSC(XV@>%64B%)LHR9^66L19H=J*52E)Z;:R^)*EJ0MIHR[H0E]TMC;02K-HZ M2HQFF@X[C];'KZRLCMQ(<2.@D-,,MI)*$)278B))$1%^`=X```%,Y8CRW:F^ M35">KA&#OL3LK/\`[NSM-DO1*L_4IMM)MRGT^@^:*@]TJ=2+F```5)F&;95G MV4SM)M(+$H#E::6\IRPFTNHI.8B442*E1&AZ>I!DK91&AA*DK<)1J0TN;8#I MWB>FE'XAQ*M-AMUU4F7)>=4]*G25?'D27UF;C[RC]*UF9GV+T$1%)0`!5/%3 M][MGW[C._P#R0M8<,R'$L8C]?8169,62VIE]AY!+;=;46RDJ2?923(S(R/L9 M&,/A.$X]IYCK&*8I&?C541;AQ8SDEQ],9"EFHFF^HI1H:3ORH;+9*$D24D1$ M1#/`*IL/OIZ'^#^W_K&O%K````````\)_=5^'AK1;B.?S*A@]#'-2&W+J.2$ M[-M3R4136B_CJ0]^#KD1>@;D>XUZ\.9GH]>:'W4OGL,#E%*K26KSEULI2EL^F^3FY^HGFR]0]$``````````````````1;4S/X&FF&SLKF0WI[[1MQJ^N MCF77LISRR;C1&M_U;KJD((S[%S;GL1&98S1[3^?@N-ORLGELS\OR24JYR:P: M(^1^<02E%\5',KT),5)=DD0EP``K;6/,\AKTU.F^GLA#6:9FMUB!( M4V3B*J$T2?"[-Q!]E)92M!(2?9;SK"#[*492G`\&Q[3C%8.'XQ'<;A0DJ,W' MG#UEO]9#\S!HU^PU][66_UD1?%M-,/TYXHZMG$H115) M3YW@Z?@Y2=_4GHK4X?X64CR^]S6U:7I+Q?86^_)-JNRIU6+3RWV):9>R6=_P M%)3'4?X$F/Z!P`````````````````4]5[ZN:UR+]?PF)Z6ONU]:1]T3YOPA93(.KQS?OT8(_TLA;P```*HXJU)1PZ9^M:B2E-,Z9F9[$1;D)[[]L,^=U+ M_O[7]X/?MAGSNI?]_:_O![]L,^=U+_O[7]X/?MAGSNI?]_:_O![]L,^=U+_O M[7]X5N5S3W'%+2+J+6'.2U@%L2SC/I=))G8U^V_*9[>@7$```````#%95CE9 MF.+W&(W374K[R!(K9:/US+S:FUE^5*C'\Q=G#O=-,]EUY/*C7.*V[C/426QM M2HSQES%^):-_R#^FS!,JAYUA&/9O7[>"Y#51+5C8]RZ;[*74[?D60SH````` M```````````@NM&H973;!:W33!J?!ZM]V2W5Q^1V6]^FS)"C-;\ET_6XZZIQU9^M2U&)*` M``#\,R21J49$1%N9GZA5'#4E5Q@$O5"01G)U)MY>5\Y^E4-XTM5Q?Q8#$)/X MR,^VXM@``5QQ$W]IC^C.2KH))Q[FV99H*EXO2W/L7VX499%ZS2]);5M^`37& M\?J\3QVKQ6CC%'K::$Q7PV2]#;#+9(;3^1*2(9(```'5LZNLNZ^147-=%GP9 M;9M2(LIE+K3R#]*5H41DHC^0RV$-\@FA?T+8)[.0_P###R":%_0M@GLY#_PP M\@FA?T+8)[.0_P###R":%_0M@GLY#_PP\@FA?T+8)[.0_P##&9QG3;3K"I;L M_#Y'RJ4VDC,MR(]C[;D0D8````````_G5X^L71B' M&1JQ4MH)"7L@Y]Y(YE?!EI1:.+YC8HRK2/??M$>< MC$7Y"9(OR#80````````````````5&1>4;B(4:OA*32:$1)+TI53/&U:RZAZLK%EZ4SI>T:,?_O/-B<8 M_1U^,T-;C=0R3,&IALP8K9?J&FD$A"?R)21#(``"J=>/SY8:6T"N[=KJ!7\Z M?UW@D:7/3_(N$D_R"U@`````````````````>$'NK.+SXO&KEMDIEEENVKZF M4RIZ0VT;J4PFF361*41F7,RI._HW29>H>EGN63%A%X)<'BSV%-].3;=$S,C2 MMM5@^HE),NQI,U'W+MN1C;,```````````````&.R._J\4QZTRF\DE'K::$_ M83'C]#;#2#6XK\B4F8@W#UC]K3Z80;K)8QL9%E[SV4W;:OC-3)RNL;!GZR8; M4U'3_HL)%E````"J>(?\^U&$8V?D%HK]+A:@,\Y_\`[ZJQBI_YY"1:P`````````````````//CW6GA=NM8Z'` M=0\%JCE9%7W,;%Y*4),SVQK)ILDFL_P#249&H_P`*C$H```````````````!YE>Z_Y!JI M79?I3BFFF39#$L>ANEU M'EV-Z=8Y19]D[F19+"K6&[:T6A"/"I?*1NJ(D)21)YC,D]M^4BWW/OF,<0>F2M.-1\LK:S+&6FJF!`N'V&VKIEU3"W6DH41(6;4ME/,7? MSU_*/4BFKUU-1!JES9$Q4.,U'.3(<-;KQH22>=:CW-2CVW,S[F9F.X``//KW M8/%]48^D^-ZL8!FV1UM7C5DAB]KX%@\S'43JTG%F+0E1)YFWDD@E&1JW?1MM ML-HN#EB8SPKZ5N3Y;\J1+Q:!--V$RZI+6[D2+NR?B-,M0GX+/(CHLNFI2CGD?*?YG M:5>TEC]1#QCQ3_,[2KVDL?J(>,>*?YG:5>TEC]1%087KYQ>9MB]EGQ:?:.8W MBU>MXCM12O.Y8)FU'Q+ZBYS@W$;J M'A&C]%#TO>GMT2;F\M8S=D_.3';:D)85!-_F):.1EI:&W5.F1I0?P9JL*ZUM MXQ\6P5[/\PT]T>H(9&Z42%.OK7P^=RI6M"68S<-2S<<;;4M+)D3I)(^HALTJ M)-AXGF'%#E>+4V41L)TM:9N*^//;0YD=B2D)=;2LB,BA&1&1*[[&?XS&5\8\ M4_S.TJ]I+'ZB'C'BG^9VE7M)8_40\8\4_P`SM*O:2Q^HAXQXI_F=I5[26/U$ M/&/%/\SM*O:2Q^HBH<-U[XO,TQJUSHM/M',;Q>KWUKXQ\9P=[/LOT]T=H(1&Z M42'.O;;P^=RI4MLF8S<-3AN.(0:TLJ(GB(CYVT&E1%8&'YGQ09?B5)ED7"-+ MF6;JNC6+;;F1V!+0EYI+A)410C(C(E;'L9_C,9?QCQ3_`#.TJ]I+'ZB'C'BG M^9VE7M)8_414M;KSQ>95G%WA6&:7Z63Y%!<.5-BM=[9DU")#3;G7>>.(39)/ MJH2EM)F^K):,V.+X-1Q:E&2OY': M(@.IB,H:Y4/'"23ZB2C=;C25,I4EQ!K2M)H+N-Z_<7*%5]H[IKI1)QVRNJZD MA6\>^LTL3W9;O32Y&ZD0E.,I/E5UN3IK2M*FE.EN96]XQXI_F=I5[26/U$/& M/%/\SM*O:2Q^HAXQXI_F=I5[26/U$/&/%/\`,[2KVDL?J(>,>*?YG:5>TEC] M1#QCQ3_,[2KVDL?J(>,>*?YG:5>TEC]1#QCQ3_,[2KVDL?J(>,>*?YG:5>TE MC]1#QCQ3_,[2KVDL?J(>,>*?YG:5>TEC]1#QCQ3_`#.TJ]I+'ZB'C'BG^9VE M7M)8_40\8\4_S.TJ]I+'ZB(CJWJMQ,:2Z;W^H]K@>F4J)01#E.LQ\BL%.++F M(MDDJ$DC/OZS(=?RT<1GT?:<>T<[ZD'EHXC/H^TX]HYWU(/+1Q&?1]IQ[1SO MJ0>6CB,^C[3CVCG?4@\M'$9]'VG'M'.^I!Y:.(SZ/M./:.=]2#RT<1GT?:<> MT<[ZD'EHXC/H^TX]HYWU(/+1Q&?1]IQ[1SOJ0>6CB,^C[3CVCG?4@\M'$9]' MVG'M'.^I!Y:.(SZ/M./:.=]2#RT<1GT?:<>T<[ZD'EHXC/H^TX]HYWU(/+1Q M&?1]IQ[1SOJ0>6CB,^C[3CVCG?4@\M'$9]'VG'M'.^I!Y:.(SZ/M./:.=]2# MRT<1GT?:<>T<[ZD'EHXC/H^TX]HYWU(/+1Q&?1]IQ[1SOJ0[.,:\ZM*U*PW" M\WP;$8M?ELZ57IE55U)D/,.-0),LE&AV,VDTGX*:?C;ES$8V#`````!5-]]] M/@W\'^5_UC0BU@`:E?)BDQ8SF/+0[(,B4E, MDT&A1&:7I6SV[2&F'%FFR:UJ?89.Y)HI+.>YQ`6Y#EY',:6Q08TYYR'6HK!+ M41ND9NDIEI:Y"N4FI,EI)M**-9,Z=AA^87V#OHR:Q\0V$>WU#O"Y83$>?:6A=P:,_?*/2XP9SWUH>DJ(E)3(-)H4E2DO2MGMVD-LK<,K M(@(GV&4./T;[.?9S7..1).0S&EQZ#&EGS-NMQF4J475+=TE,M+7(5L3VU"O$\L"-'Z1J=C5K:"2EQ!&AM)I8-#.[9J M>?=?:6A=KZ(?<6P#96_Z%ZKO\OYT;$V`:NX[);1D&I4/*,IFLTDW/YS,3&J% MIP[6_D%#AFILW$'U283S(-26NF222:WWB9-Q`EMQ$C'$KL7SJD0W7KB]*ETJ MQ=#+AR(:=D)\/,N1M3*4DE"FS4U!0;AM.+D\S2QS71O3K:/1YI"C97D++;+\ M'3^A=_R36M;[,R;%UPDDXE*DJ4EU]*4?`$<:,I]K=<'U=?\`#,KP=G*X^;\&H2XBFQM#DIM1(61JY52%(4VDEO&J0HG%+::89<<2G:<```````` M!27&M]ZMJ3^XROYQ`P@`````````````(Z_]W#1?]\UE_9^T&U0`````*IOO MOI\&_@_RO^L:$6L`#5'1^0MK1K'Z[,;5V#0S9MJU5XMCA+7:Y(YXP?4M3JVR M2MMKG61K;:-*$I3U)$CI..M(G5U%9=C5^,9Y2).&N+TZ;2O&$-.I=AIV0DYZ MBY&U,I21(4A2FH*# MD%+7YA<.U]!+M;EJKQG'.HY;9(YXRD*6;BVR2XVUSKYEH9-*4I3U)$@FENM) MG-Q$CJB5V,9U2(1`7%Z=+I5BZ&G.O#3LA)SS+D;4RE))0I!J:@H-PVG%R=VE MC$ZJ+U;-'B,9&7RBOLZM>AU&(: M(D91,QR6>WP9*<7SOF3#2W243<@U/(3*8CK=913K>DF2<$Q1]UM=MF%ZGGOK M]P]D-]%+^ZV^92T--K?0:]BZ3$9*%,ND,HE%C!$YXPTYP:3(V)"?"'\HR=]Q M/IW2:Y;;SJ$&?;J6#F^YG%<:,E1#4U%G5Q],*MZ'5X%0GG]&5-BK2F7+">?A MB5NO25)YDH,E+4M3;)K5S;../GU%-)VB`````````4EQK?>K:D_N,K^<0,(` M````````````".O_`'<-%_WS67]G[0;5``````JF^^^GP;^#_*_ZQH1:P`-4 M.'M"ZO2=R^I(\+"X?4L/?'GE\:">*.W.D&34(GS-)-M$IPR<>Y8S:U\R6I/. MZ13N,ZS54,VUIY4G`,2D/-JM,KNT&K(,@>5LAOHI?W<0:E*;:;4^E3ID718C MH2;#I8'/THI='[]LO"--\+E09J&6'#<>R3)I3C"S(W%&:WVUNI0I2M^I.<(^ M9:HRVUI5<.C7W'\&[;?H:K/Z*V)B```U2X?DN5FE\J^HXL+#HQ2K7WQY[?&C MJ(C-V$DR:A$\9ETVB-9DM[EC-+7SI;DFMXBG,5UNKHIUM2RY.!XH^ZVNUR^\ M2:[^_=5LAOHI?W6CF4I#3:WT&O8NBQ'2@V'2PV;DU2:2WJ4>$Z<87)B2TM-N MFX]DF3R7&%[&M2C7(;<=2@S/?J3G"/=1Q5M*)5KZ(?<6P#MM^A>J[?)^=&Q- M@&K>`MP9NIFI)5V/S\QR2OSN3(@5DF2;%-3'X+$,ILA?*;:7C,B)!\KTE);F MRVE!OK$XAE/L,I6[2/,Z@9U6.+C/WTME<;'\94?,VXW':2I9=8B-TE,MK6AZ2HB4E,DTFVHE&EZ5L[NTAME;AE9,!$^PR=Q M^CD,Y]G-X2^C*;1-%8Q[;4&\3RP(T?HJ4[&K6T$E+B"-#:32P:&"-LU//NOM+0N MX-&?N/X-WW_0U6=_]E;$Q```:EZ!'"L<2JVH$>1G^45-I9NPZEU\HU+C)G8/ MK0])425(3(,C;4E2DO2B)WF9;;:4X961"*?892MZC>9S_.JUQ<61?S&5QL?Q ME1\S;C<=I*EEUB(W24RVMR2KUU!O M$\M?$C])2G8U8V@B2XDC0VDT,&EG=HS??=?:4E=L:(?<6P#96_Z%ZKO\OYT; M$V`:NX[(2C(-2H>3Y7-C4E.+(96J3#1LDBG;&AI3*4\B%-\S<%! MN&TXY))32ARW?5G6D:BS6%'RB_:;9?K]/:!W_)5#QEOM$I<)U>>.9E>#LY7DKV0Y7!SS'U/5]0EQ%-C;;DIM1)D%-`R^Y=J\?E6MRU68WC9N.6^2.>, MI*E]13:2<;;YUFI2&3(B2CJ/R$M+=:3.;B+%*%6XOG%&ABN7%Z=)I3BZ&7%2 M8:=DEX=L:&E,I3R(4V:FH*#<-IQ#QEOM$B)&5T(Y+/OTR-Q?.^:8[2G262)!F M\A,IA.(K:.?<4,V3@^*ON(Q$TQ&) M"F72?G2BQC_[AIS@TB1_ZA_*,G?<3_'EMO.H1_YE@YS?^%<:\Z(:F-V=7&TQ MK'(57@5`K4"D*FQ9"F7+&P5X8E;KTE1&I*#YEK<4VR:U&KE<TKK-*'+^BC0\.C$Y8ED>>WYHZB(SY8S2U\Z6Y)K>(IW%=;JZ*=;4LN3@>*/NMKM32G M(Z]C<4HUOMN.I09JWZDYPCW4<9;:B5<&C/W'\&[;?H:K/Z*V)B```U1X?DN5 MNF$J^H8D+$&$R;7WQ9[D!HYFXK=A)/HPB>5MTVB-:B6[R16EKYR;DFIY)3N( MXBLHI]O1S9.#8J^ZVY;9E>IZE[?.&9(;Z*7]UM\RUI:;6^@U;%TF(R4*9=+" MYN3-'I+?$SX3ISA0VXZA'?FZD]PE'OX*XT?-: M^B'W%L`V+;]"]5V_V1L38!JU@+=?-U,U)37T$_,LDK\[DR*^JD25,4U.KP6( M939#G(IM+QJ))(4:7I"2(S9;2@WUB(5TV_B2\ZQLK# M/+MU!OW"2FI-IN%R(23D8C,UD;:&8A=3F8)TW'#1M8`````````I+C6^]6U) M_<97\X@80`````````````$=?^[AHO\`OFLO[/V@VJ`````!5-]]]/@W\'^5 M_P!8T(M8`&I?#^<.QPRE:@L/Z@934S9SL.IX6\WEENBCLH]KJ!>)Y:^)'Z*E.QJQM! M$EQ)&AM)H8-+.[1F^^Z^TI"[AT9^X_@W??\`0U6=_P#96Q,0``&IF@9PK#$: MMJ$Q(U`RBIM+)Z%3./E&IL;,[!]:'Y2R2I"9!D;:DJ6EZ21.6W3=-8Q[//[M!)KH3'24;T6M0C9+B2-"$FA@TM;M&BV`&2M_T+U7?Y?SHV)L`U>QR02+_4N)DV63(='+U`G-1H@2RW8B,P:W%\SHT1*YR,:*+2K% MDLJ=EQ$;)VG#'R:\:;:?K= M.Z!S_)E>SN:6I%BZLDI=0E2'%)5+RO!F,NR5Z_RN M%GF/K=K*=+J:?'&G)3:B2YN?*N0I"FTDM\S>62U+998:6\DMI0````````%) M<:WWJVI/[C*_G$#"``````````````CK_P!W#1?]\UE_9^T&U0`````*IOOO MI\&_@_RO^L:$6L`#5#1Z0^UHSC\#+[9VJQ^5/M6JS&L;YW+?)7/#WU.&XIM) M.-M\ZS4M#)D1)3U'Y"6ENM)G5O%C>!5V+YQ1H9KEQ>E2:4XNAEPY,-.R2\/V MY&E,I3RH4V:FH*#<-IQXYR$Z2%(6M+CZ4(,V"\'C*?:YEV]HU]R#!M_FW6?T5L3$``!JCI`_);T@ MIX.77+E1CTJVN6JS'<;-Q=QDKOC&2ISG4VDG&V^=:E*0P9;(03KTA+2G6DSF MWCQ&X-;B^:4:8MCSAEK(+QFF=D5^`XZYO6U;'2634JP<7R$ZE"D+6E;Z4-[LD4>. MM]HE+MC1'?R+X#OZ?>O5?T1L34!K%@/C"ORW6:[J(M)BC#67R_'F>6_0-4:$ MB+&4;$$/Y1D[ M[B?D,ERVWG4((N_4L'.;;:*XT1JB&I;5C5Q=,JU4&KP+'E:@T?B?&$J97962 M_#$K=?DJ(S2@^9:W%-M&XLSY7''MUK9+:(````````!27&M]ZMJ3^XROYQ`P M@`````````````(Z_P#=PT7_`'S67]G[0;5``````JF^^^GP;^#_`"O^L:$6 ML`#5#AZ2NMTJ2*TM?.E MN2:GDE.X;B*RBGV]'-DX+BK[K;EMF5ZGGOKYPS)#?12_NMOF6M+3:WT&K8ND MQ&2A3+I8//B:H]'LB)GPC3G#),&83:7S<>R/)Y+D=>W.:^=]MQU*._-U)SA* M/F.*XT?-;^C/W'\&[;?H:K/Z*V)B```U1X?B>KM,95[C\.'B;*)-K[X<^R'E M,V8K=C)4;,)+ROTMI/.KFX2N_@KC7G6OHA]Q;`.VWZ%ZKM_LC8FP# M5K`T5TS4O4E$&AGYGDE?GD)))F MPT2>NHYQ'*=8Y4IRJ<8U!SJK=4PY<2F51<>Q=9D:'&V$)-9=87-CY5D#3;S$_4"^:_R36M;D;T:N:;-).)2I*4J:84 ME'P!^$25OM;+@>:G5SGL*N\/KYV0PY>=8X4_/;IY!NVR?#4FVU!Y$D3D8CW7 MNTAF(74YF2=4XX:=K`````````%)<:WWJVI/[C*_G$#"``````````````CK M_P!W#1?]\UE_9^T&U0`````*JU(Q+5)6J6+ZEZ:5N*V1U%!VTB`1E, MD5SR'&ULQG^;E\`41I,D_'(R/L/SQSQ3_1QI5[:V/V4'CGBG^CC2KVUL?LH/ M'/%/]'&E7MK8_90IG3[1WBYPV)7QKW&-()U$9- M6:5OD:BV><-:T^=TC:2M23ST#%.-1%F>6Y!B.B=[E+*'"KIDS++8H=4:T&G: M+$36D39;*62EFM3ZTK-"GC02$IQTS3CC*F5-T_+Q?1BRRRZKI-:>0VF5VCZX M;#Y;+9C,(JVT,,[$DN1LTFLVVU.J=61K.P<-C\4^)8?18K[PM*I/B:MBU_7] M^5BGJ]%I+?/MXK[;\N^WX1F/'/%/]'&E7MK8_90>.>*?Z.-*O;6Q^R@\<\4_ MT<:5>VMC]E!XYXI_HXTJ]M;'[*#QSQ3_`$<:5>VMC]E"F<`T=XN,/CPH][C& MD63MTTV3,IHTS,;1J'`6[)6^3J8Z:LTN/DI9;/.FM2-CZ72):TJST'$^-/QH M>6Y'B.B=]D["7/%LN7EEL4.J-2#3M%B)K2)OLI9*<-:GUI6I"GC024IZ$C3O MC+DUMQ+F8MHO9Y;;P)->5_:97:/G"9?+9;,9A%8A+#.Q)+D09&OIMJ=4ZM/. M<]PB)Q3X=A=!B/O#TJE>(ZN+6]<\RL4]7HM);Y^7Q7VWY=]OPC->.>*?Z.-* MO;6Q^R@\<\4_T<:5>VMC]E"HD:8\:+%MD;3$'2IK'.OZ?:(0\+KF$1X^+5F5V< M."\@B(NG))%5NZP1%RE'3TVC2I:74/$:23]6.&<8F1V3:LLP?12PH8!H*NQQ MG+K6/6H)!%RJD-%6'X4I)[\J5GT4\K:DM$X@G#Q.4:7\:&>Y#2Y!F=;I-(50 M9!"NJZ)%S"V9AQ6X[Y..>*?Z.-*O;6Q^R@\<\4_P!'&E7MK8_90>.>*?Z. M-*O;6Q^R@\<\4_T<:5>VMC]E!XYXI_HXTJ]M;'[*#QSQ3_1QI5[:V/V4'CGB MG^CC2KVUL?LH/'/%/]'&E7MK8_90>.>*?Z.-*O;6Q^R@\<\4_P!'&E7MK8_9 M0>.>*?Z.-*O;6Q^R@\<\4_T<:5>VMC]E"%:TX?Q2ZOZ69)IHK#M*ZPL@AG$. M667V+O1\XCYN3Q87-\7T;D.EY/>*3YJ:5^UMC]F!Y/>*3YJ:5^UMC]F!Y/>* M3YJ:5^UMC]F!Y/>*3YJ:5^UMC]F!Y/>*3YJ:5^UMC]F!Y/>*3YJ:5^UMC]F! MY/>*3YJ:5^UMC]F!Y/>*3YJ:5^UMC]F!Y/>*3YJ:5^UMC]F!Y/>*3YJ:5^UM MC]F!Y/>*3YJ:5^UMC]F!Y/>*3YJ:5^UMC]F!Y/>*3YJ:5^UMC]F!Y/>*3YJ: M5^UMC]F!Y/>*3YJ:5^UMC]F!Y/>*3YJ:5^UMC]F!Y/>*3YJ:5^UMC]F!Y/>* M3YJ:5^UMC]F!Y/>*3YJ:5^UMC]F!Y/>*3YJ:5^UMC]F!Y/>*3YJ:5^UMC]F# MGQ?2#7:9JG@N69Q7X'75&)6,RQ>\4WLR9)>4[6RXB4)0["921B\[%,:+%;W*\LSJ:_!QZ@IDLE(F+9;)Q]9N/N-M-MMH-)J4I7;F+MMN M9033?BVRK47$,OS"NX>(U+ M-'9I6Q'ML(!A'%:_I[J9KM&U%M,ARA3&HM?B^&8U7DA^:^X^P1^#Q&EK0@DE MW6M2E)21),S/ZX\2$S1-J1;KT0SW*\&2(3CTD*YH>*;4C1C6+4G2G6W*JK4JGP;3]>?G?8[3MP)K M*&G4H<@OQR>4SU32KG1YZ>VQGV5YLQC\>^G\K`F=0V],]0DP+VU@TF'QG*I" M)>5RY*5&DH+:G")3:309*=6I*?09&>Z2/N,\=FEM?@F?Y7G6,97B=SIG(AP\ MAQ:PAM+M$/2S(H9,I;<4V\EXU%R*)9%V,UXB_F-XS8VL-=DJ$EM2VCC1VE*:>)?(M)JZZ>19$E1%ON6=Q#C` MBUSK1=8IE]:5UGH!JK'N<`99L[ZM7`ADY"J76R<3-<7X1TTER*+X+F-SAF/9]5U4'.JZ@:SMAAENKFN-RTHDLH43AN]-1&:26ILD*,C3N1[$= MJ<2/%[%QEK5/2O3C"LWR#(L.Q*3-N[R@C,JC8T_(AN+B+=6MU*S66Q.GTTJ- M*2,^YI42<'AO&O5Z;:-:'U6>X_F^<9UJ)A#%M";I8*)DFSEH::ZC9ESI5U%& MX:]^7E)*%F9EML<;2K=TF4KY"(]]S(R+)Y'QCXY$U+GZ8Z?:79OJ)-HZR#<74C&V(JVX468@ MG(ZDI>?;6^:FU)7LVD]B47@MR4K=)&1PO1K6RPI=+\YUHR'BAHMY]U$1;JSNG/&QAVH&?89A,S37.L M48U(K7K/#K>^A,,Q;E#31.N)02'EK0KIJ)2>=)Y;68_>IQJ[RFKAQSJZ^QW23C:E./)<6EHU%U5I09(+OW(R,\+& MXZ].Y62,-MX/F'O'E91[S&,[\&8\3N6_/TR;+X7K]$W"Y"?Z?)S>O;N-E``` M```:;\;&ONI6F.M>C^F^)ZUT6EM!FK%PNYR&XJHLV/$.,VVME2BD*01$I1FW M\=/=PO3L1',H/$W1:*8YIQ%UCU/\H%;GTF8S&U,JZR)"HB=1SN-,NI:?7TS- M*>1"D\Y+4E1F9;*VK'4KW0S-(S6BN1Z9:$Y4[CVIUR37^5(#!R["%U30EJ$E M$LDHD.$DUHZOFFA:%;EN+0U'XXL5P#(KK&86E&=Y/+PRCC9#FWBB-%46,Q7F MB=),@W'DDMU+>ZS0WS$24F>Y['M]9GQSZ?8_EN/X3A^!9KGEIEN%LYS1IQZ" MTXB7`=6M*24;CB#:426UK4:R(B(B3N:S)!XM?NA&F%A@FF.5X7@^7Y-;ZM.3 MFPS M(LGDY`51CQOL0XI.1V6R>3;L$XHUIV,C:-LU;DHS/LH<)FZ M]/(^1>]5[4%,%KQ*BPYN4^_4ZILD?;J\FWX#[#M:H2KFG%PZRW=>C5LR*\EQ<1QQ;23+D2V2.J1;+ZJ MC(DD6P_:_@6UB9RS1B9*?HSJ8*JRUU(2F6?-)L8=I-LR)M/+\,E3]@XDS/;L MDO4,CDG!9K+'U:SOB&P*121,^@Y^SD^%F_,,H\^M,+2;/-?N'B5IMB<*%'MKF?42)D>7+)+;3+,MF0\GJ$1DHRZ6Q; M%W,A3FKON?UM>>7_`"3#\IC3YVJ5<;5!32FC89JI+TF-)FJ4]S*YB>?B-K[( M3MMWW/N,-K9PF\06IF97C=ICF,9A39-@L''*>1<9+(C,85/3%Z87.E1-DHS[;&>W?;<0W!N#G6/'^'7APTRL&J7QUI?JG&R^^)$[F:*O1.F/ M*-I7+YZ^20WYNQ=]RW["ZN-O0G)^(C22KP#%XM?)6WE-79SF9S_2;\*NG])P\:E:6:`Z<8UC%EF./3*ULXS"8Y2'ULJ0UUGMC M6I)&KMS&>VY[>DQ"]2^&O4^=H]H`_@K=(_G>ASE--\5392F85EX/#0Q*C)?2 MD^F9FCS'#29=NY%OVJ76#1+)W-.]?]7N(F=@^#7VM/B.@I*Z7-D3JRD5%)+< M5GX4A)DI#;R%*Y5%RKW(S(]B(5O%X(M4Z;:KP^"M&CF#(K_?XC`X M6+-JJI)[=S2GY12T'@,S'2;(-"\YTIU%R;(K33BT M8B6=;D5XE<"-3R(YM6*8"":+IF?;E;,]C(RW/=.XA+O"#Q3UFAQ\*U-C>%R, M2Q[-F\BJ\F>OG$R9T#P_PA+!Q29^#>3SJ4I:E\OF\B25N2Q8V?\`#YQ%8_J9 MKTK2?',3O<9U]IF([T^VN5PWJ&4W"=BN&;26EG(2LG5*02321&:=S(B/?*:: M\+^IN+9]PRY);LU)Q-)\$G8]?&W+YEIF.Q$-(Z)924I4@B/S=QMMJG(U>K<,3(TM8'>&C-\XHL:QC#-)<-:F5$V!;+FR[MZ75 ML-1U*94TCPBFE7$CPZ9_EF$8EA^(9 M-IUF6=2LM3?S+UR)-K(TM3?A$=<8F5]9U)(V;42B29]U&1*V15.EW`AD^G^1 MIP#)]$<2S7%XV5*MX67RLZLX:V:\Y'62A56VDT+E-EORJ(R0:MMS,MU'Z$`` M````U)XO=`]7-1=;](=6M-L'Q++HF`LW";"GR.<4>/*5*:0VV1D;;A*).RE^ MCL:4_C+%:K\/FN?$YB>":.:C85B>G6`19DJRREC&[,I"C4TEPH,>*GI()*>= M740\.G%C9:.Z'^'U>*7.>Z$Y8Q)9C':FQ&OJJ.E*&%D[R?`N M\B&T*)1?J5+W,S))X/4;@VU=M-:,IU?D:*X;G[&I]16G;4DO-IU4C'[1J,EE M\NJP2?#(RCYC[IYC(]B)&VZ[=QKA)W"=2**CHJG#<:TB+"50H=@Z]X- M/\)==Z;/5+J+9(G"(EK,E&7I(C%047!WJSCG"CIYHCF?#SI]J@_0/7+TYJ3E M;U7,KWY,M;K#L*6VUYJ>16[A$$_X/X%T]SD\Q%YW/R?J=]O.%GY;PGZJV^3<6UG7MU/@ MVLM!4UN+\\TR4;L>"MASK^;\&7.HMC[[EW&R^AF(6^GVB>GV!9`3)6F-8K4U M$XF5\[?A$>(TTYRJV+F3S(/8]NY"<````````````PF5X/A>>0$56<8A29%" M;7U$1K:O:EM)7MMS$AU*B(_P[#M4&.8]BE6U28M0UU/7,;]*'7Q41V$;]SY4 M((DEO^`AD0``````'3MZ:HR"MD4U]50[*OEHZ;J*QF&EPR]!J)I*2,^Y^D2````````'5M*NL MO*V5375=%L*^TCI-@)Q3:LNPRJY%TCC22ALGB M&3(^(F)\L):%ND5SUUC=^OR>1A-+5^O&FA3H'N*/>+\WYU_)&DO3QM,GNB-6 M[?X+\Y!-()9B1!(M*":3')5LK,V4BV$KE-BDDH@YF2R>0C0^)>J(/5:9//!R M:8BS->*%7#+.,@DS/$,EXZ>C,SIM]L"9Q;``WSGH+@#!AMD16R`G`2]'.4($ M=.^,*YF2*`F@1V=R3!2*"=97^&)R$`K)E"(*GQ!2S"I]B8#'=JH)R`",E8(/ M)E8*H!9M(0YB`OR4:"(4.$9EG+/Q$BL-1,T%X:=B;/'$R%U">B!VX-EGH?!6 M^S")D@Q<(H^!D`C0P2D$6EV\JAZX:BY('&_7<]IN1;>58[$3)E^_O5S7S>-> M#N9A2Y>[#42]`^G7UJ;X^F]&7`+J!@G2F^4+0UJ&/86Y/IX7W= M"T+3`JEO3="CCSL:G4PVFXO5DKHUC6XCK;OE0P_@7-/6K$^)FETVIW_7+8?= MGAU@DYZR01?]%SHO^#W$)S_CXXKIS83_&9=]GY5'[_/5,T;'VH3.D6VQX=]) MABMO0F!47*P3!J6$D@I0G-/UGLWQGT$Q6^WSZHJE'SF"Q'E%BZ74TF=4*SJX MZEC%OSY@]Z>`=0`&>0H8;$\=@'5"S%42?=!@@K@><,^N`D:#VGX-4M M>K5.1$RBVCD1@S"A9IV.;4QV*4[KI*AR1\YBX!=,64PHEQMR'(W4&Z!@M&?] M!3'.FOCNA1.M`85#U!Q2&5S9.5BH0QVOB!7#%[$Z!E3D7D=CW[=ZENSC,8ZC M!M%?B+J4%'2$5K;C13.Z'-IAY3&^;-KI_-O\9C+]TDYN9]]NW]!L^F7P=C#^ MWN#^[%T@21;V*5B4+NN<[)WPSLG1R8=J`ID\R(8X-5PZN)-P*X^G37NV6?WL M-ELUMU-#@:44?8[0P]U2G4^;\_9J,N#0WO^@3Y/9DDY6`[;MS=5J(+:=+.AH M$-KI5(47ZS6=W4XZ70^^CC\^8W;>#H8^>M^^^[51C>5Z=K-4M7=C]/1O'KJU M#`IE;F1S=')E86T*96YD;V)J"C4@,"!O8FH*("`@.#(W"F5N9&]B:@HS(#`@ M;V)J"CP\"B`@("]%>'1'4W1A=&4@/#P*("`@("`@+V$P(#P\("]#02`Q("]C M82`Q(#X^"B`@(#X^"B`@("]0871T97)N(#P\("]P-B`V(#`@4B`O<#<@-R`P M(%(@+W`X(#@@,"!2(#X^"B`@("]&;VYT(#P\"B`@("`@("]F+3`M,"`Y(#`@ M4@H@("`@("`O9BTQ+3`@,3`@,"!2"B`@("`@("]F+3(M,"`Q,2`P(%(*("`@ M("`@+V8M,RTP(#$R(#`@4@H@("`^/@H^/@IE;F1O8FH*,B`P(&]B:@H\/"`O M5'EP92`O4&%G92`E(#$*("`@+U!A0H@("`@("`O22!T7!E(#$*("`@+T)" M;W@@6R`P(#`@-C`P(#$P,"!="B`@("]84W1E<"`V,#`*("`@+UE3=&5P(#$P M,`H@("`O5&EL:6YG5'EP92`Q"B`@("]086EN=%1Y<&4@,0H@("`O36%T#$S($1O(`H*96YD"!;(#`@,"`V,#`@,3`P(%T*("`@+UA3 M=&5P(#8P,`H@("`O65-T97`@,3`P"B`@("]4:6QI;F=4>7!E(#$*("`@+U!A M:6YT5'EP92`Q"B`@("]-871R:7@@6R`P+C`P,C(U("TP+C`P-#4@,"XT-2`P M+C,@,"`R,C(N-#4P,#$R(%T*("`@+U)E#$U(#$U(#`@4B`^/B`^/@H^/@IS=')E86T*("]X,34@1&\@"@IE;F1S M=')E86T*96YD;V)J"C$V(#`@;V)J"B`@(#$P"F5N9&]B:@HX(#`@;V)J"CP\ M("],96YG=&@@,3@@,"!2"B`@("]0871T97)N5'EP92`Q"B`@("]"0F]X(%L@ M,"`P(#8P,"`Q,#`@70H@("`O6%-T97`@-C`P"B`@("]94W1E<"`Q,#`*("`@ M+U1I;&EN9U1Y<&4@,0H@("`O4&%I;G14>7!E(#$*("`@+TUA=')I>"!;(#`N M,#`R,C4@+3`N,#`T-2`P+C0U(#`N,R`P(#(R,BXT-3`P,3(@70H@("`O4F5S M;W5R8V5S(#P\("]83V)J96-T(#P\("]X,3<@,3<@,"!2(#X^(#X^"CX^"G-T M7!E("]83V)J96-T"B`@("]3=6)T>7!E M("]&;W)M"B`@("]"0F]X(%L@,"`P(#8P,"`Q,#`@70H@("`O4F5S;W5R8V5S M(#$Y(#`@4@H^/@IS=')E86T*>)PKY#)0`,&B=`7]1`.%]&(@7]?40,'0P$#! M"(B+4A72N`*Y`*A6"%`*96YD7!E("]83V)J96-T"B`@("]3=6)T>7!E("]&;W)M"B`@("]"0F]X(%L@ M,"`P(#8P,"`Q,#`@70H@("`O4F5S;W5R8V5S(#(Q(#`@4@H^/@IS=')E86T* M>)PKY#)0`,&B=`7]1`.%]&(@7]?40,'0P$#!"(B+4A72N`*Y`*A6"%`*96YD M7!E("]83V)J96-T"B`@ M("]3=6)T>7!E("]&;W)M"B`@("]"0F]X(%L@,"`P(#8P,"`Q,#`@70H@("`O M4F5S;W5R8V5S(#(S(#`@4@H^/@IS=')E86T*>)PKY#)0`,&B=`7]1`.%]&(@ M7]?40,'0P$#!"(B+4A72N`*Y`*A6"%`*96YDJ&-U.U#U69;5'6=-$U5-#7IUNU3OU3+^D>JU()W M[K.AZ:15^[!/N_;]<\X]]_S.OW??`P(`I7`)9*`S\^F%V]:?7@:PK`!(IV:6 M%ZEET_)W`.O;*'7_V85S\Y4O-S^/].>XGSUWX;MG$\N;S^'>"P#R6[/9=.;N M9UN/`^S+(*]M%AGR+W)32%]%NFYV?G'%MR)?0_HUI",7'II)`WCO(/TQTNWS MZ94%Z7'D1X!"SASEZ6X]',X``%H@H,`5?X>L2MO98Z=;#F].#AI5<-3 M\>Z6P^%OV&L;&FKMM8'`SNM2RTX1N;G320QME+GG3O:,W=^FM=][8/S1\4R&'5J[^5CX89>W MUK7]R5+WT,CACN/#B$/@"((=0!P'@".O,^QDBC^OG_GG_,K6JJ;M7-/\=/5$ MG]3C1069L-=%,%GB/.3:)3UW%;,,12XE*NG;US(9D23TH2EW5SI(;F`5.%'4 MC*1I>4W!Y$B`-)]_^LJ?KUSY9CPUN38Y26YLI*?7UZ=GUC+'.]I'1A9&]O1T MH1X*08##^1A$T&\S#H>1K/9BHG9C5!\MQ*0UW+1V(=1UNG&VS%7KFW@P-6?3 MM*7AR:'S9+*WI754I8GOQ+.E-8=JO-6TU'=BX,U,3. MO"^M`!+UD4(M[)=Z2*NMGQ=,7^#RUP%B3]BQCM@B>Q9KRW&)^9^ M:,PF!CL51?NEIMDPK^2O":TO,:Y]G?P@'.I\))U:;7_.Y0UGR'77R[/Q>< MGH_]%WFM$?6SFU*LG4+IR"X6E0[L99;1K=6-Y8Q([0=AGW/G1:EL;@[S^U1N MFIR!-=B'D6^5"R&__>@3YC_U;I7V&WBD>N(Y[@7L6JO>G:Q4_'&QGCC MK@527=U]OKIZGS=?E;*H3"@'BW0"9Q_8D+,?O@\Y,D[29(5\CUR6;DIW:("V MT$[Z@N+/Y<2]`,^0!)G"_8N%?0?N=^SM_^=&$.,.^0FY2GZ&OV<*OYOX>X.\ M8=Z#7VY6*#/G?5^IM?PK=__[AL\F%!7LW&TEYBB9HP6*_T=(__>-7)>.0@9. M8^^!LS`-I^`H3$`'3,%Q",,X/`"C,,]!Y>`8YDUC.A]:3G)@O6YN#>H]29-W M,4G?YL1QT!WB1*7O\/)@B$OJ<$+O9TDEQ&5USDUY;$Q7>"P9XA95'%68LJJ_ MZ_E#TH-R^K;G@Z2'*;PHJ/.!Y:2YD4RBOB*U(G4JQ*WJII]L(#K=2*4\'%!- ML;I99[)B>ZP2MUW#'J;X$,1+3-#+\B@UF MP!R%\(0NQH3.IM%ZIGEP(DS#R,<2^A;>0GTSVA:A!"=.9_C7LK6[6"Z5(Q?C M@D/(+$?\7^WXVYN.Z=R9RNY/X#[Y?<'^S5^2_Q#S[W]W^^'M:_CV>4^F*%N" MSWO^!L!1IKEVO`#P?;U]0WKOGILAWRHD'9S8%>Q'L*,D-.4[*2G0@O]48;TD MUH6S/\;^*8*@?G)26(@2^`4@I;#_$9'=V&.%OB&^[TST"K@+W?`(WHW"2DF\ M24RCBD!^A>0>X^0)&.8E8_HF(3]*;@Z(JN,V?*"<"5Q<2GJQ.E(Z<)GV_!.K#T!AJ"26$LH>^O8.L%D3#S`_F.^;#$-S MZI][[Q(T[W'1`R:PSIN(ZW*.&F'$R7G6"C!.I\NI['I6@35D'K8UX=Q[NS`I MH?F@Y)KB!KLGLXQXPP"@>8L&H_,3[+Y.0[T:SB'\X(P^`6==!P8ME7M1X57- M"$TQ[WM#>9>V/=G^%)];0!#EW-:6]&)P#4IC5'Y")CGO0%K;,?3F7XZ>4BRC MU=\J,GFX(RGG%(AU94U\;PM3H/O*A\)MY998/!:FP.0#+TR!-,>J.69-K2ER M35$U(FM$U8BLN1T+4\@-7SK+K><97V>BSS'2.,I'E#GD"3B/U[\*2\BNLGX! M#S"*7@IE;F1S=')E86T*96YD;V)J"C(X(#`@;V)J"B`@(#(X,@IE;F1O8FH* M,CD@,"!O8FH*/#P@+U1Y<&4@+T9O;G1$97-C2`H1G)E94UO M;F\I"B`@("]&;&%G)SM6&UL6]=Y/N?<>TF*U`>_ M98NQ<\E+TK9X*?5A6;%.6-/-*;DV:LN)X=J,D3NLM3>*B;1H( MK5'$R=*U;A=TP?8G*`YMITB+H6N!K<\[S?IVK8\898WYVF2E,KU^H+;_YG]]^GC'OOS,F MYNN?O:AW>0X.`%`&ZN=+RP]>>#OZJUN,!=)X7GSP_)\MW5@.7L;8*YASZ.R9 MVJ+V5[]I,!;_.^B&SD+AT5@8?:S'TF3H:062H9$/!;U>/$8J>S@X-#0X$#62'F=WL!0(1QOCD`6 M]ZZ>Y"^O7N7##Q7RN[O\_J[!;(^QI=NG!3KVI3S1:%<7GM7O:I<&?G]+"W[P MZV)A<*\W'^CH",PJR1W)=$#I\$>BJZ]&NX*Q6+`KRL3:N_#=C+@)AGXV^VH; M5P4_/"5WEBO%F,95QO"<9D+84PKG?)X_D"AN84(5CZ++^&,.1)U#H[)Y2.RH M7>SP^7Q^GS\4"@4]_DVYC.$U(H6($1#\Z[_<]I?_=..-:];T]+>^)6Y^\`#W M\0.K/X&W!)O$SS[P\",""RZ!'D^30)TIBEC0.-%@318Z<_<73%&%4G>@Z@D/ M$5D@(L?L8B000.##@5"P$\NVA=)>?SS'''\:,2-4",/5D`K\;UYX_O/'KOZB M./K,04O<7'[XXN/_*FZNOKS7>OQWX,:)&WL+W!26=YD%P`)4&&P&E2`@C,]! MQVR"'[%OAH(">Q6PR5M7KV*FLP;_+:0`FW77V`*E4+A`4C'-9IJ&!15%M9FJ MSJN.@1JF:*S6PBFJJLPU,8IZQ"ZVA4*NEWMR'';$C%@RAJ3BO_C]FV_R]M4: M_[:8O'GN[\]C6[)C[3URM`B#PX%B6\"G"96UHMV!+<3)*=C@&A5!'_`Y4C,; M:@&[OA\.AX,J@IHTMB&JVPK=PP6O8']]IG[M>]=>FIG^Q@L_^QGO?E_*_W#\ MIJ[=XE\4+[(XFRL&XESC_'![0(A#[H[=*C)*V.Z^L)_BAES#WCW085`3O$9. MT$XT1S6*:IL1BH0B*3(ZX_$8V>Q@R!@L#`['"EXC%(T7=@_S+VZ93!^?/7;L MRI]WGN])W*-OCL;X29O[%B^&OKRX^GXV%6%.SF77;@F/2+$8NX=5BWX?K&SC M@HO#ZQ%:CP`SG(<*N^.Q;0-&RN,M"(^R^JJW.)P:,?;9RT\^<]^%J4>>^MHI ML]_S$Q[('QJ);RH?^HO+TU\X?.7I[5\Z.`G?CL,``>YA=K'H#W*N!%`/Q#P( MYA%P4!9PSBC*R2G1#&G3ZXQT&%<7J&H76\-%G%.<*53+%#I.1<=LC"H(/*H: M'@NS4"AB1*BJ448A(T0GE<<+H=`]5.`WCU[9LF7KKNXK3P2L4R(U-[7Z%#^7 M,S*9U>=$V)IQ6S1>[X'`E#C-8##Y3FFZ/`Z0W0P>K%9P'`O@3S4'!X>AV3,JR3-HT-']WCG5[B5DL&H]WQZG@R>7;ALG] M.%VSV[*N__E2><@Z:&1#.W?.'M]_MFA]9MNX-;5]9[B_4#XR<.J`2!6G>WOB MP7BTL_N(-7ATQX[TT8%[$[%-L<[X]$C^T(ZU-3:$C?]%,5B*$06%=5`%-7,K M!3L[V&8VW72]!IOX`J6]8]F&A*=LYXK@"DS#[!/-44$)'^[L9*QS<^>F:!BK MM6<\_IA[BK7RR$.6NK89_-HS^Q\[^KFO['_LV-`@?08&1>J%+\T^/>[\G)N; MGY^CA[DYQ-[`>7#;N7;RDYUK;URY@IE\;5`\N?8;V!]@0V[ND1OX`@*$#,(B M84$.X2=(029Q,LD/3(#YTPI,$1M><,=V[C:[ZC=J'Q[?<^P^@WKD[;N-JBK$!QR0S=-TXGDDG);,DL8_0Z MLM*JEO*2FU*O+N6E,/5%7?ZX+-7L_/7MW&^-U<>.+U221C*Q4M%EN5Q)RJ*= MT.4>DO;8MMYP0;5%N1VJ9D^7_33>3\@?ERLZ2*S4=.DO5ZK0Z#3F)VF(I*%J MHFK;=D+RG&T;DI4K9VP[+Q53QSIJI@9"FE6N2,TH28]1`GU;\FI>JJ8!7OIB M0SM=TFG$W9Q^I58=JTNE-PF]I:_H*UB[T:]E8-9TI5I.U([;%QO]1Z\])KZD0R8-5?PU_- M.JT@BU6;(-51AZ3/O.X-,&NLU)ML.;O-O-WY?G<5G@,%"Q97];$5HT:!<#S% M$N1-J2=`M`+R^[L$S0<8D.#]2QK^RT MJOI*59>=<%I>!LVIV4I#71RUT[+CC'$I+T/FU'1E:L95)I+01QQ]V&RP+FNN MTNCJLB2OE617CI(4J5MJM--/!WXDCR,22J9<:9#S8&UI!>&E;7N3!J:MRPEW MG*8@]TECPY()\)^`]O90W26`N"A&#'C+DNS^ZWB9.;&*F*S!Q-AL1789)7U, M!I"4?@/Y5M*KV/[58)#C/54JK50;84]./IY+I."F*&R+Y/(R9C8XM7'XF=IN MLZ%0N\ELJ-1N-AL:M3UFPT-MPFQXJ;W';/BHW6(VVJC=8>I]DG\J+WL=X9&\ MS#G"HWFYU62R(_='<+P7'+=B;1T!(K6GJ(TZJY4UL&ZSJ%N)3M9QPH'Q,RK<^4^9S,H]*VHDDGM#O$@FC MML>@8^P/(I!*>=G?"@^/RYV]#8W'QBHXALC`71L]\_'AW:8^Z/`M`,?'/KX) M*NR.FY.>Q9T;%QN]W]C3V,UCL&@`]H/PG?DBL6M[\G+0[.L>RP;&.8Q$5/<1Y+(K]]^"4B:-`\,^!R#8K M=V:ES]#UD16L==^'PWJ?NX94L290NJQ2O1>G*S>$KNB)&R*K]-@E.@-].$T- M!VV,H_JLCY92E"/E>\H$.C99M M^L`8@6OV.6KI0_'H^K@Q09M1M$8FBJ]'K^J(GKH;S?-/0^\MHX#N81NZ_1QZ,H MP`,M=7FCNG@[^HZ8@Z;AR)QEQO%H8$S_(](Q8G_J^PC^G2^C!@X0C;$.VDW.8Z1,];M'R?[DT;3 M`4T[6B9/P.286YQXNZ,.(WUR`+5XZ"[Z29RY/!J1@Y`/FW(8S11Y;0Q^UHHZ\']*#CG0`TEDGG]`IHO.0*?>U MT.>HXZ#_U)$(?=Z1"'K!E",MZ&>HXT`?=B2"+CL201\QY?X6]%'J.-#''(F@ M%QV)H(^;-]I4L?['4RDG?6>DDBY?6G^GY-T;GYI(O;9U?-^IKI%WF*+\EMX1 M/X^6/^NT\8+Z06#U.UI9?8[1O4XT[XCN[^+I['55>`N&3V#>*YVT\_\68!SK/V_3_YPZ+3OZ/+,)..FS3 M;(!]#KIK@1<9_1<2+A^O'\#WV7&5>+S];QAR<@N%K8Q7;;-^8K>#/:9E5K[WV- MKWU9JE_#RW2TH2V.PH3_!G+Y6?P*96YD)Q=D<]N@S`,QN]Y M"A^[0P6TP%8I0IJZ"X?]T=@>`!*'1AHA"N'`V\])4"?M0/R+_7V68[)K^](: M[2'[<+/HT(/21CI> M=>A9J\1IR'V:,&[8ZWT/8G6.5A"7']\>7JT-WO^/G6UPQ>\7?7"'&0IE;F1S M=')E86T*96YD;V)J"C,S(#`@;V)J"B`@(#(W-PIE;F1O8FH*,S0@,"!O8FH* M/#P@+U1Y<&4@+T9O;G1$97-C7!E"B`@("]"87-E1F]N="`O64M85DY4*T9I^U$U+:@H3XM]S:[]=SSWG>][SG7-\RSACS ML,>9QF3I;BW=]:WO_;W_P.L1<9TU8O+17+^B__?@]C3>_#-W`)#N<>C,X"&(]U M7+I\9+:ZM\KN&?L.%CP7V<.]LCF\^*@8R_8NEB4'6$-*4]W9Z-;=PCFZ(GQB#^B^R-^$6H..EWX M&.V=_?T#`_U]G4:[R[;Z!GJ;0K4(='%PON'77%O0X-W5HMT13J\6H,G$-Q\ M)>AK;&YN]`499VU;G_!_BS=8%TND8JTMF@`Y/HD$M'D'U[3B%!."SS/.%SG* M"-CACGA4][3$6*C%U0FFSN9@*-1R0(`F>!X:#(5ZCU(.G8$\D[%P=+)\0;A[J&#^X_VG.@JST0 M3$R/)!?ZK..&<2+9'N]HDG-G^F82X%H'KBOB!ZR9N#9SG?-)KT>(4P[.N;`T M+L3"%--U-@^BB^RTX0_X`Q&G9V\L:E?0;_3W]@\V][H,?Q`D!_E*7SHSM;"P M\*CG@?WMD6AKQYD)/C+^L/>)\8M*J0)MPIYAV:L`EQ/L=/AU,A9EO;A2W7`E:J'CX?V^,/ M&'994544U>4W_+TM5+U"J[\U="3I7[BEKOE4CP@[YYRG3F_^2?CN.IX$OSG4 MY`/A8TTL^VJC$)K@DS42CFH]-(TM<.R;.48D:DZ8%.$+U86U?M5D!(Q&W=,6 MBQB'G-5J]5:KY._E']SB.G!V*'MVH3-V9G!AYDA\]@S_]N;3`_%YOD8U.@8. M;Z%&;:PO=41PIOE`@S5RP;7)JQ,6\ZC"HJ!.:F.M'1W7=!)Z9["EUN](_NS9 M#G-?OTR-CYT\V">[3UEW/3)T<5R$PP>&@X'E/:P[[`M?HX7^1I_C/]0O"W>DYVR1P[+%R/M6UNT=]ES?(87 M$'^T%@\@?FPG?N,_CCG>X\_RG_"?X7JN=KV-ZQW^SI?>^4W^\:^(ZU\:U?#! M@?2-L?G__BOBFF`3H@^%_<7FO\3(UJ.N3JG45YB/AV_;;J(]N@/O'U:-I];MP3#%3*G8^G[6DG'J-[9F>4LYS MB`\AW\KE)4BL%Z7RY/(%>"3%/*0-D#90"!:4;:>4TTJ!O*5Z(*X=I@)LO&$AFCJ71RA,2=5FCBO=5*Y,;`-;R2Z- M$Z:1-E!B(UU48G%9\1+F5WIW7+E,222]F=)K#K8H:025*E@$*8S:)-WFALO+ M,MET=V2GV'7FU<7W5$?A,5#((.."S*X;15H(NU(L3-54,@R2VRR5%C6*H]4I MO#>X777@+A;^/+7=-]6;=D(;7H^6S4?"1L3JCL15@UD1(JO*Q=&XVF,"**6J MSTS2[5",M*4:R)J!U0`KKGP8IM$NB40%2IA7[ M4^GT>J'2Y(RI!V/A=I0IB-P"L;AJ-BN<9`AU)MEB5C22K6;%0;+-K.@D]YH5 M)\FP67&1W&=6W"3WFY4ZDEVF3"A^>UQUV\I]<16SE?OCZH#)5$/L:W`\"(X' M,+8$1Y(1<"39#HXD#7`DV0&.)*/@2+(3'$D>`D>2A\&1I&G*I-UJ<1/3-A9D M!NM3R-C+@>UC4K\E3!6/J3AVTDUHXG%Y@Y4PBD,&'6-?BD`KQ57/SO+PD+JI MNZ+SYFP>QQ`E>&1W9:X-'S5EO\VW%SB>O782[+#K3DY^%GK9?FB,CAA#E:.\ M&1GU(7\0OCY?-'9Q**[ZS41+,JX&O@J*)BP!/H@E8:&H3,AQVKPHY<3Z^K@Q MCMV>Q[&.8Q$[>H#SYB#F'\(I$\(&P3\;HNHRL:7UA"%EVHZ_Y*0F@R_)#JUO5::SD`W3E/#1AMCV'V9+VZE`IU#U<->9`IE M0VF98AEAD2F&H1?H#/KB/450PL%LC&$-#RE'3$,FJ&IC.)B35J*2X$%LP!,[[MQN=^IJ]'4Q)TTU%+ON MH&E3'8NM8V)J%K"]%H-E2:@$H)F=#MNN+C67@59/8)-4AQO%H8$S_&NTXO@W MU7U$G\Z7I($C9-=Z1ZP:QRP58SO_,3"@^J%/FFH08HJJED5=Y1@>9=MU.FU2.ZHIJ&?,#9PS4,Y" MX:3<8FYPVY.#8GNF"9.%,D,84LX1AI19PI!RGC`GH=Q*&%)N(PPI><*08A$F M`V6.,*3,$X:4!<*0@=Y/A@U]P-8(>L76"/J@^5*=0VS_>$K'E'M):1VY MM>UG2KSZ-N<(M[/2E94+ON2G>$W_D)X1[P9S#]DRU"L^"V[^7,\Y&CG#R\,[,_AAQ;^/ M)TGUP%JM,&?ZU7(NV8UWSVXR4O6WN3/N(RY#;W'H[IJKZ#SC'-:[M?W"=GG3 M;X:8G]4_7L><]-):!U]C^DV6VKELG\9&*QW\R6GLQ2?S%:T\6NDDZ]?NQQEW MI)XLX8'D4*_P-[[*UP M"F5N9'-T_184PX6P=.[6@ MK4K7KMQJD8%Q$H_[FG`9G/%,".`?-%Q3W.%PUG[".P8`_"UJC-;-X!JDP M2C"!;("TW-#@@+3,U,R`Q,S8P(#$Q,#0@70H@ M("`O271A;&EC06YG;&4@,`H@("`O07-C96YT(#DS-0H@("`O1&5S8V5N="`M M,C8U"B`@("]#87!(96EG:'0@,3$P-`H@("`O4W1E;58@.#`*("`@+U-T96U( M(#@P"B`@("]&;VYT1FEL93(@,S4@,"!2"CX^"F5N9&]B:@HQ,2`P(&]B:@H\ M/"`O5'EP92`O1F]N=`H@("`O4W5B='EP92`O5')U951Y<&4*("`@+T)A)SM67UL6]=UO_<^/I(B)?&;E$1]/.J1 ME"P^4A^D1$EFG"=2E&11BBE9LDE+MDE)_D@=QTKBI.Z."Z^=N09C;T)__>2QXIKX M[9^^3DC+Q\`;.@D,O8&T$.*%]8C_Y.FSYY2_%O9!7X5^[J$SJT5"+EV'_C>A MOWRZ>&Z=GFBX`?W_@+ZT_NBQ];T/CC-"6IW0_Q[1D?/E-UB'K@70&DB`]),& MU=03M!I%'2.ZOA#UV7RBS6=C;I=3;X!;[@P.#@X-#<:"IM\MOT3C#T;#`Q:3R3(8;)';/$;1W+"[4^]T6BQPE]\0S\5^]3/1>O,G M:G1PU!`V-S28%P3?+I_?+#28',[RVTZ+U>6R6IR$$)ZX3(Z',2%=-M*[.L$0,AK4,84R_1/3Z0QDB MBL(2$80CPLSP\'!R>*PK%),=@5C09C:UA:A>=J,>H$B7WN6,1@?<5;6"@U&G MVQT=T+2NJ!D/XG,HZAZ*ZT"X,BBSYNCQ_MYH<51=.),H?]0\HD;X"_87=/=8?RT:,EJ9`,!W*YH-3PZV2 MU=_9[AM56F/VYKW1D0.]K$UZ,1[I&XX/K($]Y*T;]#^91%K!8RE5]5`FN"EE M[534Z04F$%$W32C1B52W"MIK.J]E]%04R1)X?87,M+6U!=K\`5GV=QM,S2&_ MVV,(!KOT-1]&*^[M&HH.N%SZ^*#3O;'1^?;5 MPW_QG<#@D\'`Z3;CHDX.=G<=VGM@J3VZJ_5@\-J'>\9.+0=[8$]*ZB'^_Y;9 MH/6I[28#H&1T6B*,P'H?L:O$0;K5@,TH"E2@ M8$V!")2LZZ@@Y#.LNJ;-[:K!A:0`Q!`O!D&NH/[HHKWNZ:>^SO2VC?@?G3_[ M)O7]_I*_;*4WDIU+A?(_L:OE5OKQUA9)P*X_$=I()\&,%(B+?*;A`+WH3?"Q MGD?[]OP2;[!YHTSIN11)BW.E"_24[W! M75WE%YAM8A$68&0.'H-@&Q,LUJ>&]50'('5D%?9EL"5C>=S]$)TQFZ%ZV54+-,(V5YC.5P3MB'>I M&EX53%[5K44$6GD)';E6''619K6_U,"K:3>Q6I+@%@"$N&0UZ0127 M,SJ`4PF6%H)]'-7#*-/KU[8'\ZH5$'>0]DZ;HQ.N.I.W%C)5N\1V1,Z`&XW$ MWIW9&.T(-VV,2O`X8TH8_?.?O?SN=SUV^S*[>G*4Z.EW&0Q1\TP>^,4%]L)(VLJHZ+51@3@?3@8>( M3IBVP@93%4MYM"B&_EH&LX>6^-P)*'M&&Z!,&S@L'3`(C:;*W=`=F& MN*A-[KKET@&/C0W%!X,84.A=9GJDKGEFH'@R5DS.Q#,QC[NO/;8[-L`^N>E- M!97?NSA_87*$UM\\ZI-_WMJZM+RR6(TON@4^=D'%CZI]1D!61QGXF(A@)I$4 MB4Y7K?*`2H.ZPF;L_H"_$S"UA(C!IYU?<<\M8&Y7E^;%*-T2RF\94L/R'GDP M]]!7+@U_:>^9W[APHG=0_!MJ[IE->IKV3KZ\,7=Q[_-/!WXK/8,Q9P$\WP<\ M`1)3^P&,X((\(TY,Q>F=Z04I6343<`/$[P_M3#"PA]M3.V.[XM70#W95CU9Z M=&Y@?"S88^^-'-B_<73L5)>:SH2BCO[8W$ST<())]V=";4WV)E>#9V9\7[Y; MGHIUMGN\+HM[WVYEHAMQVL#W5O8^V84XL3PT04$@GMMQ%C^'ZF_OZK!U%AX8.="'OIZ%=QT9;&LE7G)* M=3;`\=/FPA6&1&PTV4XW#%B*W7&J[82Y&U7Y;7;AO.J MPV8CQ.:UM;B=L(W%&=@NS_CNXS)4RIY]L')`N.#D?[_8?W1LH7]CW=`^UZ-& MHQUQ9P`\\.(S\Q>F1G_9R/YUK+N['+VVLMCE^[=XY1S%F/TKT*.Y9OM&`9X6 M"-O;8^16O`*WF33YY=ML7RF)E<"MVOK`_L"(=Z#]RWM&6GNED4QA9CV16,\P MJ5V:==K?7IZS.^?N2SVYL'!QLEH?R0_AO4,@#BAKFEVTM+99&6@-+P3X*@#C M(+LUQKZZ]5,XB\UDJ'*,X,%`E\#"=!7M:F=8$^A!9*`Y*=F75TT@8R8FOP#U MG.UX$EH-0GC4IO^CKA+0'>WNU9ISUM7S`?CAUXWVJ$,YAHMC'` M#0<`V,@(IL6SW$2L55GA?XWV_W]?@^L(.<*&P)Q_6/XE2VY]BNU.?H6#(]6Q M9^$JDB*6V[F:T+9#CG"B2)PL MYM)Y2UFN"QZZTDU-J?1J>GXIYY-]WLV:_$AY$:SN>E4D6HN,:[@57M2;P/Q_M0\KUL3@(0FT6)F[*Y`G`D'#,A-834 M4,%;R.?S7DY#^;S,239W+)\/T5A)7DA*.5#;')Q<+Z54N]/B`GY(VI4U8N]0G!D"MN5PAZRW.YW-R'D;5 M_3D8\J)2U9W#7%2X(16Z`@FGF48/73DI@XGE9)&SE>.`^3<`6N%O(H4AC70!J5*P8S2:63/;YM8]T[D?9A'O+=5V3JI7-(6NF$U".N?S MRKY\CR_,&Y028VF^5AP/\T8%!"6)UZ>F<3H0'PWPX-0-GA`"V5P)C0?:)C?!O;AM MCT^&:37:6QG'*1#[R,F#)I.`?Q*XM[OJ'@XL0;V5P5HI3O9<@<-,\Y5#(27" MT@LY;I&34IJ;(2A-,L1;4BK`]F];K11J=#*Y62C9]2'^>,C;"69R@FZ.4)B[ ME!+%U@UVQM:CE`1LFY22#MMFI21BVZ*4]-AZE9(!VU:E9,2V32G58;M+D2*< M'@[S'HUX),Q#&O%HF+$?@V,'8"Q'=:6`".V/L"(;2=@Q%8&C-CZ`2.V M`<"(;1`P8ML%&+'M!HS8*HJ4T$(MK,"VUH*4`O\44IH[('T4C+>(PL,A'H9, MZH4@GI3NX0FY."QC&?M""0BE,._;=@]U\]Z>DDA=Z1R4(52P?Z=E[AP>4*1! M#6\4Y&CZSDT@P^ZZ.?*)^RWMT!C?(P^7!J@+-(J!_@#X[G@AL(O#83ZH1#R) M,!_Z[T0A"%=!/`XN(>Z`%)$F,7G!E'LW-R?E2Q,W06PG-9*A`U:)D(1>1$G`V M(N(J4T(L-9/K`]#;N_/TK3CJ;A%<]8R,87Q?%4&JYIH"'L^?5['FRCV*+$70 M:A-0F!/Y2"E"G9"`]V^SLSO9ZNW2=Y494_APZ*Z+)A4^$MJ$C3%8`.V=,N"6 M"(^`:&H[PFK6Q>"2(=0CD"25Y<:A:$`-_S5"_??DJ MQC0:HZ;_!.KODZL&J.JQK?(DJ.RJ)"><[I"'C@B/02Y.W8._%VHN=3KX(-#3 M"H]#DT&KI<&NT@0<934[S2@8CCP#Y*QR!>H,$`\`09'8IURA&B<+A,:90YDT M$/,H@\1^E$%B`6606$29,2`.H`P2!U$&B1S*()%'F100AU`&B26406(999`X MC#(30!Q!&22.H@P2!91!HH@R22!64`:)591!8@UED#BF\-%M,Q_'#M\#U`F- MNA^HDUH\04>%SH,*W[TM_27L:-*G-`JE'](H%#VM\,2VZ,/8T43/:!2*KFL4 MBCZB\/NV11_%CB;ZF$:AZ%F-0M''E:MU.E9[>4J&N/$8%_S9<[4S)5SY2M-Y M.__]YW]VZ:@E\0LB"/^"9\2/G-DGM-8=%6XVE%\7L[H-@M]S3)NAS:N\V8MO MW6SX+"=FJ_Q;/S=[E9QGS<3".HG,/B3US`W?\+^">2TD0EM(@J7)+-M'YN@F MM%,D),Q#.[GU&3M(^E@W"='K,+>/V-@"F:4?0K\%_PU@:ZRZ_G/IB'%SOZ.W"250KF>HGHD]?6 MLHD>^`+OP8Y:?]"8,O8;9-&C$XU55E$_JQ\5>^"[2&.9D^^ZX5NZ?J,.OZY% M4@<\:_)=HFY?&D\@XR4_?6X.:L%SN9*P-EX*8N]/C1N$ZM3G5N'%%43@TR2O MUN>-:6/4$!";=6)]SSMTZVM<]SPF#9+WL.@>-["3,P'7Y1HTPHB7R:DL!S/I[;:+JYX' MKQ(J[O=UP[ES=E%-`\D'':Y;V.'AR2PC/BH`2-Z"P3"Y"SQ\G7M)]5?O?W!& MMT&JVA8,6K)[&?SK,",DL?C0&3J?MOU`97^*S]TCY'&?24MZ,;CZ06,8W`55 MDZ8M--:V"IWY=Y:=I&2T^GL(JJEJDJ8I!>),.".N)5_'_"CYD3A/(U-036$B M4R#-230G9A1&XE+T)>OK7#QSUEC16&;QJ=BGD!X*[J$J)%\PE\(E^QS%Y\C^ MPB5S+7?5?%0H\A-O?\CCXW>YSUM<0:,3Q<>-L>:J3P_O[^\5S5?Q^`256 MFJ,*96YD7!E("]&;VYT1&5S8W)I<'1O<@H@("`O1F]N=$YA;64@ M+U9(3T=)0RM&:7)A4V%N7!E"B`@("]"87-E1F]N="`O5DA/1TE#*T9I7!E("]086=EYU"````"7!(67,```PF M```,)@$V]."[````&71%6'13;V9T=V%R90!W=W)SMG7E\%%7RP+\Y@800Y490/$$4%5=6U/4`5([U7%==5UU% M5W^Z"PC>*%Y`%+Q`0%04$45`0%=T]/=4_/JU?UJNJ!HBB*HBB*HBB*HBB*HBB*HBB* MHBB*HBB*HBB*HBB*XAU2G!9`410_C8$;S?_O`"O,_UE`_Z#CM@+_!;XU[8.! M*X$UP'_L%U-1%$51DD\?H-R\Q@5M;V:VE0+;@?VF/1-(`\XR[3=K4%9%\02I M3@N@*(J?"Q$E]S5P`94]-6L1:[$%L`RX%#BW)@54%*^A2E!1W$$#H`&.'8K<`\\_]1MDNF*!Y&E:"BN(.S@6S@$_,"L0S#<2#0S?S_@\UR*8JB M*(KMO(#,ZW4$&@)[D>`7",P)[@5^!?:9]BQT3E!1$B+=:0$412$5.-_\_S:B MT%*`3L`AP!ZSSP=,`S8!7P(+:U9,1?$>J@05Q7FZ`"V!5<`"L^TXX%3$)3K= M;-L*#*IQZ11%413%1D8@UE_?H&WGF&US";A#(\W_J3M44:I)FM,"*(K"2:?>U@6B,EV`XU[39(GN$T<_[ZB5Z,HBB*HL1#&Z",\+5`[T=*H1426#T" M)"WB<<1E^IG9]B[P4-![WP*&!;7[(Z[6>T]Q*H.:HH2@14"2I* MS?$=,!!Q2>X#[JOB^`UQG+L1&FVJ*'&C2E!1:IY=P%=(8$N\!*/#O-_B-V2U^2S@ M6N#,H'WO`47`<'.N\Y&EF$!6GSC&G/^(!*]%411%4>*B`3`$<8=N![X%^@7M MKX>L`%$`O&:VC0.NKW">(X#/S7'/`'<#_PK:WQ&9$]P`?`J<;K:W!18AN8F# MDW%!BJ(HBJ(HBJ(HBJ(HBJ(HBJ(HBJ(HBJ(HBJ(HBJ(HBJ(HBJ(HBJ(HBJ(H MBJ(HBJ(HBJ(HBJ(HBJ(HBJ(HBJ(HBJ(HBJ(HBJ(HBJ(HBJ(H2C!_`V806'ZJ M%?"JV?90G.?Z([*DU0R@3W+$JT038++YC+0P^\\`1B?Q\]J9SSHZB>=,E,,0 MF8Z+:R>P%O@KLI"Q'10C,EX-7%EA7RHP`?@HB9]7"NPP?]U"+#+M M1;Z/:X&^9ELQ\`2R*/7:1(50):AXA71D]-\*&64W-:\F0'/@`&3$;8TF&YEV M?:`$*#?;BTP;I)/:'N&U$5%NNZJ0:QW15XMW@F5."Y`D&@!7(1;%2F!%T+Z= MB`58"IP=YWG7((L/MXNP/Q>Q/%L#2X%90)G9=P30"VB#/"-3@&U![_T3HIA+ M@8^!&\.-W)F`W]!%.A$.0SY7KXAO![J#/0`4I#!P("@?3.!8<`M%;8' MTQ-83@R#&%6"2FTB"S@&<>DP3P&6*-K`$&(HKL?&`_\!AP+/+='P'<;-KEYM@G$*52 M'S@EPF?\'>GX"X*V_9]Y_80\<_<"'9#GD0X!Y"%6L?Q!+^'+EO0RN\ M=S_BZKZ)\$JP*3`;>):`]:@HM8ZVP$7`_L16.NP_XI)J? M,1,856';-,0:L@R(-L@@Z^^FW1"X`7C8O+< MJK`M#7'/#D&NJ1BQ#$%^)V6(.QC$>IJ*6(L5SWMSA&L-1PLC7[#,`Y#!9K+X MDLKS>YN`VX/:MQ"XCQ9_-=N:1SAO>V2@5"5J"2IN(`,X$3@-<1<="_P"+$'< M36\`JW'7?$8P^X"?S6M^A7TK$,7=$9G[&85VM9\[\3 MZ@ZUB[:(^]-Z%MB+AO%P:=ZXL(GY%BWF.1"LQ! M/"!S@!RS+?@8ZQD$40YK$!=H,E@3]/]JQ"N2AEADR2;3G']1T+9P]VF/^1M) MA_V03*$4)=FD(B[%^X%YB&7R,N+>Z$CHC[NV$\[JR@'.0:[_/:03G8P$2=2$ M9>L%2_!<)&CB2L0->@7BMIN.6&.M$%?>,\#7YO]8@X&.,,=_B%A4)R'S?R"N MN5^0P5I3Q!6Z%_%*7(U8:(>;SWH,44BGFO>N0!3HX8A;?X'97W'N<2:A03%' MFN,N,G+<:#[G%D09763V+T!@]P]`+/!P M?44#Y#FX/$Z9%,56FB%!#*\BG?X4X!](!^9E8E$X:<#)B%)<@+B(AB,C>3N\ M-5Y0@B#S8E90TW;$'5J&S+U--=N#7QL(GXY0D95AWCO'[,L$7C2?4XY8HC>8 M?2V08`SK/>O-WRWF?<D%^)Z/B@.F13%%@Y&1H^?(0_M@\AHSDN6 M7E541^$<@,QY/(=8-ULC5F0D M,A"+J^*\8%O$:JPX,+H(L8J2C:4$HUG0SR'SE';0DO">D5[((.38".\;!3P: MZX?HG*"2;)H"ER"N(9#YO,N14;@2&SN1^_:&TX+4`DJ(+U>L+1)Y&(G;B"T% M8!?ATV/*@.^K>&]58?O[@/Y4=N>%BS8^"O$@-`+F`GE(]&DL7$O@=UH1'P&K M:Q(R71'.\CH0"52S@X((V]LAGI)(<\#-B)PZ48F4.(52E'!D`9*3$6LL-I"+I(>4@\)UIE.[-&;IR-SF^'8 MCG2C3(KB".H.5>(E"PEPN1Z9 M\'\!<3W8$2ZM.$\V,K@Y%'$E-D-<8-:K085C"Q$+HA"Q)G8@KO#-2/Z7E4KB MUG07I8ZA2E")E19(R/4EB,OE4M3=&0L'(BXV-]&HZD,`<9H`.B>H5,61R"1]-R0T_'D"B:I*U:S$??E*,Y#2."'HBB*[9P`O(54,CG985F\0&U6@B"N2J>48/!K%^)6[D5L">^*HBAQ M<33P"E+[LJNSHGB*VJX$I^&\`@QG(8X@\E)'BJ(H,7,(D@S[&?&ONZ9436U7 M@D,(KXCV(%&?:Y&:E%^;UTJS;;LYQDYEN!]X!ZDCJNYZI5IH=&C=)0<8A"S@ M^2`R_Z0N'7X`U*8 M7><-%46I1'=DA8(GD?PUQ7[0O+^E)K#C0K'C3*%HSZ2GC.)ZBO$N0167%<4I0YR&5(5_QJG!:FCN%'A MN%&FJLA&GN&/":SE%^NK%!A)Z#IXB@)H1)67.0)957L3LJ;?-F?%<0TMD,", MYLAZ9#=*"[D04Z2Y#$\5U(E?X"\WJ!+V% ME?/W-;+09HFCTM0L!P(]@#.02C>IP%>(,EJ.1`WZ;/S\3$2Q'`,#?OJ1-2`W(QHNQK!7.:8B;=QYP(6(Q)INZI`0M_@)LI6I% M6`S\S2$9%46I@C;(:@]W.RV(371`5CW_``D>\0+553CMD`5E>R91%HNZJ`1! MTEGF$5MR?5]G1%04)1)G(IW7&4X+8@.'`R\C.8W='98EV;A1X;A1IIHB#5EM M(A;WZ&"'9%04I0*7(2D`M7%.+!H-D+2&KY$:D5[$C0K'C3+5-%<@2T2I(E04 MES,`>)_:$PT9*^-&F9RD&3+=4%6PS$5.":C8AY8+C<\[@3H7C1IGZT($GB8,15=*'3@K@(-RH<-\KD1KH@M40C*<$B MH*-CTBE*+:-,KF5?Q#=&ER.S@\J2MPT M0I;-.<]I09)$%R3_[SBG!7$A;E0X;I3)S3Q-=$4XRCG1%*7VD84L#.N5Y5JL MA7V]&C:>B;AYCT&4_3F(]7X2<"+BTDZ+\GXW*APWRN1FTH$OB*P$]R-+8"FU MD'2G!:ACI"$1DR^;O[6=XY!KN03XV6%9DL%12%YC%\2]VP+8B]27]`$[@5T$ MZKAF(9&$+9'O=BLR(%B"N+J7UZ#LBGV4`E=K"-PGYH#1R(U5+]'7,C[ M;?[\<)R)=^=P[:858N$?$&'_5,1UJM025`G:3T?$`N@);'98ED1)1=Q\[P(O M."Q+K*0C;JQ;@-G`D]1L0>M5P)45MC5!%G7MBBPI]2905H,R3:%VN[&=YB9D M#C`7AE18@K$8LEU6E!8J`)\!(P%VCG ML"RQ*)S#D'L[&5GFR&Y4"2;.*8CU'DD1GN.<:(KB#AXV+R]P!!+8T=AI06+@ MKXBL?W=:$$,\"N=*1/8_VR2+A2K!Y#"%R$IPD8-R*8KCG`]\B#T1AS5-/<3U M%J()CD43FB@$H;J`Z"B<-F7]]B_#)V8FB2C!Y/$MD)3C' M0;D4Q1$R$:OI%*<%21+G(#]D-T<1_P7X%O?6+4U$X5Q,H#I-,E$EF#P.)OI* M$\<[)YJBU#PC@'N<%B))9.'^FJ#_AZQ=6!/!)-7%C0K'C3+59J)9@\\[*)>B MU"A_`N;CC7E`D'RZ?DX+$85[$7>AVY>Q<:/"<:-,M9EV2-%5DW#Q(4Y2D MT!"9!SS2:4&2Q!^19%^W*O2!P.O4C@+P;E0X;I2IMO,.N@*]4H>9!/1Q6(9D MD0I\CGLKBO1!YBDS'98C5MRH<-PH4VWG7"(KP<4.RJ5406T82;N=OR`1?),< MEB-97`U\B=1'=!O=D'G`1B;AH3W=:D&K@1M>C&V7R`FV) M'"#C1L^*HB1$%V2)'#?GT,5#$V2D6M]I0<*0AT2#UD;X.3@N21(8`-SLM1!C^@%B!M=6%YT:%XT:9O,(`(BO!00[*I2A) MY5[@0:>%2"+9P'+F:Q(T*QXTR>8E'B.P2[>&@7$H8:L,"J6[B9*`%4AW" M*UR*E!_;[;0@%>@/C`=^=UH018F3CZ+LZUYC4BB*#H#>PAO"7[JH%Q*&-02C)U+@37(NG5>X6CDQ[K6:4$J<",P M&9%-46H;Q4A`5SA.Q+TU>14E(IE(,$PKIP5),B.!OSHM1!B^`1H[+422<*/5 MY4:9O,831)X7=&M=WCJ)6H*Q<0/P-K#1:4&22`;0$[DN-W$&L`K8[K0@BI(` M7T?9U[G&I%"J1&N'5DTF!RXP&DAPK`( M[T2%*LIP(D>(MG10+B4('8U$YN](Y*37K$`0M^,"IX6H0#TD.5ZC0A6OL"'* M/E6"+L%MN=%L0&NN'.TDT=D,A01?$*T91@BQJ30HF**L'P#`#&."V$370%YCDL M0SB.1,K2*8I7V!QEWP$U)H42%56"E3D,"095@*!<#^;@OB3Q9G(BLAN%&4H`R MIX50E"2R!YE6V07LK;!/@\!<@BK!4/H`+SLMA(TK>MN:(,9+Z['$D#TDI=+D(M0>$4I!-V6RFQ9%(?F:AW*SX@QVDA%,4&%A#(S9V. M=P/O:B6J!(5+@9E."V$SK8'?G!8B"IO04E**=YF,6(/3G19$"465H'`.,-=I M(6SF0-R9)&^Q`5'4BN)%IB!K9:K;WV749=_T7Y`@D53@>]SM*DP&N4B^4BZP MC^B)O#5-`\0=>BUP(2+G4$=3@I4@;,0^78BRKD<^,A1B11%4>H`RPA=Z;D`2'-4(GOHBH1I M6]>Y%3C528$JD`+\2NAW,=51B11%J3/4Y3G!XJ#_?&`[WK<"+>;@_D5KVR/*^DBG!5$4I6Z0 MXM#GM@-.L/'\G8&,*HXYQOQ=6<5Q1;AW#3Z`HX"F,1QW.'+?WZ_BN*]([OQH M$_.YL=(1R>&,58;UZ,H8;J$#4B!ZG]."*+62!4BJ6HWBB!+,SLZ^Y^RSSW[H MA!-.L"48Y:FGGFIP\,$'[V_:M&DYP*9-FU(S,C+*&S=N7`ZP<>/&U*RLK/+< MW-QR@-]^^RVU4:-&Y3DY.>4`Z]:M2VW:M&EY5E96^:I5J])NOOGFXLB?YBPS M9LRHMVO7KI1V[=KM!R@N+F;3IDVI;=NV+0/8O7MWRHX=.U(./OC@,H#??_\] M9??NW2D''710&<#.G3M3BHN+4UJV;%FV;-FR].NOO[XX.SL[:0O<+E^^/.VK MK[[*./SPP_<#_/SSSZEMVK0IR\B0,W;MZ=D9V?3HTNS-RLHJJ_IH10FP M:-&B\I4K5UX.O%?3G^U(V;34U-24O_[UKYG77'.-+:[(6;-FL6S9LG2`OGW[ M,G]^("`RN%U24L)MM]WF;V_?OIW[[[_?WUZW;AW=NG5CZ-"A67;(F0R6+U_. M\.'#:=^^?6K__OT9/'@P+5NV!$CKV[/7HTZ>GI_O:X<>.L M4Z5UZ-"!08,&-6C6+'F%>^_QO__]CYMNN@D@;>;,F924E'#UU5<#I+WTTDNL M6;.&E)04A@X=6I?+_[F&B1,GEEYSS37UFS:-Q3&A*`$*"PM_7[FR*J>>Z6_?=]]]7'[YY?[VK;?>2K]^ M_S9L_W78BD8J_WNN^^R?OUZ M?WO&C!GLV[>/@PXZR!89WW__?:Z__GH>??110`8B(T:,X*233O*W1X\>S5EG MG>5O!RGGB.W\_'R^^.(+6V16%*5NX$DEZ//YN/[ZZ_WMX$[4LOZLMF7]6>UU MZ];Q^../^Q7*_OWN+B+C\_G(SJ8"9.G&B+C+UZ]:)ERY95 M*F?+^@M6SGOW[O6W7WKI)0XXX(`099Z;FVN+S(JBU`T\J02-^Z^2]3=\^'"Z M=NU:I?5G*<#^_?MCS4VYE9R<')HV;1J3]??;;[]5LOZ"%B&C]K5JUBI=??IFQ8\=R_/''.W,! M<3!TZ%#&CQ^?L()Y]=57;9%OP8(%S)X]&XC=-1O)^AL[=BSMV[?WNT/W[M68 M&$51JH\GE6"P"ZTJZV_@P('T[]\_Q/J[[[[[&#%B!`"%A84.7$'L%!86DI>7 M1\. DW;Q[??OMMS-;?Q(D3.?#``T,&!W9PQAEG`,FQ_H('-L\]]QR=.G6R M169%4>H&GE2"F9F9%!<7<_OMM\=L_:U.ZP-C+/DL M!=.U:U=_.UX%TZ1)$UMD_/777QDYS;WW MWNMO)V+]!:>TY.?G4U!0XU66%$7Q$)Y4@CZ?CX?>CS^>C:M2OMV[<'$E,P=N5$]NXM*R/%XYH%48*6]6'6'^//?98)>NO M6[=N_G9FIKL7F;"NM2KK;\R8,1QSS#%1HV;W[;.O[G$BRCF26_N&&V[0P!A% M41+"DTIP__[](?OII`+[\\DOFSIT;8OTM7;K4WW[GG7?8N'$CX\:- MJS5Y@E.F3/&WHRF8:%&S=@7&+%^^G*E3IP*QNV9C*6B0GY_O^CE;15'5 M(!!B_3WPP`.5K+^33S[9WZYH_04K$+?G"187%Y.7EP?`BR^^2),F36*V_@8/ M'LS?_O8W?WOCQHVVR-BQ8T<@.=9?Q8(&EAM8412E.GA2"::EI;%BQ0I>??75 M$.OO@P\^B,GZ`UG]H+R\W/5Y@E;@3G6M/Y!YTR>>>()6K5K9(N.2)4N8-6M6 M7*[96`H:7'OMM>H.510E(3RI!'T^'\V:-:NV]1?U7WSQ1=='AS9HT,"OO.*U_BI&S=J9;A"O:S:6@@9=NW:U MK=2;HBAU`T\J04C,^@MNCQX]NF8%KP:3)T\.42B///((W;MWK]+ZJQ@U:Q;C M33JS9\]FP8(%0.RNV5@*&N3GY[M^J2M%4=R-)Y5@86&AOU/]^../6;9L65F?#X?__C'/VC?OGTE!;-UZU8>?/#!J-9?<-3LGCU[;)'1 MRA.,QS4+X0L:!*>T:`%M15$2Q9-*,+BH])@Q8^C>O;N_'6]9,;=7C+'R!*MC M_56,FJU7KYXM,I:6EH;#>O7L9/7IT7-9? M\^;-_>W1HT?3L6/'6I$G6%Y>'I(G6)6"B18U:U=@3/"]C]4U&TM!`\T35!0E M43RI!#,S,QDP8`"06%'I/7OVN#Y/L+2TU%\B+IR"&3!@0,PYDW85T&[=NG7< MKME8"AK,F3.'W-Q<6V16%*5NX$DE")6MOVG3II&2DA*3]0?P\,,/<_;99[L^ M3S`C(X,=.W:$*.]??OF%D2-'AEA_4Z9,J3)GTJX"VI]\\@D77'!!7*[96(*: MRLO+U1VJ*$I">%()^GP^+KC@`G\[7NOOCCON\+?+RLIJ2.KJL7OW;K9NW5JE M]??((X\`T15,?GZ^+3)VZ]:-XXX[+B[7+(1/:2DH*/"WK8A315&4ZN)))6@% MBU1E_3WUU%,<=]QQ(=;?.>>^^]E)>7.W`%L=.P84...NHH?OGE%T:- M&N5/Z:C*^@L7-;MCQP[;Y(S7-1M+2DNO7KW4$E04)2$\J00A/NNOJ*B(.^^\ MT]_>LF4+#SWT$./&C>.==]ZI6<&KP2.//,)##SWD5X#AK+_''W^\DH*I[ MU%-/V2+?G#ESF#]_/A"[:S:6H*;\_'Q;5[Y0%,7[>%()%A<7^SO-%UYX@18M M6H18?\&./S^)O5Y4S><`!!]@BXY8M6[CWWGNCNF:C*>=(!0TT3U!1 ME$3QI!+-[4K3S`K*\N?QA&K:]8B6EOS!!5%211/*L$KXHT/C ML?Y^_OEG1H\>[9\;6[Y\.45%10Y<0>RDIJ9RVVVW`=6S_H+;=N4)9F=GQ^V: MG39M&D#4E!:?S^?ZBCZ*HK@;3RI!J&S]Y>7E<>ZYYX98?U=??74EZ\]2@)9[ M,2LKRYD+B)'4U%26+EW*&V^\$5'!O/WVVVS9LJ7*G$F[\@1GSY[-P($#JZV< M([7S\_/5':HH2D)X4@GZ?#X&#AP(5+;^-F_>S)`A0Z):?].F3?//7Y66ECIP M!;'C\_EHW[X]EU]^.9"8@K%KQ8S>O7N3E945EVL6JBYH,&/&#%JW;FV+S(JB MU`T\J02M8)&\O#QZ].@1E_7WT$,/A-IVU4QYLLOOV36K%E`[*[96`H:Y.?GZ\KR MBJ(DA">58&EI:43K;\"``=QVVVU1K;\GGGB"4TXY!7!_GN">/7O(R\LC+2TM M)NNO9OS!!LT:``D1\$T:];,%AE7KU[-BR^^&)=K-I:4 M%LT35!0E43RI!'?OWAUB$46R_O+R\H#*UE_?OGT9.W8L9Y]]-A,F3'#F(F*D MI*2$UU]_W7^M4Z=.)2TM+6;K+SAJUJX\P7;MVO'/?_X32%XY.Y"!B^8)*HJ2 M")Y4@@T;-N388X_EIY]^8LR8,3%;?Q]^^"$K5Z[TM]]ZZRW7SSG5JU>/2R^] M%$A,P6S>O-FV/$$0Y9R:FAJS<@YG_54,:CKNN.,T3U!1E(1(=5H`NQ@P8`!I M:6DAUE^K5JU"K+].G3IQSSWW^-O=NW?GEEMN\;/)@N7;JP9>? M_1&]S9LW=_U25XJBN!M/6H(^GR\NZV_5JE4AUM^V;=O\;;=;@CZ?C_///Y_V M[=L#T:V_PL)"[KKKKHA1LWOW[K5%QMZ]>P.QN6;C26D9/WY\K8C>513%O7A2 M"5IY@GW[]F7HT*$AUM^33SY9:>[OG'/.\;CG MGW_._/GS8[;^IDR90GIZ>JW*$YPR98J_'8_U%QPU:U=@S.K5JYDT:1(@ROF$ M$TZ(2SG?>NNM85-:M("VHBB)XDDEF)J:6LGZ._744_WMJJR_X+;;\P1+2DK\ MUUJ5]3=HT""NN>::B%&S=@7&M&O7#JB^<@9Q:[_VVFLA;NW77W^=-FW:V"*S MHBAU`\\JP:JLOUFS9K%]^_80ZR\C(\/??O[YYSGHH(-.K31O:E=@S.+%BT/F86.Q_F(I:'#II9>J.U11E(3PI!+T^7R<>.*)U;;^ M@MOWWGMO#4H>/T5%12Q>O-@O[[!AP^C9LV>5UM^H4:,`N=8A0X:0EY=GFSNT M2Y.9-^^?U*ZR:1"_:S:6 M@@8]>_9D\>+%MLFL*(KW\:02A(#U=^ZYY_K;U2DK9@5TN)EGGGDFQ)T8B_47 M+FK6KK)ILV?/9L&"!4#LKME8"AKDY^>[?JDK15'58%%14'/_S!W]ZS9X\#5Q`[/I^/?__[W[1OW[Y:UE_PO*E=2RE9>8+QN&:M M=K24%BV@K2A*HGA2"5JKP<=C_967E].O7[\0A7#WW7?["U2[%2M/,)R"N?WV MVZNT_H+G31LV;&B+C(6%A2'W.A;E/&_>O"I36K2`MJ(HB>)))5A24L)++[WD M[S1???55,C,S8[;^A@X=2N_>O6M%GF!965E(GF!%!;-LV3)FSIP94\ZD78$Q M>_;LB=LU&TM0D^8)*HJ2*)Y4@O7JU>.ZZZX#JF?]6>V"@@+7YPF6E97QP`,/ M`)&MOV'#AOG;T12,77F"39LV#:N<9\R8D5!!@V7+EFD!;451$L*32A#$^JM7 MKUY%()^GP^KK[Z:G\[7NMOV+!A_O;^_?MK6/KX M\/E\9&1D1+7^1HX<64G!A(N:??755VV1L6?/GAQRR"%QN6:AZH(&<^;,/&,7KT:-<'QH`H\[%CQU:R_DX[[31_.Y:7AZ-&S=FT:)%+%BP(&;KKV+4[/;MVVV1L6O7KD!\KMFJ MVN7EY9HGJ"A*PGA2"=:K5X^RLC+Z]^\?L_7WXX\_\LPSS_B#2Y8N7>.&%B`KF MS3??9.?.G2'67Z2H6;OR!%NV;,F@08.`Q*V_8+?VS)DS-4]0492$\*02S,K* MXJRSSJID_6WXO6Q:>GHZ-]YX(Y"X@K$K3S`] M/3TFUVR\*2T-&S;4/$%%41+"DTH0Q/H[__SSJ[3^GGSR22#4^K/:HT:-_9L!@T:E!3K+SBE)3\_GZU; MM]HBLZ(H=0-/*D&?S\>##SX(Q&_]+5RXD(4+%_K;;E]*R>?S<>JII]*A0P<@ M,0535E9FBXR]>_75\GZ^].?_N1O9V1D.'`%L9.3D^-7,-&LO^>>>XY# M#CDD:M1L24F);7(FHIPC!37UZ=-'`V,414D(3RK!LK*RD$[5LO[&C!D#P)(E M2_C/?_X3T?J;.W@/OS!(N+B_TU."=/ MGDS]^O5CMOXJ1LT6%!38(N,))YP`5%\Y6[)5+&CPXHLOQ##SUT_]:M6U-;MVZ]'Z"XN#AEY\Z= MJ2U;MMP/4%A8F%)86)C2O'GS,@"?SY>R=^_>E"9-FI0![-JU*[6LK(P=.W:D M]NG3Q[6:\.VWWVY0OW[]\JU;MZ:V:=/&7^AT_?KU:9':965E;-BPP=\N+2VE MH*`@K;"P,.6JJZXJRLK**D^6?*M6K4I?O'AQO29-FI3EYN:6`6S;MBTU,S.S M/"79V=GE``4%!6FYN;EE#1HT*`?8L&%#6N/&C?GEE[/////,XJRL+'<7W%5O7JOP'OU?1G.U48\W#`SB'\B4"R)O.*@.5).I<='`DD,\O]OT!I$L_7 M&)'1+C8`ZVT\OQ([[8"?`7='DREN93&PV6DA%$51%$51%$51%$51%$51%$51 M%$51%$51%$51%$51%$51%$51%$51%$51%$51E,1(9A$,14F(PX`;D$HW-<'M MP%[@W!KZ/"_R=^"B*/MO`,ZI(5D4)5X>!,J!?SLMB-?Q9`%M&S@7&`_\&?BI MBF,?!HX"W@5>-MO.!ZX!=@$WQO!Y^X$2H#H+_`T&3C#_%P`_`).!WZMQ+C?R M(I`#3`#F1CGN-J`E\%:$_7G(=_EA4J6+G<[`W^[SKSO`5NE$^K7P&?4 M>;QD"9X*7`\Z5?IWI!#V=4;.:X"'S/L^-')>:,Y7:#ZC.V(Q MSB;4@NIESM<::`%T`*8C;MN!2"?>&U&T@X$^0"LC``G/N6Q%%.0](K?#>`X$[@4/-YP?3 M&NB/6.X7(AUD?^``<])0??D!^`9I/AO"^2>=D`&'Y.H;%GT M,/+V0[X;C&S66E97`9<(`L8@CR3 MO9#?6"KBH7@)N;1PM(@ MW_F52%_P%?+,^0C\KKXTLOP#V([\WK=6ZZXHM8[3D8YB'M*9;@)&(@]D"M+1 M3D$ZZV+D`0)X&]AA_N^./+268KG:M$\EU!)LBSQ@;U/9JDM'W%G/(:[,'DBG M6XYTH.7(0P_247Z`=&`KS/&GFWT#S+'=3'LVL!/I!%]&K+M@2S,8RQ*T!CA= M3-MR_90!7YB_V\TU3##'O&G.6VZN&>!O0?ORS/VZT^RS++//S=]Y0%/@6Z03 MF&6VCS?''VC:&X"/$`59CG3@TY'O;0?RHP['-T@'X&U&066;_&.3[>,%LWX4,:C#W MIA1Y5MXP^X\QUUB$*-8Q1OZGJ+M8EN"R,/NL9WX",G`H0P:IER%*LQRQXAA/1);R+/]U?(\W"W.>YFO,_C)$&5BCWR/-_JFFG89T MOIN1']@[B-+--/LG(1UH!@$EN`-1#.%82L""L93@I^;:=B8R`*BH!+<2CD0ZFV&R_#''O?86X%$`>T"_,_QT1 MY?0Z,JKNA'3P2X+.`:*<3D7<@-O#R-'4_"U&K(ENB"MT'O(`!Q]S***\%R`6 M*D2V@$"4X(]!YT^+#$76YWF>U68$5G\_\31JZ3D>_*\DS4578A`X29B&5GT1=YWL\%1A%Y?KD1 M\ILH0[[[&VNM26I]+VE(_,#G2']3@#Q_X=;>/!CY/:XFX(ZWGN7C M@X[;8/9;G^&5_MU6O'*31B%NO%E(YW,Q8C%L1?SQ,Y`.Y5^(%67Q%=*9'XMT M"M\@'<@?$#?(8D)Y&U%`_0@?X&(I.&NR_23$)?H)@0>S*?(#^`3HB5@3@^.^ MXJKIA5@OK9#K#HXRVQ3TOS6G%GP]UO]I1K95R+W9B/SH_DUHY&KP^1Y"OH]\ MQ.7[(\GA8O/W8V0`:WS?'_1`8_LQ`OP)<$7)45^151H")UN!UQB5I$ M^SWO1;ZSG\SK+7,]!5'>4Q=^PAX5ZQ[.PUQ MAX8;*`=32B!FX5/$#;L0&7P&8PW$P_U&O137X0A>N8$9R`AX$&)UK45<0@!G MFK]/(Z-VJ_-.1T;NWR'*J#4R!_2M:;>DLA)<@\R+Y2$=_',5]EN=W2YD\KL, M&15^@@0Z@"C!0Q!+\!DD2*5+D$S)XB-B6R%^F9'S3\AD?28R>6^MV-X.&=%> MAXQ'X+V M3S7[LHF.%6CR,_"D^;\),M).0=SA4\UK,7+/4I`.;)YY;4+<7T<#6X+.W=;( M\A_33C?OK>CB/M"\SWJ&EYGW92&6X"("4;IIB+=A%3*(:XH,`@]`?@M+@+\B M`\*?D>\FE\"?:MK?([^3"&[L,;,M'W'9K">@9*TY02LBT@H0L8)P M\DR[8B=@!2G=%+0M`[E_*TP[WQSS'N*JW$AH8,RWYCIF(9W6-BK/"5ISLB!* MY4MDI/\V,ECQ(9W0C=1\WFKD^]IN M/N<\L]^:$_S%7,]^Y)E.0Y[)8D2134&LR1+S>2`6J+>Q&.H1E!$9&5BCXD\CH+!OIX/^)6'1+D`ZZ`'GP7D\%\0E\56Q&6Q$5%,OP3)D6X^ZV.DP_R6P(-8@G3:7YC/?]L!=(T" MI%->BBB%QLBHV`HLV898/=;\U:=F7P-SCG\1L(Q]R'>E'8$[J:<\TSG[T1*0KP+O(^_/N+6O8_(@RFO4XX\EQ\C]]UZ_1>9YWN/0#3YE\^1 M9_5+Y+>TD(";O`1YUNXW_UL#['E(?[,?>6;GF?7XCX#B46 M,I'._Y&@;=;HU8YY3$6P+$&O3%YP_FKY74KRB*HBB*HBB*HBB*HBB*HBB*HBB*HBB*HBB*HBB*HBB*HE3) 6_P/K9T\34'LMN0````!)14Y$KD)@@@`` ` end EOF /tmp/uudec << 'EOF' begin 664 doc/gawk_api-figure2.jpg M_]C_X``02D9)1@`!`0(`)0`E``#_VP!#``,"`@("`@,"`@(#`P,#!`8$!`0$ M!`@&!@4&"0@*"@D("0D*#`\,"@L."PD)#1$-#@\0$!$0"@P2$Q(0$P\0$!#_ MP``+"`#?`B(!`1$`_\0`'0`!``(#`0$!`0````````````8'`P4(!`(!"?_$ M`%<0``$#`P,"`08'"`X&"04```(!`P0`!08'$1(($R$4%R(Q6)85%B,R0=+3 M"1@W.%%7894D)28S0E)U=G>$L[2UMD9B<7*!D30U0U9C@I.AHT2#DJ*Q_]H` M"`$!```_`/ZITI2E*4I2E*4I2E*4I2E*4I2E*4I2E*4I2E*4I2E*4I2E*4I2 ME*4I2E*4I2E*4I2E*CNHEPRNTX/>[K@S-I=OL.&Y(A!=B=&(1@G)4<5I%/;B MB_-^G:N:M/.J#J&EZ'.]4&J>F>$VS3]O$7\A"W6JZR7KT\8,H;1HBMJP+3R\ MM@4N38J*D1*BC6FT:ZX-1,JSBQ6;.\#ARK'DL.3*\KQ['L@CG8B:CD^(2G+A M#:9D":"K:.,FGI[>BHJA5@=ZK.JJ3CNE^HUNP32IG%]8[_`M%@C/W2:Y/MS< MM#<9*60(@.$K;:J7:3Y,O!4+QVL^;?*]#)T),8B2*IDZ_P"BX($:".W)$546&=4G5AK1HYJ#,Q["\$L08S:;.U<) M60WFW76X179)\U6,9VYLT@J(B*\Y&R*A(7@**5>7-M1NJ*\]0NE$;3&\:?%; M,HZDNJ;,]$)F`:>P M;+9',SR^!(FSI[UONMPM MT-R3J)RMD\@UEP[",>M%T@LS+5"LUTD2Y\0S7=691&VC)KP45YM%LB[CL7SJ MEFK>HMOTCTPRK5"ZP)$V)BUIDW5V-'\''T9;4^`JO@BJJ;;KX)ONO@EJ&H&HF,8KE6!VV3;,S9=5B59+#D,;X!=1E76AF/3X;3$AL]NWW6238E1>* MBJ%6KPOK5UVRG76-TTO89IRSFMOR";'OLP+NXMI6U,-1W$6&[W%<>FKW74*/ MPY!Q%3$$0U&3Z)97U:WS7W5FSW&Y8!-QJQYG!BSV)4RXD[!B%;HA\+>/'@.[ M1(9">PJ\3B^I=UZXKE+KV[$INHW3K?=%M&';98'[9G.]5NHVG6*:P#J_AN-SLJTM&U3O3B_=6K6I,/']8\1TY+%IMHE3"N MV+RY2G$F@XRC<4PDJA'R$W5YB.R\?'AML6FPVZW?/.M744+A=YS-JTKQFS6B MVVP'R&.])NJ.2I$MP$78S0&&6A545$1#VV7=:U^'WU=4.MS,75N60L6O2O%X M%MBVN5(D08YW.8_,\HEC%4A24V3(-`+YB3>X[ANJ(2=*U0G4!H=JAJ;>KS=!LBYCP;!]-P1PN(C\ MGRV&9,]5^JSF%Q\?'"L41KL#X->)D?@B MUI>GT];8?4IU`6C)_BNF8!CF/S8K,.[W"38W)CJ35;>[;Y$[%$D%H3:!/!&^ M0[\D5;*Z0K[D-WTAR.#)M%K@7S'\OR.R.-LW&;,AN3(TUP#<1V41O]HG>2HG MAQ%401'9$J-Z`ZT=6NL%WDS+OI]IE:\8QO*;CC-ZE-W6:LF>L20XP\_!;[9( M`@0)L+RHKB[_`#$V6I/9M#-3[=JU&S:5J7KCE4R6RRL>2^['98C!$V=4U5EQ2=W1`11VW+PJA>FC6C53 M']&M.-)\`L-FFYSF^19FD9_)+W)E6VU0[9<'%=$GTY/RU$76VVT144D13(D1 M%WZM[KUJQ'T.TCR/5%^SG=5LC#:L01>1GRB0\\##+9.*BHV*NN@A&J+Q' M==EVVJIY[O55?OA7!]<\0P)<+O>*W21)NF'7:X1Y,&4V+?:C$;A@XJDA&J.- M(F_!=^&VQ5_TFZW:WV'%M`L2U0LN,RL9U$Q=UNS3H,Z7(N[3D*W))[TQ7!X. M=YMLUXAXB1(BD7BM0?5O5?7K6/3;2W7"99,1L>!7W/L?=L;5MO\`/;OD1AZY M-M@LI`48LGN-H8&SLO;[FZ;J);=#Y-?!H)$@BOB.Z[XMX28YV]R%V%D/2>`JALHDEOB#:*9+OXBGC5VX7*S(<1MKVI[5AAY(K?&X MC9Y#KD#N\E1%9)X1/B0\5V)-T5539MQLDF/:R>-6[<)^H#>HMIMUOMV/GA[UND.7&4]-<&Y!,0A[0LL MH"@3:BIHDW]2[HJI4/TVZ9M$-)+->,+JTS'N3\6_ M7&&,]EH$;;;D-QWP!T4$438A5-M]_6N^XU"Z;-%]4+9CMIRO#U%C$6"BV,K7 M<95K=@1R``)AIR(XV:-*#;8JWOQV`?#P2O'?.E70/(<(Q_3V=I^RU9\4-UVQ MK#G2HLNW&Z2DZ3,MIP9`JX1*IKW/37Q+E7C=Z/\`IZD:=R-*96#29&,S+C\* MRXKU^N)NRI7:5KN.R%?[SB<%X\2-1]7AX)65K2.[Z*X(6/=*N.8U$F2KD$F3 M'RR\W-^+VNTHD0.;O.B>XM(@IL&W)?7Z_-C4/JIOUW;LFL6.:,2,+N#3\:\, M6N7,$OT?(\8PN?&E0FW6H+ M;N17-^/!!QLFS2.P[()IGT#)$X"G'?T=O"O+%Z(>EZ%8;1C433!&K=8;T[D5 MN:&\W!"CW)P6Q.0A]_FI*C+?@JJGH^">*[[3.>DCI^U(S.9GV8X(%VFQXMP5D$!HI,5IX6'U$!$45P"]%$1=T1-O)DDCK1'(+D.'VC10[&DIU+: M5RN-V"6L;DO;5X6V%!'..W)!54WWV6L=\Z;L9UVL]AO'5'A=DN676?NH'Q=O MET8@1T[I*V36SC)*?!4W(AW15)$7:I)DO3AHWE^GUETPR'$WI6/XX\$BTA\* MS`E0G10D0VY8.I($MC-%7N;JA*B[IX5%0Z'NEYK'3Q)C3%6+0Y=V[\45F]W% ML?A`!XC(W&0BH:)^G951%7Q\:E3G3=HG(O.:7Z;@K$R7J'%&%DWEDN1(:N+( MHB`)-..$V/%$3BH"*I]"I7@TUZ5M#=)%;$-&Q@=0#NNECR,X7PMC8X_?[1Y,AM7$F7NY# MD\^2*VXTAO@O@7('$3T>.ZX9&C]X9ZBF-=;)F346),QD,9OED?MO>\L;9>?? MC/,R$<%6#%R0?)%`T(41-A7TJL^E5QJMT]:1ZU2[;<]0<8=E7*T`XU!N4&Y2 MK=-8;/93;21%<;<4%5$504E'?QVWK1P.D+IXM98HY`T^5ES"9[MTLC@W>=S8 MF.&AN/N%WMWW"44Y$\IJJ>BOAX4;Z0>G1O'4V'4Y%Z;1`6R[;[5K[%T2=,^-'=W[+I_,CR<@@_!UUE?&.Z%(FL M=P7-G72DJ9%R$?35>2(FR+MX5L<"Z1>G[3%V[O8-A,NV%?H,JW7#:_W)U'F9 M&RO>#D@D$R5-^X.QHOBA)7ITLZ5M"=%;^YDVF>&R;/<'FW6W#6]W"2!HZ2$X MJMOOF"D1(BJ7'EO]/C5LU7\'22`&N%UUPNLY)MR>Q^+C5I85GBEMA@\X_(XE MNO(WG3!279-A9;3\N]@56VJW3GHYK7/@7?4;$%GW&V,G&C3HEQE6^4+!KN;) M/176S-I5\5;)5'=57;=:C,?HJZ9(6&?$&!I@U$LK=S*\1FX]TFMO0IA#Q)V, M^+W=C*J>"HT8BOTHM9WM+,QT8Q2!BG25AVG]OBNS)$R[CE$ZX*;[QH.SROMB MZZ^Z6RH1NDJ[""(OALGUCN.]0&<_">(]1F*Z1S\)NUN>BS(EDDW"2\^1;(@& M$EH0[:IRW7?DBH.WY:\V/=%O3CC+LMZVX1/=.7;I%HY3#K4=7I M!+'0A]%5:XEMX;[>%;"T])/3]8G\)D6K!76#TY,W,8VO5P)+7OQF'`B`9D6_!MUP7E14+D30; M_3O8U1S4#3W$M4<8D8=F]O?FVF4;;CK+,U^(1$!(0_*,&#B>*)X(7C]-1_1_ M0#2702#.MFD^,.V.)<>UWV%N[.Q/# M].W^S>GQWZA[K_U'H-8[6)?PLDS0&#%/R\(464BK^CFB?I2GD75/OSS M7ZRQ?&!U,W^0OY+IC=H>'_X(["_^]?OQ9ZG87_1-8-/+@"?P)^!RP<+_`.XU M=$%/_36OSX6ZHK7^_P"#:99"">LX^2SK6XO^ZT<*0*K^A74_VT75S4VU>.3] M-F8=M/G2+'=+7<6A_3Q*2T^7_E:5?T4^^;THA>CE;V28D2?/7),7N5L9'^L/ M,"P2?I%Q4_34VQ'4'`L_B>7X)F]@R.,B;J]:;DS+!$_WFB)*D%*4I2E*4I2E M*4I2E*4I2E*4I2E*4I2E*4I2E*4I2E*A.*H33_`%UR?T\RUR;Q]@_7!PJQ,1R1/XARI_E1'_O-MLK^1$7QK[;Z M8]'Y;@R,RLEPSF0*H2GF%VE7IODGJ48\IPV&_'QV;;%$7QVJQ[-8K'CL(+;C M]F@VR&W\R/#C@RV/^P01$2O=2E*4I2E*4I4'R[0[1W.Y?PEEVF.-7.X"O(+@ M[;6DF-E_&"0*(Z"_I$D6M`N@*67T].M7=1<4(?$&5OA7F+_N]FZ#)00_U6U# M;^"HU^;]3N*^L-M?RBB[HEAXUE>+YG:F[[A^26N^VU[][F6V8 MW*8/_8XVJBO_`#K:TI2E*4I2E*4I2E*4I2E*4I2E*4I2E*4I2E*5I,NS;#\` MLSF19OD]LL5L:5`*5<)0,-J:^H$4E3D2^I!3=57P1%6J_36'.LU^2T=TDNDR M*?S;]EBG8K;M_&;:<;*:]^5-HX-EX;.HB[I^IHSF68*K^L&K]\N;1^*V7%R< MQ^V"G\529<*:[^1>$Y;\"PRS6!EXN;Z0(8,D^?TF MZ0IR<)?6I$JJJ^M:DE*4I2E*4I2E*4I2E*57.2=/FDV1W5W(V\6&Q9`[XE?< M=D.6BXDOTT7=*M2/(8EL-RHK[;S+PH;;C9(0F*INBHJ>"HJ?3 M62E*4I2E*4I2E*4I2E*4I2E*4I2E*4I2E13/-4L"TT8C.9CD3,.1/)6X$!H# MD3I[B)NK<:*TA/2#_P!5L"6H6-WU[U/5?B_:F=+,>/YL^\,-S[])#^,U#$EC MP]_6A/D\?T&P"UO<2T*P#%KPUE(C6L&G976VM^!9/A3+LQ@13^'(MJ\I!#3YP$HKZ)BO@HKL2+X*B+6[I2E*4I2E*4I M2E*4I2E*4I2E*4I2E:'-,\P[3NRED.;Y%#L\!'!9!R0>Q/.E\QIH$W)UPE\! M;!%(E\$15JO!O^M.K@J.(VQ_3'%W?#X9O4,7+]+;^E8T`]VX>_K1R5S-/IC) MX+4LP'1[`].7Y%TL5J*#<+]X*(60X\Z,:2_M M\U)+:B3$P$^@)#;B)_!V7QK1KG^K&EV[>K>+#E&/M?Z5XG#<)UD$_AS;7N;P M(B>MR,3Z>M5!H4\++QC*L9S:QQ9<3Z=B%53=%\%3U MHJ*BUM:4I2E*4I2E*4I2E*4I2E*4I2E?BJB)NJ[(E5'.UDO^>3I&.=/MEAWX MH[I1IN67%2&P6]P5V,0(%0[@\*[HK;"H"$BBX\T2;5N,+T6LM@OH9UEUVF9G MFJ`0)?KN(J4,#3TFH+`HC4)I?4HM(ADB)W#<5.56+2E*4I2E*4I2E*4I2E*4 MI2E*4I2E*5664Z&VF7>Y6;Z;WR7@.7RR[DFY6IL2C7$]MOV?"+Y&7X>',D%Y M$\`="M?"UJNV"S&<>ZA++$Q=UYP6(F40S(\=N!JNPBKQ^E!=)=ODI&PJJH+; MKRU;@D)"A"J*BINBIZE2OVE*4I2E*4I2E*4I2E*4I2E*BVH6I>):96EFZ91. M<1V:\D6W6^(R4B=+'#DS@L"6A.2P^CX6EMK\KO],5E>SZQ<.0B[);UOMUOM$"/:[5!CPH41H6(\:. MT+;3+8IL(``HB"*(B(B(FR)7HI2E*4I2E*4I2E*4I2E*4I2E*4I2E*4K!.@P MKG#?MURAL2XDILF7V'VT<;=;)-B$A7="14545%\%JH7=,KNLJJ[@NR\704FCV50,D\:F5*4I2E*4I2E*4I2E*4I2E5IFVK4YK M(7--=*K*QD^:"`G,!QY6[=8FS3<'K@^**H*J>(,`BO.>M$$.3@^K3_2*'BMT M=S;++T_EN<3&E9DW^:T@=AI515C0F$50AQMT3Y,-R+9"<-TTYU8-*4I2E*4I M2E*4I2E*4I2E*4I2E*4I2E*4I4*U$TEQ;4*J@UG\VNMOM)W'W6MOU*>;76WVD[C[K6WZE/-KK;[2=Q]UK;]2N>]/WNK M?-<5+47(>K$\-Q1AV2V[<+CA]F)7W`E$P`1VT'EP4D04<=43)Q$$&G!,'%TV MK>@&L^M>"OVW7CJGOUOTY=E1W8<&5AL:+<[[(3D33:P(B`_LJH!MQBYON&FQ M,-&V.^>U:::^Z"Z;3GK=U$Q<#M#+$AS'<7M^G=E*Y7-UMKFI.,1VU07%XD1H M*O*+:=UUQO9P0OG`L3UURK!<9U'3VG[Q:8<]T!Q>V[";K(FJ)Z'J126M[ MYM=;?:3N/NM;?J4\VNMOM)W'W6MOU*>;76WVD[C[K6WZE/-KK;[2=Q]UK;]2 MGFUUM]I.X^ZUM^I7/F!.]6^:8R]J#?\`JQ+#<3BR)C3UQN.(68N\;4PXX!'; MX\N"J/'N.J)*XB"#3@F+E;L++U4QXCV5Y-U?73&L6+@U;2N.GEM6[W5X^2B# M=O%KNMD2(/;95"DN*I"K#1"B%XK_``>K/$\9N.79AU<3+(!LO+8+(Y@UHDW> MYFVTI[$PR"HV7HF2@VKO!I.ZX;7%P`M73S%==LMP#&K/"N#K8X MO;=@-Y@'"1/0]2*2U(/-KK;[2=Q]UK;]2GFUUM]I.X^ZUM^I5#6\NKK-LPR_ M%<(ZD+IY5CV1.6E7'L)M@6V)&%IESNO2B953>5'#V8:$SW[?/M-N(ZFU8QKJ MNR&:ELP/K)D7B-$,F[KD;F!V=JTQB#T709)$)93PDBHK;:]L%!P7'FW!0"QP M[-U0Y#SO&,=9[J8;!8*7/R^XX19F+<;(BI$41%3>0V@IN4A5!A!-"!QY1,!U M=T=ZM[;<<;76WVD[C[K6WZE/-KK;[2=Q]UK;]2GFUUM]I.X^ZUM^I3S:ZV^ MTG;76WVD[C[K6WZE/-KK; M[2=Q]UK;]2GFUUM]I.X^ZUM^I3S:ZV^TG6]0/Y_W_`'8M_P!2GEO4#^?]_P!V+?\`4IY;U`_G M_?\`=BW_`%*>6]0/Y_W_`'8M_P!2GEO4#^?]_P!V+?\`4IY;U`_G_?\`=BW_ M`%*>6]0/Y_W_`'8M_P!2GEO4#^?]_P!V+?\`4IY;U`_G_?\`=BW_`%*>6]0/ MY_W_`'8M_P!2JYZAM4.I'2O2&]YW:^H%X9%N<@@A+BUN+@+TQEDBV5M454%T MEVV\=JKB7JEUF8LQ'FZ@]7;UJCWIA9%B\CPBP33DCL*H+ZALW'+TPW?%5;8CR57B!.N M@VKB\6FWI*B@I(G-1^MN%K<6<]>X;G?4'W;AALZ%#-UC&+5P(WHR.F@JV&R M@A+Z*EL:CLI@V6[8W!Y;U`_G_?\`=BW_`%*>6]0/Y_W_`'8M_P!2GEO4#^?] M_P!V+?\`4K[QC-]:;'J[IYC^1ZI_&&SY1=9UNFQ';'$C*@MVJ9*`A<:%"14< MC!^A45:ZAI2E*4I2JIOWXT^#?T?Y7_B-AJUJ4KDSIU`+EAUH=Q:W/9CEEMF7 M$6)MV56[)B@G,D"H@H#Q*3VR<)1;0Y)=U`==CL.-*%B65'I]VD7S#)L;+,B9 M!YB=GU]:_:BV-[_+1K>TV0HX(D(B33!B*]A4DRB?:V..9,\W)TZS/(L!G)*B M/8_,*[ZF9,0.K-B(R9*W;Q3M@3/%"(3`6H0$ZCK8R55T:N'1G\#^#>/^C5L_ MNK=3&E*4KDSIY;:N6*VYW&;:_F666VYW7R>5=E5NR8FASI(J@*`<2DJV1DH@ MCDDN\@..1X[K:A8EF1^X7A^\X9,C9?DK`O,3<\O;6]FM(;_+1K>TV0\T$A02 M:8,47L*,F4KS2(4?OKSB;3LN00$BNHJM*+SP&^7%78T5M.ZE0'5984_*<*.\7 MF;FN36[4&PMRYT2/VK)CI>5B*QF14E`9"HJH2*3TI$=^4)MDVP3JJE*4I2E* M4I2E4EUK?BK:D_R,7]H%:2E*4I2E*4I2J4ZRC=;Z==^8VJ M76)L1;_0GK6H!CK[=E2YR=/7QT]DSHCLB\SLHD-MQ\A=1TE*3;R=CJ/#N..F MCXMBT"2`)8)H\WPQV8;39K!>;1A5KDX)C4EACX6Q3(_D;O>.X(-JL,7FG#%' M&^W'%-W>X0JP#<1Q%=K[9^!HV)SL;MUIG6S"G;@+;^GLMSCD\ITU<<-&U+D[ M\J8&\`=PC,1[H26`;)JMGTB,VR-F^KD:RV6X6:`S/LP1K;<%594)M+>/%E[= M-^X*>!;J:[^LW%],NF*4J.O_`(<-%_YS7+_+]TKJJE*4I2E*JF_?C3X-_1_E M?^(V&K6I2N3=(GF'=)L?LN;3GKM$F/74[1@>.BA2KVVD]]'')RF0(;'(A$A, MF8@]U1D&\C@(-@7MLYUQBX_G$!C([PVTT_:]..R!.HEN:-;^:#!M_^[=L_NK=3&E*4KD[25]ES2NRV7-;@_BM&"XZF\R^@-RD=TYI$0(SJWL7 M^Z"RV_:M-\?/]KX<=-P;>N+I\`=;%0<5"?1MC=M!98=?:`CU&IQR+E;;_$R9 ML,ZS*!;7Y;-@MY$U8L8565-MZ2Z2*A/#NVH.O"3Y<>Y&CLBKJ):FB._F7P'? MU_%>U?W1NIK2N9L&=NMLOVLET8N=HPBS?'A];OECR,N3GD2-%%J-'!P5`50G M/1<>YHA&H`P:N<%@B>5$[STAM.^TD0U4.7;'=++'='+1A4-K=?5O4*XW.Y"#<*+*U<6` M*`Y'D^51',.?$B],3=)7CDM@J*B*JW%/GB?!X!`7PI=U\NMI/ZEC&;%M,V1B M2V[BCZ"(N`Q%:-'7C15-'&XI#(V!&91F2;+M.B>RZ5WUE:CZQR?C$]?T>N5F<&[.QW6% MGB5O%4?0'554$M]Q4-FE'BK*"TK8IT=2E1U_\.&B_P#.:Y?Y?NE=54I2E*4I M54W[\:?!OZ/\K_Q&PU:U*5RCH#Y9:-&ENL'R/3RPN3IQ7O+IB-.W&Z'Y>^VV MW%$U)`%"-&@RG)I#B(FR`:'*;==!L13EW+@XB\4&,XV)+I<_:&T M:77*V7)D]/<6D0IR6G%K27.^WY\FC,UD$UR,.1$;SHLD3BB/>?D`*OM);&B& MR:+8`B#M^Y>U>'Y/V(W4VI7+NG41)FI^I;V.8@_D.4P$ME!9)`KJ<61)\A,0<-AEP329V;OW&\/WC#)D;+\E8%YB9GE[:WLUH'?Y: M-;VFR'FB$*"3+!HB]A1DRE>:1"PV62R]'N&48'>Q.(Y%[EXU4R8VW0FW*2D29$9I)-H4WHZ[.MC\*1=R!?'8D3Q3]*5`LB9CQ M(%FT67'V6UL5V3T6F@NC1NBC@H8\!;?-IL1/LQW7W44ESW%N M8>='%OB0V-17KA'>C8U'-L\4E/<2<:DR"+8G)/`5+NF@2MXHFU'<;:5'-KTP M1YT75+6UBZVVU6^>EZM:S(UJ;`(@/K!17%:02+=")5+D7$R4E(P;,B;'HNE* MCK_X<-%_YS7+_+]TKJJE*4I2E*JF_?C3X-_1_E?^(V&K6I2N3>G01N.'6A[% M+:]F&66V9<09G795"R8H)S)`J+:@/$Y/;)PB!M#DEW4!UUAAQI1L.RH]/NLB M^X7-C97D++;S,[4"_-?M3;6M]WH]N:;44<$2$1)M@A!>PJ2))OM;'',F?:?T MYS3(L!G)(A/8_+*[ZF9.3;I3HB,F2MV]$[8$SMR(3$6H0$ZCK025)T:N'1G\ M#^#>/^C5L_NK=3&E*4KDWIX;;N.*VYW%[8]F.66VYW5&)=V50LF*"GW>1>\,F1LNR1@'F)N>WQK>SVMM5^6C6 M]ILA0Q$A$2:8,17L*DF43[2(?M;N5 M:EV;*+O<+O%F9S/*!@]C;1)E\(8L-'2E$ICSBHI-`HF3,9.X223<%T0";7MD MYTZ)CV=6]B_7,66WK5IOCY)\'Q(Z;@V]<72X`ZV*@XJ$^C;&[:"RPZ^T!GEN M3L^X9,W&OL9G/)N;9-;=0;"W+GQ8_9LF.EY6(K&8%24!?5.2$G)Z4B.?*$V MT;85U72E*4I2E*4I2J2ZUOQ5M2?Y&+^T"M)2E*4I2E*4I5*=91N-].N2.,R6 MH[@S+,HO.[<&U2ZQ-B+?Z$]:U`,=>;LB7.5I_(33N3/BNR;S.R:0`1\B>1TE M*1;R=CJ/!7''31\6A;!)`*L$T>;X8[,-JL]AO%GPJV2<#QN2PRMTQ3(=V;O> ME<$&R\C%YIUP$<:[;`HG=[A"K`-Q'45VOMD;-$Q.;C-MM4VV86Y/1M_3N6[Q MR:4Z:N.&C:ER<^5,''A!'2(Q#N#*8!LFJV?2*Q;(N;ZN1;+9)]F@,S[*W%MM MP)5E0FDMX\67MTW[@IX%NIKOZW'/WPNF*4J.O_APT7_G-O$26]=3M.!X\*%)O323WT< M.R! M.HEJ:([^9?`=_7\5[5_=&ZFM*YEP=VZVR_:QW1FZ6G"+)\>'_A?*W49B-NQY?E45S#GQ,O3$WC5TY+8*BHBJMQ3YXN<'@$1K1.P&D5>;81F]@../!ODXR@P%4R<>;+M/(>RZ5WO*=1M8Y*9$_?Q M>N5F=&[/1WF2GB5O%4>0'554$M]Q4-FE'BK(BTK8IT=2E1U_\.&B_P#.:Y?Y M?NE=54I2E*4I54W[\:?!OZ/\K_Q&PU:U*5RCH%Y9:-&OA2$L/3RP'/G%>\ME MHT[\VVW%$U)`1",6@-GQ*SJ MCE[OCRLF9K()GD0(IF3KH,$1<15U^0($^TEP:,_@?P;PV_RG)I#@[;()H8FY[? M&D6S6H%7Y:-;VFR'F(D(B33!BB]A4DRB>:1#PV:4PY&N&48)>Q\B.+W+SJID MYM.B[#'!8=FT9!8PR?B6.RF;)-U!QQZX9/ MD!N%=28*`0-GLX+(D9<3=X`(CP88[)MN#U-2E*4I2E*4I2J2ZUOQ5M2?Y M&+^T"M)2E*4I2E*4I5(=:2LCTVY2LB2_':23:%-Z.NSK8_"D7<@7Z"1/%/TU M`LB:C1;?9W-2#:Q:$Y;/W.IAWDS)W&.A\T8N2`Z3*1U1UOF')8"$9DY(3NMB M.3*84B->6+?J,,*RY0_$AL6BSX^RW\`W4=Q:9"Z-..BC@HX*@+<@VFQ$^U&< M>=127T7)N:>C8['-LL4E/\2<:D2"+8G)/`>7=-`E[QA-EA MQII4/:]+\>?&U2UM9NUNM4"X)>K6LV/:FP"&$A8**XK2"2[H1*IW--J*.`)"`DVP0-_(KY1) M-]KB<)25;)PE!M#DEW4!UUAAQI1L*RH]/NTB^89-C99D3(/,SL_OK7[ M46QO?Y:/;FFR%'!$A$2:8,07L*DF43[6QQ^_OM/X#E^1X#/21#>L4HKQJ;DQ M-NK,B"T9*W;T3M@3/%"(3`6H0$ZCK8255T:MG1#\"V`>._[E[5_=&ZFU*Y8Q MU^U.Y5J79ANG'L&-.+Q<:=E/D)(KJ;M*+SH'(+978 MT9H5=%(!JJL&?E.%%=KO-S;);;J#86YEQBQNS9<>+RL16,P*DH"^OI(2]JX`-EY&CS3K@(XUVV!1.ZKA(K(MQ'45VOID++"Q2;B]MM4RUX8Y.0' M].93NV2RG'%<<<1M2Y.?*F#CH@CI*8AW!E,`!M5M.D5BVQE*CK_X<-%_YS7+_`"_= M*ZJI2E*4I2JIOWXT^#?T?Y7_`(C8:M:E*Y-TB-B3I/8++G$U^\Q);MU*TX%C MP(4B\M)<'T<=GJ9`AL9G;;7* MD#98!DQ8L7Y,*X#KQGN)2!%6E%QU#DENKC###9NH-N:-?@@P;?\`[MVS^ZMU M,:4I2N3M)7H[VEEFLN:SW[O$ES+R=HP/'A195[;2Y2$=HU+61-0E!N-T$&K?!DZN';D1MZ/-23%0'554$D7<5#9I1V5D0:5L4Z.I2HZ_ M^'#1?^\LE(T[=!O_Q+@XB__2N->EH=2A6U:4W2TWAAS`<9>ML\ M+/B%F5';U>W5:,S623'(@%3,G708(EV%79$A&R>:2X-&?P/X-X;?N:MGA_56 MZF-*4I7*6@OEMITA?NL)86GEA_P`M&M[39"C@B0B)-,&(KV%23*)]I$/#9Y<B0VK1:<>:;2PW0=Q:9"Z-N.HC@HX*B+<@FVT M$^U&<>>127/<6IY9P;%Z2$SJ.[<8[T>P1B;+%)+_`!(VGY!%L9R>`H7=-`E[ MQA-E@VFE0]KTOL7"-JEK8S=[?:8-Q2]6M9K%I;`(82%@HKBM(*KNA$JER+8R M4E(Q`U(!Z+I2HZ_^'#1?^;#6;VF+[[M6G["GFP MUF]IB^^[5I^PIYL-9O:8OONU:?L*JRQ='.K&,SK?.LG5M?@6SB^%J"3B-JDA M`1UQTW"9%QM1!PN\X).BB.$!<%)01!39,=+VN[.4/9J76+?)%\=96,,V3A5F M>..PO'DTPAM*+`$H`IBT@H9`)'R)$6O,/2;K6CM\EN=8-]?F9&P<2Y37\,L[ MLEV.2*G8%TVU)ME.1J+0*+8D9D(HI$JSO']%M6<:L-MQVW=2U]&):H;,)@5Q MNU*J-M`@"FZLJJ^`IZU5:]_FPUF]IB^^[5I^PIYL-9O:8OONU:?L*>;#6;VF M+[[M6G["GFPUF]IB^^[5I^PIYL-9O:8OONU:?L*JRR]'.J^.3X$ZS=6M^!;. MLA;4W)Q&TR0@*\ZZXX;(N-J(.DK[HDZB(XH%P4N"(*;)GI?UW:RAW-3ZQ;Y( MOCC*Q@FR<*LSQQF5X\FV$-I1C@7`%,6D%#4!(^2BBI@#I0UN&1>ISG6%?GYV M0,'%N$U_#+.[(..2*G8!PVU)IE-R(66U%L2,R$4(B59OCFB>K&+X]:\9MG4M M?AAVB$Q!CBN.6I51IH$`4W5E57P%/6JK6Q\V&LWM,7WW:M/V%/-AK-[3%]]V MK3]A5:W7I%U9N"7N''ZM`?!1!P2`2 M$"1$(1),EYZ8->,BNUMO-]ZR+].>L[G?@M/899UC-/;B0O=CM]HW04$4'"%3 M;]+@H\BW\=\Z0]6LORFR95FO5OD5ZD8]-CS[>VYBMJ;;C/,N*8.-@+:`![JJ M$X@\B'T"51V&K,\V&LWM,7WW:M/V%/-AK-[3%]]VK3]A3S8:S>TQ??=JT_84 M\V&LWM,7WW:M/V%/-AK-[3%]]VK3]A3S8:S>TQ??=JT_84\V&LWM,7WW:M/V M%/-AK-[3%]]VK3]A3S8:S>TQ??=JT_84\V&LWM,7WW:M/V%/-AK-[3%]]VK3 M]A3S8:S>TQ??=JT_84\V&LWM,7WW:M/V%/-AK-[3%]]VK3]A4=U#Z=M2=3<* MN^!9-U)7]VUWJ.L:4`X[:P50W1?6+*$GBB>I4K'][3G7M%Y#^H;7]C3[VG.O M:+R']0VO[&GWM.=>T7D/ZAM?V-/O:TYU[1>0_J&U_8T^] MISKVB\A_4-K^QI][3G7M%Y#^H;7]C3[VG.O:+R']0VO[&GWM.=>T7D/ZAM?V M-/O:TYU[1>0_J&U_8T^]ISKVB\A_4-K^QI][3G7M%Y#^H M;7]C4:U&Z,&R^-? M,#[G)J-;,"D:8P>KR[MXU+)TGH7Q,MY*:N.*X:]U25U%4U5=T+P^C9/"I'I! MT!Y!I"S=`M74C?GG;LL5'C#'8`)PCLHRTFQBYXH"(F^Z;^M=U\:L3[VG.O:+ MR']0VO[&GWM.=>T7D/ZAM?V-/O:XSG.1ZPWS( M5Q:5(FPX+]LA1VB>>AOQ5(B9;$EV"2XJ)OMOM5X4I2E*4I2E*4I2L8/LN.&T MV\!&ULAB)(JCOZMT^BLE*5K9&38W$OT3%9606UF]3V'),6VN2VQE/L@J(;C; M2KS(154W)$5$W3>ME2E*4I2E*5C=?981"?>!M")!13)$W)?4GC]-?3CC;+9. MNF(`"*1$2[(*)ZU5?H2@&#@H8$A"2;HJ+NBI7U2E*4I2E*4I2E*4I2E*4K6S M\FQRUWBVX]<\@ML2Z7GN_!L%^6VW(F]H>3G9;)4)S@*HI<479/%=JV5*4I2E M*4I2E*4I2E*50G4YK]E^DV2Z::=X%;,=2^ZEW67;X]WR5YUNTVT8[*.EWNTJ M&;CG)!;!"'DJ+XU5&F74[K7?](]1=2MT_&\W>P]IV[L2+;CD=8BJCS MT:4C[KTY'T<:5M%[:\@,?5XUJ\.Z_LYO&(!>[ECF'7`[%JK:<%R.YV5^2=M= MM4[P&XQ.XJ&)(2B/!SDGCO\`3LGW.^Z!YL=OU/;L^"60KI9W? M8LN\2K;Y0XB%OX'!D*G#;QXU"\#UXN^F'4?KEIOI[98-\U&U&U0CP+#`GN$W M#:89ABY,F2"'TD:::\>(KS(E1!1=EKHG[H+E-_PKHWS^]V6\R;?>!CVZ(Q,@ M.G&=!U^?&94FR$N0>#A>HE5$^E:X6U[UAU>/IPQW2RT:A9#&R[1F3D;^8SXU MQ>:DR!M=SCV^'W71)",70GMFO)5Y<-_'P6NRNK'JHSC0X?AG#Z$:D*HB#NOQ9]8\:U!ZE-!;R&E]B\OSW3 M23DT2]R0([G:F760=\E;<385%4=5%51W\2VV0EW@&F777KUE6-:+ZIY5IO@\ M+"=5,S#!E;A391W();C[[(2@0ODVVD)DD4"4R7@J[BA(@SO[IGDD[%^GFU7" M)E%TL##F9V:/.FVV<[$>&&;AH\G<:5#1..^^R_15-:>:W7[3G,-9OD>3ELJ;,AM9(R:$,6+*DHCQ-JRA$0B2INJKOX#5DKU@=0T?3S!L MBN>E>'Q,AUIN]LMVGEK.X2%"/&?8[CLVZ&B>`HBMF+37I(+B(JJ2+6+(^NK4 M?2G$-9[1JKIY8).H6DCEF\+)+>&SW&/="`8\GDZBNL@WS3N(6_T(BIONGB;Z MJ.H6PYCJS#S#)--;N&EVG+V9LPL4MWY,5LD8[\:[Q+$%A/QW#<-[M_/?<)&3:9!4V M;,^1*0[+%8?W0/-7NF/)]8&L,QBZY+A^H#6$26;=+>^"[HA.LHDJ,9[.`)@^ MG'GOLJ;JGCLF'*^L#JTQ2Z:Q8G+TZTL.[:/VF)E%RF-W">41ZW/1^\D5IM41 MQR1MS3NJH-^@OH>*5UUBNI-IOVD5GU?N8):[9<<X"\41/%$3Q1$VC?4;K]K#U'=.XZFLXEB-MTGF:C6VW64O*Y*WQP(UP1L9 M3H\584#,"'MIQ(?7N2)NMS]0VOVL.H;_`%":4:2XEB)XGICA\B-E-POF+1#1O`;!D5[U`TY M&1%=O$IV.Q#>C1F2[KQANO9%M7")$12)4$15%6LFJ/W1++L(RG.;7;CTH8;T ML\EAWJU7N]O1;KDDY&Q*:%I;WV`&RY`*N"XI*B?EV21YWUQ9NWK1#T]PX--L M4LTZP6J_6>=J'.F04R49K0N]N'(9%66E;YHVO/FJGX(B^.VQS;K!U+M?4[>- M"[UDYO1C<:MLU(WUK9K8>H?%=++_?='*(+@ M"B*)*J;KMXS'3#J`U\UVU$R6?I;A^!L:7X?F#V(SI-ZG2PN]P*,0)*DQD:`F M@$4-%`'$W+;92'QVIVV_=-)-QR&%E#;FFJX-<,R'%F\?2].?&X(9/=D;J3&_ M;1OEZ:M<=^*IZ?\`"KO^E*4I2E*X:^Z!WUR'KST[8[U&R)LO M@89@>% M8D\.;Z51=1XTW)I*\SY*7$5185/J155.2PL M>O/5X\#9ZGTT[Q'S%OY5\`"/ELCXP^1>5+%^$5\/)^/=3]YVY?1RV].MQJOU M?Z_V'+]>K1IS@>"R+-H7'MMSG3;S+E"],C2(22"9;::\%=7B]L:D(B@"BB2E MNG6.G^6-9[@6-YRQ$*(WD5HAW8&"+DK0R&0=0%7PW5.>V^WT5OZ4I2E*4I2E M*4I2EO\`IQ%LEZG_`!!C:4YW'ONFE^=T_:LX7%EILE(I-B4F MA`$,_1).VJ[JOY=[+'H1D3,)U[GRX&**A"O%%W3PW%*M+J$T*7?!:OS+;-FSH\#F+Y17VWB M$6E<3@)DVG\,N*+_``MJAVI/1!I5G+.KMPM,B99,@UCM\>#=[CLDAN/V5;)# M98511%(F@(_2](D1?"HSEG0W>;YE^27ZP:ZSK';L^Q&#AV8Q!L$>5(GQ(T;R M=5BR'37R/N-[H2<'/$E5/'91E6GO22.#YCI'F,K41^Z/Z3X6]AC+2VP64GLD M(@#I*CB]M0`!3CL6^VZK4>Q?H6MV,Z/:-:2!J3)D-:09VSF[4Y;6(E5J5"CBRANQ3+BXVX M([DWS3Z/25$5%JO4SILG:>Z.ZOY+G&0YUJ9F6KRP+=E-ZQ*RM,38EN:1&6_) M;>)'NRT"JCC8D1N`J^K;=(%H%@&=9>_J'T^XQ"(-)LTP>9$G98[I,WACT.[O M(K`-ML"#*351HR-544V\$0A1/2O_`#SI#G9%@VB]DQ+5(\?R31%J(W9KQ(LH M3XTI68;<8R>ADZ*;DC8D*HYN"JNRKZZBSG0&D:#EV4:X9,>=/Q2UIQB'C3S M*6]#2UBQ&-A'A7N)W57GRXJ@[;;;KZZDV7Z!2LCZ72Z;+7G3UIYXM$Q4[X,% M'36.TRVRZ79[@INZT!CMS]'N>M=O&OYW0!HS:I^FV1:3VRUX'D6GM[@W0KO; M[2!OW=AEM0=C2%0@54>1=R/=53Q\%WJ&R_N=U[+$YFE%LZB+C!TT;R@*RL7996WH"7,7F!9[Q%W%[2IQWXHA;[[;UJ[]TAY;!U5R_4;1_7%<) MB:@/L3.R>%:O6GHOR_6NVGIU? M]?'!TQ-R#V["]B<.1L+=LGN._?#S96-:592&28M;0QB*T8(LDG7VY;R.*4@R$S; M%Q$;0.2DH'X(D\P[I5SK2W4R]Y#I-K],QW!,HRB2+XUXM-NCW+-(9;C9-QSD"TXH\8XF2@*#XD2J2KX(D9F=#V1#I/@&GMFUZGQKO MI3DWP[AM^EV)N6<.(*$C4&0R3R)($!+BA\@]$03CLFR^V[='^H,?42ZZI:>] M008[D&86JW0LR1OH$B$&]V>O#7%XO1)!CB!;D(")>&R*N^Y+'&?N?#C?-8W=7EP[?+;^'OZ53R_](<&^SNH M.:6=OLKKW;X$!\4MZ%\$)%A'%0A7N?+%:1DDWVU?2.R#2.*.Z\>7#?;==M_6M2"E*4I2E*4I2E*4I2E*4I2E*4 CI2E*4I2E*4I2E*4I2E*4I2E*4I2E*4I2E*4I2E*4I2E?_]D` ` end EOF /tmp/uudec << 'EOF' begin 664 doc/gawk_api-figure2.pdf M)5!$1BTQ+C4*);7MKOL*-"`P(&]B:@H\/"`O3&5N9W1H(#4@,"!2"B`@("]& M:6QT97(@+T9L871E1&5C;V1E"CX^"G-T30P5-U.M\J]WFUBYFU,G).K_9YV>WS/UHZ!KT<4 M98>*D(M_).DH>4Q3_DJ3M&R7*/##](Q1Q[380RU2*I9G'Z_F"'=,#_+_+NB/ M6"-\3&9`2ODZQANA+3,J!]=I(4$JO3\!54!%B6_>+F,\&85GZ\P#,AN4 M/8"13/IU.%@/7/46>K-J>"IZ4R^C\3'52U^%+ M,PS1=_U85I1X#TV5:W-R]KP)`=VP6'5!S5GASL%O_4,JQ`IE;F1S=')E86T* M96YD;V)J"C4@,"!O8FH*("`@-#4U"F5N9&]B:@HS(#`@;V)J"CP\"B`@("]% M>'1'4W1A=&4@/#P*("`@("`@+V$P(#P\("]#02`Q("]C82`Q(#X^"B`@(#X^ M"B`@("]0871T97)N(#P\("]P-B`V(#`@4B`O<#<@-R`P(%(@+W`X(#@@,"!2 M("]P.2`Y(#`@4B`O<#$P(#$P(#`@4B`^/@H@("`O1F]N="`\/`H@("`@("`O M9BTP+3`@,3$@,"!2"B`@("`@("]F+3$M,"`Q,B`P(%(*("`@/CX*/CX*96YD M;V)J"C(@,"!O8FH*/#P@+U1Y<&4@+U!A9V4@)2`Q"B`@("]087)E;G0@,2`P M(%(*("`@+TUE9&EA0F]X(%L@,"`P(#0P.2XQ.3DY.#(@,38W+C,Y.3DY-"!= M"B`@("]#;VYT96YT7!E(#$*("`@+TUA=')I>"!;(#`N,#`R,C4@+3`N,#`T-2`P+C0U(#`N,R`P M(#$V-RXS.3DY.30@70H@("`O4F5S;W5R8V5S(#P\("]83V)J96-T(#P\("]X M,3,@,3,@,"!2(#X^(#X^"CX^"G-T7!E(#$*("`@+T)";W@@6R`P(#`@ M-C`P(#$P,"!="B`@("]84W1E<"`V,#`*("`@+UE3=&5P(#$P,`H@("`O5&EL M:6YG5'EP92`Q"B`@("]086EN=%1Y<&4@,0H@("`O36%T#$U($1O(`H*96YD"!;(#`@,"`V,#`@,3`P(%T*("`@+UA3=&5P(#8P,`H@ M("`O65-T97`@,3`P"B`@("]4:6QI;F=4>7!E(#$*("`@+U!A:6YT5'EP92`Q M"B`@("]-871R:7@@6R`P+C`P,C(U("TP+C`P-#4@,"XT-2`P+C,@,"`Q-C#$W(#$W M(#`@4B`^/B`^/@H^/@IS=')E86T*("]X,3<@1&\@"@IE;F1S=')E86T*96YD M;V)J"C$X(#`@;V)J"B`@(#$P"F5N9&]B:@HY(#`@;V)J"CP\("],96YG=&@@ M,C`@,"!2"B`@("]0871T97)N5'EP92`Q"B`@("]"0F]X(%L@,"`P(#8P,"`Q M,#`@70H@("`O6%-T97`@-C`P"B`@("]94W1E<"`Q,#`*("`@+U1I;&EN9U1Y M<&4@,0H@("`O4&%I;G14>7!E(#$*("`@+TUA=')I>"!;(#`N,#`R,C4@+3`N M,#`T-2`P+C0U(#`N,R`P(#$V-RXS.3DY.30@70H@("`O4F5S;W5R8V5S(#P\ M("]83V)J96-T(#P\("]X,3D@,3D@,"!2(#X^(#X^"CX^"G-T7!E(#$*("`@ M+TUA=')I>"!;(#`N,#`T-2`M,"XP,#D@+3`N-#4@,"XS(#`@,38W+C,Y.3DY M-"!="B`@("]297-O=7)C97,@/#P@+UA/8FIE8W0@/#P@+W@R,2`R,2`P(%(@ M/CX@/CX*/CX*#(Q($1O(`H*96YD1*BV M"N9S!P]__8"M]S$CS%U!J/K=A5Q6_N0?U[Z%D.$PC,478$#SPPUX-[P`O'=A MG=6%A'U#?>V=PH,F9R#@-#G]_N+K5'M1 MBV\6>W!!G."MA_8D4MOB8I>O@_6U60U%7R`>\'?Y]VJ,7_QU@'H"-,(H#G[H MQ:\C#AA5!Y#)>W1Z)B+0/.>)$?DQWA/MQ4P_QC]KV>.F32&3=7C'8\ED\3W1 MP_;PHICO&\&O1SG&[0WV7I`%%W-;OB?,POD4XC8^H?SX!C(C)T(^VH#A?#@4 M['5ASAP1R)N/:\4>'>5?SGF7GWIZ<>E"<<%S)G:FCG86'\3^VM21R23;O/7, M@?G\VL&`Q+FN-'<(I;.[J!1^`[G1-H0LJJ?B":RK2+#$P(8@-M&Z(/8T>G2T M68B#9\][V,60(([E\OE[)R8?3DQ==3(N_LV-U7EX5O'+Q M>Q,Y*C!^9/=XO&LW4NWIAX>=.HH:D04`\647J;TIHF'X&&47BY?!-X_L3O+L MM4?6CLNJ4P0W77R)JCET"/P^"GXQ@E\BX'?B]%8*O,[0;FQQ8S4*`14+43"# M>"D6#;3BDE5`#/X[XVJP&F-A?T(ZRW.^T]E[$T93).*O"Z;;AT\?NG]Y9K2K MAFG#LZS';#,S!MI$TPU]?"+EJA6Y9"A@-P7J:@9[^\;M=E'%01WH8Z(FB"<[ M:9#83ZF05..5P&7K8E$U;NI,$-_R1`/W<%P-[9P^V#(M\V`P#V:NLQYQ_7R3 MW6`RN!EGF-DY^!Z,2C`K,2Z!R$(0-VGC$F0LTC)2V ML5&_>%2,/[$2%?%ZA\O4(338(D)8>^1139L0\=M^<947SF,5$LI4.;R+.M"]31`;/+ MT.&3;U3;.N*!\:BFF8B(V*:C_244>E66K^UP^U^52S4#L!*#\XFO:(`NA$`%[R9J")XU=]%*.04'4VMHOF?[ MM!(;L=EJ:??J8G^VQV_XSD-?Z]GB:L<1T1W::IL8/-E`-[B98+\SW-?;].": MVPW@Q+AZXR#^B#H!-03YHN5:::`8VE(6!2MZIEBSBP_RN5J7F4WW?CK\TW,N MVC@P>@]UDXYRV(<8A4(G,ET<#KI-SZB;I0/M3:1&JQ`;L@ M,_6P"L\UT6:6MP^F?#:KN\EB]T[UVWC6S+A]9K-/R_"834QXS0S3@KSS#'OD,'8[U9KQQKNPK^A9I`>P8W3&-&3F`-I[(D ME,FDCH_Q[4%=,KDDBKIZUD,EA(\3LV/79?E'_F9[\X]E&;_(H'+-_AN5`UE6 M@E(O0:>N[!]+;!.@D4"T%'6HJE1.7-XQL93//W3O`!P-&*U?3@\E)Z?.3LDR MWW'NYJIPDG$YF3N?'^O;.=[9O6M,Q=&%C?UX+SJ'MD#-B6A*=;OS_;/G:^FZ M!LVYXF=64TUU#>C3`GAK!;QM173EEE*UL)3%1_VX[8&G+_[VXL4C0W.SYV9G M\8VU[/Y\?O_\.7E7=]?X^-*X*F\*C--2ITE^=*HVZ,MWQ0".F$HY/N5A!+YU(+/)'3V8^_()!Q,P`G6_^4UVYI!$-VF/N_N-AB'O ML0JD9A*K9J\KY/0RI\3I,J1*\H^!_.E23EBB_13<#Z5+CX!:K27'[F9#]Q1G M=BW\2S;L'OY)WD5BK<8`ZM$6N-&^%(6&32]7XC$WU-P\U%R)"N7U-KF]/K>K MI(V&5'54BZHH4$AEU[%2&?5?!C:W6L()#[.^4VF!8H4)C:6F8SW!A11,Z M9&65P93$*8.9L%(5(ELYGGM$^KWCUQD'K)/N.&YG'#RG:(.2,G(\HTYD,G"> M-E0W-Q-6=*&K'KP&TMFUN3F'@N`8?>BJ5QT:W!RJ#C68V.ZVL+(EQ)XB0MZ$ M8UA%XQOE6:7*OU-!*:F0*V19\M+EX+B,HZ!RZ1)'!&XM:5?OJ.?@Q)H0^XYJ M3FV(;5/TP3F)9;?S(]D'6(F5]Y>.(.OJB&00S1;8[861+%]@"[PJCB>'*X.P M$NPC`\I@CC"PQZ!*2MRR+8P6^"S94-I"NK!23\+0`'J;B`'DI>$K!A1(QV85-2G^,UF*%#+Z-!/"B*>.QZ/9I'ZI,LGI;(,RWQ^T%[ M7G1`AWD1/#^8EJY!%4K.B]4UN)JZ,\"K97'R;X+ MY?4M0%-E_ACIR[(>!_H$E-H%]!JLA.I#/0L:5A$M@>"=E*LJN.JJWH1O]"C0 M-X#@=ZX.;-#!;V%]+5"T3#"GAZI;O0/HAQA$O4*2RJ49K MD>8ZWEA5\'DTIE2GI*L8?SMS=82@6JF'A*73\+*2<0'ZYB2D:-AA11,<4JK8 MX6N:,2I(&*QH2Z,9A88?"NB?!M0'H@IE;F1S=')E86T*96YD;V)J"C,T(#`@ M;V)J"B`@(#(W,3,*96YD;V)J"C,U(#`@;V)J"CP\("],96YG=&@@,S8@,"!2 M"B`@("]&:6QT97(@+T9L871E1&5C;V1E"CX^"G-T6K2:M44G_([[DE/'G,+)H[]DR#F#-L(QC%/!*7,D M6\[9LEW$5,C?BK]EOORCYG_,Y+M4^`#O)\5'R3-_S,C<0J#QQ(L1Y\(3&1P^ M[HZ?/*OB\POL)Z<1"F5N9'-T"!;("TV,#`@ M+3(P,"`W,S8@.#`P(%T*("`@+TET86QI8T%N9VQE(#`*("`@+T%S8V5N="`X M,#`*("`@+T1EVQ;UWD_YUQ>DB(ED9=/2=3C4I>D9/&2>I`2)9EQ*%*49%&*)4NR>279)B7Y MD=J.E;<[YZ$TZ9*IRYKFL719FZ5IAP%#,!S:B9?NCR`)L")`VV'(BFY`TR#H MFFW`AJU>U@5K9FK?=TG)\YWO?/>O?$^LFS/W?]Y!>$V,\08GW^ MY)DOGOCQK4^OP]@KA-0^=>IX<4W\UL]>)*39`+R!4\`PFD@S]&$^$CAU]I[S MO7/"R]`O0+]PYMQJD9`__@'TWX3^VMGB^75Z>]T50EH"T)?7[SJ^OO_V40;] M4>A_EQC(A?++K,W0!&A-)$AZ25W*TA6RFT4#(X:>,/5+?E'R2\SC=AE-\"CM MH?[^@8'^>$AI-^F]^$#,X:F.`,W:RLOT.^5G:.+V6*3/9K'8^D--2HO7+%KK M]K8;72Z;#9[RR^+Y^*]^(=JO_C05ZQ\V1:QU==9YP;_''[`*=1:GJ_R:RV9W MN^TV%V'$MA5BC6R))$B:Y%,+$2NC9CJ9H*8)0DPU)E*S3@Q&T6@0UXF94&:F MJQ9:4V-:(B;36HXP9EPB1N-BCHBBL$0$X:@P-3@XF!XU`,4Z3"Z7;%8GZ>J5J@_YO)X8GVZUA4U$R%\#\0\`PD#"%<&%=88.]'; M'2N.!'R>U.SPX9XG-I9O5^]V)^+[DU%U)C?E;^F)#*ZFYD\FRQ_T]JG1G@+] MI<,STAN?B9IM#<%0-CRCA28&FV5[H+W5/ZPVQQV-^V-#A[I9B_QT(MHSF.A; M`WLH6U?H?S,9XB!(,JF4ES+!0REKI:+!*#"!B(9)0HE!I(95T%[7>2UGI*)( MEL#K*V2JI:4EV!((*DJ@TV1I#`<\7E,HU&'<]F&LXMZ.@5B?VVU,]"OMJ"+] MD=/MBPS9?+-]!Y8?O"?='1\^V+IZY/O?#O8_$`J>;3$O&)109\?B_D-+K;$] MS8=#E]_?-W)Z.=0%:U)2"_'_-TR"UI]JM9@`):.3!H$QMIRCD#*+9,KAD!QV M$?#X%4%0A)C3B?]8X:69@]^\=V-R^='Y`Q?H'Y6+3"I/TTOX@"VF85X?^PCB MMX;(J183Q7EQV@FR>VJ77;!XPS%%2CB=BI"(_7!CX\FWGKE<>IQ]6%_N+_\= M]4,2(LXHS/QLN)`4@AG@Q M"4H%]0>/.&H>>O"WF5':2/SIA7M>H?X_7`J4[?1*NGVI4/Y[=JG<3'^^M44P MCW\JM)!VX@%*(%[RB8X#]*)7P<<.,INRV"D5K!1">S+'[3/YE),`8PER5!"6 MM^'X4EZ"71@R+('K#6O;(UJJ#J9T$$ER*DZCI2%,/&Y)D=#'1A,0,>]`C/[9 M@0V_[.]OW#AG21]C\L)4^1%ZNCNTIZ/\%)/&%F`"1F;AU0^VL'!1R";%#>LY,%D4=XR^_,RS M%V8?^\'8Q%?'Q]FE.^ZX^^XK8)AO[9VX4-ZVP>.LC=C(Z1QW@-ZV6G"OB8%> M;!("?L*7LD$C['"%2:TBZ$"\2]7PJF#RI3QZ1*"5E]"1:]4!+06Q"6O4@WE$ M"!("R7#-,F":!F_W@'WC7*USHINUF1XP9L;*_\BD4T.WZ'8);UUA+>"K M.M)`U-0>$2:GL`2E>O793KKZ>D+J&^J]3@D$:X-&B[MBDVK6#<1V"DE(H2\\ MFER?OO>QY)W3=P_AWR"3G_O2W,-CSSTZ]]!8\?)1;?'($:UJ(\$":[>1Y51M MLY=1T6%AUR+%(P`,<6GJ@V3LO/1L!I!VVU!M+,HE=NCI-#72R?)GHOND! MWUB@/MA)"UE-N6Q48"XG,X"'B$&8M,,"$Q5+>?4HAOY:#K.'+-'MO/)=&X$I M%_5AN@3!LX+!4P>(6J3FSJ`B(2XJ*1W77-KGE=A`HC^$`87>998[:QJG^HJG MXL7T5"(7]WIZ6N-[XWWLPZN^3$C]_4<./CP^1&NO'O,K_][LR`K(8R\#$1P4PB*1*#H5KE`94.=85-.0+!0#M@:@H3DU_?OQ+> M:\`\[@[=BS&Z)91?-64&E7U*?_[,%Q\=_,+^<[_U\,GN?O&OJ;5K.NUMV#_^ M[,;L(_N??"CXE>P4QIP-\+P%>((DGNH%,((;\HRX,!4G=Z<7I&353,`-DD`@ MO#O!P!X>[_8>VY&HAGZHH[JUTF.S?:,CH2Y'=_30W,:QD=,=J6PN''/VQF>G M8D>23+XU%VYI<#2XZ[Q3HP>T3F4BWM[J];EMG@-[U;%.Q"F![^WL;;('<6)Y M:(""0+S7XRQ^"N<>TAE4@SI.?5N\#FD5ZF>P%L]TCP1SX9Z]WN3>$R=OO6_V MP(.1;,>A^-!8PW#BCI7DZ5'V=EAK..`K:U$Q\YG7+5P?;3V`#Q:M;CU5+#R'@E7AL(5AD1L--E MV-PQ8BMUQI=J)LC;JPY^BL; MA!MV_K>+O<=&YGLWUDVMLUVI6*PMX0J"!YY^[.##$\,?U[-_'NGL+,NPNMC.,]8\=1A-8O,H!\\Z'7G&8?=`"7!KW1` MK>J(>1,Q$_WXV;-GGN0O/KVH?>4/WGV7>G_UZJO_B3A%L-<#[#DX!41380\5 M*9VLM4)QPFV$:95YR;43G"(YH3@CV"!X#4PC*?VQ_H0[9E(D-%F"/M"<#=PV M.S>W<:'N#E]+J[_1Y:*'%ZAW^5[;8\OE?^EH=VV?,\@/00^!.*'LZW&C@Y?L M#*("#DQX5()QU'F$?6GK9W!6L9*!RC:+&R==@@BDJQAW#H::T\/(0*"4'-!2 M%I"Q$DM`@/V.[;HHY"*1@!*)*$)+Q.]75;\?]P/\1B!X@ZHE!G8;M*T0H@*I M)P^3+3I'B_0\?8@^S;['WI-#,#^V, MW_R/PAKOT1?H-^B+\'NI^OL>_-ZA[WSNE__7O]IJZ_P47]3?9OUM_YSO85N& M$U<=6('HMC'"@_=!J[YKHF]JX/SBUF4%XOJ-8/[__/=E^!TE1]D`F/-/RA^S M]-9'V.[F5S@X4AU[''Y%4L3B@-FR%=+'WX8=2-ZZ4NE=)_,1D[;YNM1'-Y?; M/9O0LDN.<*+*G"SDLYHLYUXG];,Y;IQ;S/.XCW=JA1/RYD*>LV#QNV8(LM55 M9<7G]W.B<9)11B]")&4*Z0BG*I<+)R*_;S,M\9B;OYRG-)_-!I`8U32Y5A(IKO!-8U9[,>W"\!R7?G,G+`&*S*'/+ M3+X`'!G'+$@-(#50\!4T3?-Q&M8TA9.9_'%-BW!!E6$>0[`(@,3,3)Z+2IH; ME33`US@M1+A!50"7O%825](RCE06QS<7"]E5+G3Y@9^1-^5-F+O4(P9!K=E\ M8<97/*CE%0U&4W-Y&/*A4M65(UQ4N2D3O@@)IYO&"%TEK8")E721LY43G*[" M^ESLBG"3*B-(:V;U=3BGRC@#3Q4T%"F,ZB#-ZD63E62RZ2[_CK%KU.N-;ZG, M0L,`(0,:%^3LIE)$1^B6(CZT)I=]`'(;)1>"2G&TLH3U)I_S`'Q%?-=4V_U1 MK:HK=-%J$;)YOT_Q:UW^"*]32XQE^5IQ-,+K51"495Z;F<3/@5#2&J_#WD'H MU4$OPFTPC5TWB0P66(5U>7VF(&\69%X/1HMPNYJ;SY<,:Z-:@-<=5\Y'N*3F M9O.YN0K3YP>^4^<[U!*Q91;R)9LMPVDQS6UA#%((W72I%E]U\.+4`YX0@C/Y M$AH/M$UO@GMQV2Z_`I]MT[[*.'X"L8\<#309!_SCP+W>53=Q8`EJM0+6RG"R M[R)L9KJOG"HI$9:=SW.;DI:SW`I!:5$@WM)R`99_S6ZG4*'3ZL#.V7K4D8-N@E@S8-JHE$=LFM63$UJ>63-@VJR4S MMBUJJ0;;/:H:A$5EK47Y`SXIY#1W0'I MHV*\154>"?,(9%(W!/&X?!-/*,5!!&Y6AE#FZ`.4%*Y@7, M]]1L_A*3!=EWB86$)BV--=`,U531I94QR+[,IU.I@'6H4NQ9IK"F<"%37(-A MEBGZ@"Y@#?KT-T6`!(59&0,?*K#"&.@%C;X*S'>#191*M3-`@H/M10@H\3.S MPHRH45`'`>^92I6[MA:X?!AM(`-'#%5MH"3!-'MU-C=#\LCRF#*.BZ&WDKK) M4(&J1_ZTBMNNW*5OOU;%F$5C;.L_AOK[E:H!JGKLJ#P.*KLKR0F[.^2A,\KCD(L3 M-^'OAYI+74[>#_2DRA/0Y-!J6;"K/`9;V;:=IE0,1YX#PP_@=V=-%S.H6BZSJ%HG>J_)8=T;NPHXO>K5,H>H].H>B]ZJ4:`]L^/*7#W'R< M"X&9\]M[2J1R2S/XVD=6HO]US);\)1&$?\(]XEW7S'UZZXD)5^O*+XHSA@WH MFN#`2?5-A%9N''`U?/5JW2=Y<:;*O_;7P%X@%U@CL;%VHK#W22WSD&FAB41I M$TFR+)EF!\@LW81V@H2%@]".;WW"#I,>UDG"]#WXKH=(;)Y,T_=)F#E`]C^V MKM+[B0C?3\--8Z2ZSG<`#&QL[!0\;P(JN)\*@%7X.BBFPO,-P#@*#XP9@6_\ M`-2`;\QQ>-Z#"^E3A%CR\`#?.@C/$Y5K<*V*_Z^I:]5`_Q)NQ$=U[0,D3NX' MWO/6Y^%F2PE<9MXY"`<]^GNPLU4*Z'J)&-.7UV:277!O[L).JO:P.6/N-2FB MUR":JZRB<=HX+';!/4EG6=-O>."&7+M1@[=FD=0`SYY^@Z1V?CI/(*.E`'UB M%FK#$_F2L#9:"F'O+\P;A!I23ZS"019$X*JBI6HU<]8<,P7%1H-8V_4ZW?HR M-SP)F_-H25S#_U3]'\M$5TL*96YD)Q=DDUO@S`,AN_Y%3YV MAXJ/\K%*"&GJ+ASVH77[`9`X'=((4:`'_OWLN.JD'!F=RG(PHUYOI_C64^]50LWG;5EQZIR=5=-`\D') M90T;[)[,/."#`H#D+1@,H[O`[NMT%NE\]?X')W0KI*IMP:`ENY?>O_830A*; M]YVA_+AN>VK[J_CSYE\DIX-+K[7&'IW0=6D:0N-M:U"9_[E\EO+8/5W M'U13U52:IA2(,^&,N!:]COH@^D!0N07/K0K1"^92N&2?@_@]NCP_E_XV7-7?'X!X`&?6@IE;F1S=')E M86T*96YD;V)J"C0Q(#`@;V)J"B`@(#,R,@IE;F1O8FH*-#(@,"!O8FH*/#P@ M+U1Y<&4@+T9O;G1$97-C2`H1FER82!386YS($UE9&EU M;2D*("`@+T9L86=S(#,R"B`@("]&;VYT0D)O>"!;("TW-34@+3,U-"`Q,S8P M(#$Q-3(@70H@("`O271A;&EC06YG;&4@,`H@("`O07-C96YT(#DS-0H@("`O M1&5S8V5N="`M,C8U"B`@("]#87!(96EG:'0@,3$U,@H@("`O4W1E;58@.#`* M("`@+U-T96U((#@P"B`@("]&;VYT1FEL93(@,S@@,"!2"CX^"F5N9&]B:@HQ M,B`P(&]B:@H\/"`O5'EP92`O1F]N=`H@("`O4W5B='EP92`O5')U951Y<&4* M("`@+T)A)SLG7E\3-?[Q]]9[%OL:HENVM)62VE1_54I7R.)K8+&'KO$ MB#V"B"V2B"V)H(@(B7U+,':MI=56[92BJ%+[E@59?W^LSP')!*)1"*12"02B40BD4@D$HE$(I%()!*)1"*12"02 MB40BD4@DN0>;K#9`(LDF6`-I66V$)$]3$<@'/'R)QY3WM23+60VL>\[O%`#< M+6"+)7$$WOL/W_\,^`FX"9P`!KP,HYZ12L`5X.-,WO,'_@+>?H[C30*\@#K` M2J#J,WRG"W`;6/6,O_$3<`=H9*9]F(GV+#1`V%D1",$RU[X;XOQ66.#8)JR! MWQ'7X,-G^'Q'X!:P(8.^,A/-DA0&@H%4(.`YOUL,^!-8A#A_2_\`7P?\_YG8\0K;="+]\(_T,OGJ_79"6P`*AM_'[99_A.*6`I8'C&W_@0>`0T-=/L`&>@_#-;*FB` ML+,8L`?AQ%\V)8%(8),%CFW._R'.);,&349*`&'`S@SZ%\"7+]FN?V,AHE'S M*\_O!`%:(NZ%%IF\9P"^?V'+\@"V66U`-J`MT`'1FMH'N"%:AX,1+=?ZP""@ M,G`,\`7^-GZW,C`>J`X0!GC M;X"H-)*!&T8;4HQZ76`(4`4X:?S\)>-[;H@"O!^(!5P0D=5(X/%3KD5E1`13 MTWB.LQ"%T]IX3A40D!T,1GM*(Z[KS\!,HVV7`9WQ6G@A6K\@G($7\(GQ6OP#1`/KS7Z_ MJ/%W!AG/QYRR1FW!,YR'.7\"\<;SB$=$MR;*`*,146*"T?9M",=Y`;`'I@&? M(NZ9<8CK">(^[084![9D^,VO@9X(9_T0V&CV7GU@(.+^F85HK-@B_H=_&.V] M@[A&YTF_E_XK51#WQP?`140/ASG_`_H@KO,OB/OX#L^&,]#9^-T3""?;'CAD M=NP`A'/P,=,K&FVJB;CV5F;'M$7<6V6`^\`/9N]9(?XOE8'EB'+[%>)>FOF, M-C^)`8BRN?YI'WP"T8C>BLP:/U,0Y_$1HD[*R/\A>G%&D5Z_Y"DRAL]YD7C$ MC3T46(.H$"H@;O(FB(KH(>)&JX$HK&41E><>1.6]SOAW(/`&HN"E(@JT'>"4 MR>\N1;3`-R*ZXKY!=,L]!AX8/W/7^+A#>K]^0^!'1,48#;P%'$0X$Q`5V?O` M5"`0<>/7-A[[WRB/:(E6-Q[WH?'\&AE_NR"BDM$!M8!.B`H[V6ACLO$[=Q%. M/^$IOVG[&(_Q!:*;-0UQ772([L54H\W]$!7>#H0CF&C\;E&$ M$ZX/;$9TDW4"ZF7X_2\13B4F$]N*/,=YF',0.&(\ES5F>B%@K_$WMP#'C3:9 M=U=]`;R)#)PUVMH9M5,Q7;LO@7"Z=$/?.0\1U_\+X M_G72S_]GHUW_E1*(ZU\#<0T2@=9F[[L8?_,6L!7QO]N#Z!I\&GV!"(2SCD9$ M?>TR?'>0\?>M2'SWZM,;ILY!`YM=N#Z)^R2Q*!%$'?8OH!9#D83P0A?&3#'H,HO(<:7QX(2J0 M08B;_S;I-UX!1/3DE>$8[1`12$96(%J;&Q$5=V?2"U,M1*$KDLGW5B(J0I-- MG@C'-]+L,Z'`:9YM+,K$$,2YC3([]BG4K5-71.69B&C]FG<1?H^(<%Z4RX@H M,"/[4)_;141E#F(<[0KI/1JC26^]MT=$T.85PW"TE<$@TAL=YG1%.(>@9[+^ MV6B)<%3F%8Z>=.L0/HNP\0MMEFAGE2!^2 M`-$0ZISA,Z9KE6C\:TUZF4W,Y'//PS9$PS,[407AN,]G\IX=K[Z!I1(*T1704QB)9X/*(B.XKH:G%#=+?9("*H_T-,$-F+Z(+L MBNB>^A!107]B_&YQQ%C,/>-GKR"Z7@\B''$A1(02BQB?Z`ET!]8B*KZNB"Z^ M?8@*M0PB:CL+]$>,HU5$W/RU$.,AJ4^Y#K<078LGC,>^A6CMWC->C_E&FZ8@ M6JO^B.CB)T3$U1HQ]O/`>,Z^1ILRBX+-J8CHWFJ*N-YO&^T^:WR_D?&1C&@H MU#?:MALQ@[8F<(#T<=-JB);Z><3_Y&V$`ZF)B/B[(2(L$U;&\XY&_!],7$1T MC8_CY4T4N8V(8*HC[ID/C.?0S^Q\7D=$LW:(_V5I1*22`HQ%_!_?!*8C*KY8 MQ'W@BKB'&B.<>A7C>5]"7-L.B'LR$='H^@>U$_HW2B.<3ARBR_Q9N(;X?WQF M/-=.B/\SB/OQ)F*L+@G1N/(U_AW*TROL=XS'2D++\?@!Z M(Z[+*42W:W]$-[`5XIJ89F$?-IYG-S(OL\40W=--$>73'C&,"/!#E-_,Q@3]$./W"U$W6/(, MT@F*0E`.4;&^B:B$]B$JK".(PM0=X7CJ(J*+C8C*91O"X;@8OV^%N-'V(@I> M6T3WS!7CL:LBQH+N(\8.WS,>NS9B(L@,1,&[AW#"_4D?FP@'SB"0]HTUW$=TAIFCM341AW<33QQU,CJ4-PNDV03C<'8B*]AOC.>\WGD]E1(5Z MSFC72<389P_C>?V`Z-XQ;W5GQGN(V9?_(+JIWD3(FHG%R!N&('QAM.8AHN#@9K]/_C-<@`!'EF;AF//9K:*?%VQN_Z\O+ M66MU'W%OM#`>MSGIT^+S(ZYYK-&^(HC)#(F(,;I51OL[(<9%]R+NT1*(:]$' MX5QO(YS?FXCK\A.B@OT8<>W>1-Q[)Q&]'\]"*\28G:D[_%E(0)2/_QEM+HIP M0K:(^S48X51[(NZMRXCN[8P]&IFQ$^$H.AN/_1[B_E^!N/]B$0W-:$0#XQK" M&:Q!E+\FQN_:(<9>K8VV%"&]S/Y->IG=AG!.`Q#E/Y_Q/3O4D;6IL=&%Y^L5 M:H.X%V(1C9TW$67\]^]"^@2DS.J`8&`>S^>T)9),J8AP#MVS MV`[)\^.*<#89)P^9)BJM152">95P7NVZS9S*3/[;N/B+D`\1Y:4A&NGFF'H" MIC_ANZ\C&EP%G_"^1/)4;!&12)KQL8?LN[;/E70[,WL\RUC,B_#]O_QFE(5^ M\WFQ1G1[5LSD/1VBN^A9UOKE5D:@74-I*0KR[_=I]U=DQXLPF,PGLUF2@HAQ M99=,WLN'Z.Y\TB2>CWEU$Z6R+59/_XCD*51#=+W$(\;YGC;VEE64X=]GBQ[" M,NF5WN')A?`.S]XE)\D;6"/&L9_$1427KT0BD4@D$HE$(I%()!*)1"*12"02 MB40BD4@D$HE$(I%()!*)1"*12"02B40BD4@D$HE$(I%()!))WD1FC)%(7@Z% M$2FSGK;/G*WQ,X\12:;C$7E+[V&9C#T2B>1?D$Y0(DG'%K&C2`7$KA+E$$FT MRR$2:!=![#!@A\@1FX)(DY(+:C>=:]Y@J0[CSS&_\^-.HI"*?X")&? M]I;Q<3W#ZQO&1QP2B>2YD4Y0DI+L:V:/?Q`.Y@IB&Z0' MQD<\KVZ3TL*(?>[*(IQQ640>V+*([83*&!_%S>R_:'Q<,/O[M'T=)9(\B72" MDMQ&(>!]1&+SM\W^ED`XLG-FC_.(?>-N\.S[Y&5W7D-LD?,Z8M]`T_,*B,CR M*N+<3R#V%#S!LV^N*Y'D.J03E.1D*B`VGOW8^*B.Z(X\B=ADU^3HSB$<8%[' M&N$DWT4T%#XP/DH@HMWCB!W8CR,V=)5=K))!3Q#Y_"0BG:'*,Y[+,.HGD)2"=H"0[ M4`A1R39$.+W7$1'(?F"?\7E*5ADG46&'^%]]9GR\A>ARW@WL1/ROLNO&TA*) M!ND$)5G%!T!SXZ,T(JHP.3VYVWS.HAK0V/BHB1A3W(5PBF>ST"Z)Y*E()RAY M5=@!7P/_`QH@)JYL`;8"E[+0+LG+Q1KA"!L#31!1_2\(A[@+,3M5(LDV2"6D/HE$8E$^`4(0>3C]$?DF)9*L)#_@ MA.A^/P:,1R0)ET@DDI="*<`#.`BL!1P1J;,DDNQ&,:`;L`0$K!#3TV,0K6EGY,0#2<[& M-'Z]%=AN?"[7'THD$A5%@0&(;!T+$+/P))+O`4L2.W9]EK2D22:ZB(#`0 MX0S'(B)%B42232B)R*Y_"#'A12*16(;\B(3QIQ!E3NYS*)%D(05('[?HAI1`BP?P)H!\R8;=$ M8G&^!'X"9B.36DLDV842B.[1WQ`[K4@DDI=,!<2DETW(??PDDNR*/:*<;@=J M9;$M$DFNP)KT@?BN66R+1")Y-CX!=@$K$;.V)1+)"_`)L!^8A1QXETAR(E\# MOR"Z2N4:0XGD&2D-S$>L]ZN>Q;9())+_1C[`#3%YIALR9Z]$\D2L$%V>QXQ_ M96&12'(/=HA>G=V(?+X2B<2,=Q&[N0!+[+8%HE$\FJP1MWK(Y'D2=Y$S"";A]CM6B*1Y"W*([8YVP&\E\6V2"2O M#&M`#QP&&F2Q+1*)).OY"I'[UQN1DDTBR;68HK\9B)1+$HE$`B(Y]RB$,Y2[ MP$AR'::QOV.(5I]$(I%DQEN(&:1RF$22:W@-V`8$(Y-=2R22IV,##$/D(I51 MH21'TP01_;7(:D,D$DF.0T:%DAR++>"#R/I2,6M-D4@D.1A3_F"YC$J28Z@" M_(!P@G*C6XE$\C*04:$D1]`&T?WY?UEMB$0BR778`,.!@\"'66R+1**B`"(O MX#;$`EB)1"*Q%#40NU,,0N88EF0#W@%^!H8@;TB)1/)J*(S8;68=4"J+;9'D M85H@NC_K9K4A$HDD3^*,'(*19!&#$!-@9/>G1"+)2NP1==$LQ/Z%$LE+IP?I M79T%@<6(65KYL\PBB40B2<>T+&L_(CVC1/+2T`,/@4E`5<3X7]\LM4@BD4@R MIQ%P'&B;Q79(<@GU@-M`&A`+7`0:9J5!$HE$\A3*`!L1&_?:9K$MDAQ,>>`? MA`,T/6X!KV>A31*)1/(L6`$C$0OLY;P%R7-CB]CO+QFU$TP&?D4NA9!()#D# M)\3LT3I9;8@D9[$`B"/=^3U"1(%AB)E8$HE$DE-X!Y%EQC6K#9'D#+H"=TD? M![P)^`$EL](HB40B^0\4!58`$<@-O27_PH>(J.\^8A),3^0R"(E$DGOH`QQ` MS'279$)6C7550.R^8"G>X=EF28U#;%VR&CB!B`8S\@CX\^69]M*I#!1_B<<[ M`Z2\Q.,51]AH*6X:'Y*LQQZXBAA+EUB>YCS;SC5O&#^[$;C\C,=^A-@:[E7R M!R(@>:5DB1,L5*B09XT:-497K5KUD26.;S`82I4M6S81(#4UU>K>O7NVQ8H5 M2\F7+U^JZ3,I*2E6]^[=L[6SLTNVL;%1G%]24I)U;&RLC9V=7;*UM77:W;MW M\S5MVO2N)>Q\&1PX<*!86EJ:E>G<[MV[9YL_?_ZTPH4+JQS9W;MW\Q4J5"BE M8,&"J>;ZG3MW\A4M6C0E?_[\J=>O7\__]==?WRM0H(#J,_^%RYV=C9V269'R,A(<$F*2G) MJD2)$JK*]>[=N_G*E2N7^-%''\6_+'LE+\[NW;M+U:A1XT&!`@6D$WP%[-JU MJXRIW-O8V*0E)R=;V]C8I%E;6Z+'+]FS9H<.W:,6;-F<>G2):9/GZYZ?^+$B:2DI.#CXZ/2 MAP\?SFNOO<:0(4,TQ\JN.#L[,VG2)/[YYQ_\_?V)CHXF7[[T3$K1T=$L6K2( M=>O6J;ZW=.E2MF_?SN+%BQ6M29,F+%^^G+)ER[XT^Y8O7\Z??_Z)EY<7`-VZ M=:-9LV9TZM1)];DV;=K@ZNJ*DY.3HJ6DI.#DY,3(D2/Y\LLO%?WNW;NXN+C0 MO'ES;MRXP>3)DU^:O9(7IW+ERLD+%RZT+5.F3%:;DB=HT*`!/_[X(^'AX:Q> MO9K9LV=3M6IZK^?,F3/9O7LW"Q(X>/4ID9"2%"J4/%PX=.I2_ M__Z;%2M6*,=^54R;-NW!LF7+LL0)YLJ%E:FIJ>AT.GQ]?:E5JY:B7[ITB7[] M^A$2$L);;[VEZ,>/'V?$B!%$1$2H',#^_?MY\.#!*[7]11@]>C2.CHX8#`:5 M[NSLS+???JMQ@(Z.CGAX>*@<8%Q<'!'AXX.'A04A(",6+%Z=1HT8$!@8R9LP8 MRI4KA[^_/V^__3;5JU=G[MRY3)DRA2)%BN#M[4U:6F8C0[F37.D$X^/C-0YA MTJ1))"4E:?01(T90OGQYC=ZO7S\^^>03BA=_F<-M+Y_[]^\S??IT/OC@`T6+ MB8EAX<*%K%^_7O79R,A(MF[=RL:-&U7ZG#ES.'GR)*^__KI%;(R.CL;>WEYS MC=NV;4OW[MU9M6J5HJ6FIN+HZ,B($2/HWKV[HM^[=X]OO_V6R9,GH]?K%3TO M%5:)Q)SDY&3Z]>M'C1HU`.C1HP>AH:&XNKH2'!R,O;U8W>7N[LZ4*5/P\/!@ M_OSYE"Y=&H"1(TE1(D2JN[/]NW;TZ%#!XT#=')R0J_7$Q$1H6CQ\?&T:]<. M'Q\?^O?O3Y,F32QBHZ.C(YT[=U9>KUNWCLC(2-:N7:OZW.+%B_GAAQ\TT5]P M<##GSY_7.-&5*U=2OKQ,CB')F]C:VG+BQ`DV;]Z,JZLK/CX^>'AX,&#``,+" MPGC\^#$.#@X$!@8R>O1H1HT:17!P,"5*E*!NW;K,F3,'7U]?BA8MBI^?'^^\ M\P[V]O9$1$1@;6V=U:?WRLC59SIY\F06+%B`P6!0.<"1(T>R9KJ2D)"`AX>'@P;-DQI+`X<.)!SY\[A[>V-CX\/18L6!<#3 MTY.]>_<2&!A(0$!`EIU/5I`K(\&4E!1T.AU!04%4JU9-T4^>/,FP8<,(#P]7 M11`__?03$R9,8.W:M:J!XJU;MQ(;&_M*;7\1!@\>C*NK*QLV;%#I3DY.#!PX MD"5+EBA:0D("WWSS#>/&C:-?OWZ*?NW:-8N.":Y?OYXE2Y:P9LT:E1X1$<'N MW;O9M&F32@\)">'LV;.:Z,_7UY>'#Q\J8X)__?67Q6R62+([>KV>08,&T:M7 M+U:L6,'FS9MIW[X]4Z=.Q+%3)\^'5M;6_S\_/+4,$.NC`1-E:2Y`_3T]&3SYLT8#`:5 M`QPP8`#'CAW#8#"H'&#GSIVY<^>.JFLU.W+__GUFS)A!NW;M%&W9LF5T[MR9 MF)@8FC5KINCSYLUCV+!A&`P&ZM6KI^A3ITYEYLR9%AL3-$5]&1V@@X,#E2M7 M9M&B18KVX,$#=#H=]>K58]:L68K^]]]_H]/I:->N'1,G3E3TU-27MII#(LE1 MI*2DT*U;-V627X<.'8.G4J/CX^RH0U3T_//.4$NWDY(2[ MNSM+ERY5M(?_]]RTV)MBN73M: MMVZMO%ZR9`D[=^[41'^S9\_FS)DSFNAORI0IF4YVBHB(L)CCEDBR.S8V-ER] M>I5-FS;AZNI*0$``HT:-8N#`@2Q?OIS-FS?CX.#`[-FSF31I$L6+%V?APH4D M)R=3MVY=PL/#F39M&OGRY2,H*(A2I4IA;V]/='2T'!/,+8P:-8J-&S=B,!A4 M#M#-S8TC1XY@,!A4#K!+ER[?__]5V:GHZ,C%2M6)#P\7-%B8V/1 MZ71\^NFG!`4%*?J5*U?0Z72T;=N629,F*?KOO_^.3J?#RS<>-&;&S2LQ"M6;,F1XP)]N_?GQ$C1A`9&:EHCQX] MHDV;-HP=.Y8^??HH^HT;-^C6K1M3ITY5+:LX=^Z<1<<$38OS,R[/"`T-Y??? M?]=$>7Y^?L3&QFIT+R\O2I0HH8P)2B1Y&;U>CZ>G)_WZ]2,Z.II-FS;1H4,' M0D)"E.AOV;)E;-JTB4:-&JFBOP4+%I":FDKUZM59OWX](2$A@%B+FY>Z0W-6 MN/.,/'[\&(/!H'*`[N[N'#IT"(/!H'*`7;MVY<:-&Q@,!I4#;-VZ-?GSY\_V M8X(/'CQ@SIPY-&_>7-'FSY^/AX<'!H.!!@T:*/JT:=,(#`S$8#"H'."X<>-8 MOGRYQ;H6ER]?3H4*%32+\W4Z'77JU%$M0[EZ]2HZG8[6K5NK,L&.5/24E)>9YE0BR3FDI*3@[.Q,Q8H5`6C9LB6%"Q?&R\N+[MV[*]'? MM]]^R[U[]P@(",#=W5V)_GKUZL6I4Z>8.W>N*DN67J_/4TXP5T:"YD[NEU]^ M8=RX<:Q:M4HU5FC*8)(Q^C-E,#&MLQL]>O2K,_P%,%_,__CQ8UJW;LV8,6/H MW;NWHM^\>9.N7;L2$!#`AQ]^J.CGSY_'W=V=N7/G4K5J57;OWFT1&SMV[,C7 M7W^MO#8MSL\8Y?G[^W/__GV-/GKT:(H5*Z;1Y\V;1_7JU2UBLT22W;&QL2$Q M,9%1HT;1HTCU>@P&`Y]__KFB3Y\^G8"```P&@\H! M^OCX$!45A<%@4.4;M"3Q\?'H=#IJUZZM=+T`_////^AT.EJV;(FOKZ^BGSES M!IU.QX`!`_#T]%0\>]R.```@`$E$053T7W_]%9U.1]>N7>68H"1/TZ1)$\J7 M+\_8L6-IW[Z],E&N9?G1X\>/91RXN+BPM6K5PD-#54MD>K=NS>' M#Q\F,C)2-7DN+Y`K(\&DI"1T.ATK5ZY4=6?NW+F3P,!`3?Y*4P:3C/DK%R]> M3%Q^/KZTJM7+T6_=>L67;ITP=_?GYHU:RKZGW_^B9N; M&W/FS%%U?QXY?-F&C5JQ)HU M:Y0-!:*BHMB\>3,U:M1@[]Z]S)DS!TB/"O,*N3(2-.4(-7>`W;MWY^K5JQ@, M!I4#;-NV;:893%JT:(&]O;TJ@LR.Q,7%,7_^?!HV;*AH,V;,P,_/#X/!H'*` MX\>/9^G2I1@,!I4#'#IT*-]__[W%Q@2CHJ+X^../F3U[MJ)=NW8-G4Z'HZ.C M:AG*'W_\@4ZGHU^_?HP:-4K1#QX\B$ZG8]*D2;BYN2FZ'!.4Y%524E)P='3$ MSLX.@*^__IJB18OB[^^OK!D$:-6J%;&QL/1OSG7M<7%PX?_X\2Y8L4>E= MNW;-4TXP5T:"YLL>=NW:Q=2I4S71GRF#2<;\E:8,)AGS5V97S!W][=NWZ=RY M,WY^?GSTT4>*?N'"!08,&$!H:"AOO/&&HA\]>A1/3T^6+EU*Z=*E+199N;BX M:!;GW[Y]6Q/EC1T[ED*%"FGT08,&4:U:-8T^:]8L:M>N;1&;)9+LCHV-#46+ M%F7(D"%TZ]:-A0L7*M'?]NW;\?+RPM'1D56K5C%]^G2LK*Q8OWX]FS=OIDZ= M.NS9LT>9E!89&S:M0N#P:!DE;[:25!?@V+%C MC!PYDB5+EJ@VVMRW;Y]%QP0#`P.Y>?.F)IKS]O:F0($"&MW#PX.WWGI+H[NZ MNO+EEU_*,4%)GBO7JIE M*(<.'4*GT^'CX\/`@0,5_?OOOT>GTS%OWCRZ=>NFZ,G)R1:Q62+)[J2FIM*X M<6,E^FO0H`&%"Q=FX<*%.#@X*-%?LV;->/CP(4N7+L7!P4'YOH.#`U>O7F7] M^O4X.CHJ>HL6+?*4$\R5D:#Y-DC1T=&$AX=KG)\I@TG&Z.])&4RR*^83=RY= MND2_?OT("0E1DNH"'#]^G!$C1A`1$4'9LF45??_^_4R:-$G9.W'9LF46L='% MQ46S.#]?OGR::SQX\&#>>.,-C=ZS9T^^^.*+3-<5FB\'D4CR$C8V-KS^^NOH M]7J3 M)T\J2Y76KEW+IDV;J%JU*C=OWI1C@KD%9V=GDI.3-0[0T='QF3.8Y)1="B9- MFD186!@&@T'E`$>,&,&V;=LP&`PJ!]BO7S].G3KU2O=./'_^/#J=#E=75\:, M&:/HAP\?1J?3X>WMK=HU_H/&BO,R-0Y7KEQ)X\:-E<]_]=57/'CP@/7KU_/55U\I M>N/&C;ERY0H[=^Y4Z7F!7%F#/'[\F#9MVFC6_45&1K)UZU9-_LI_RV#RZ-$C MB]O[7TA)2:%W[]Z$A86I-@X^<>($PX,B0(52M6E6C]^K5B\\__URCMV_?G@X=.K!^_7HY)BC) MTYC&!&?.G(FUM36'#Q]&K]?CZ.C(]]]_KT1_^_;M8\B0(31JU(CCQX\K2>JW M;MW*V+%CJ5Z].C=NW%!%A7FI.S371H(9':"CHR/ERI4C(B)"T9XE@XGY_?N671,L'OW M[HP=.U;1CAPY@DZG8\R8,0P:-$C1]^S9@TZG(S0TE!X]>BCZQHT;:=6J%2M7 MKE1F]X)8$RJ1Y$72TM*H5Z^>$OW5JE6+?/GR$1,3HUJ25*]>/9*3DS7[B-:K M5X_[]^^S:]9)A MPX81'AZNVCCXIY]^8L*$":Q=NU:U_>O:E?O[Y&[]"A`\[.SFS8L$&E3YPX,<]UW4@D)JRMK:E3 MIPYZO9YFS9JQ?_]^IDV;!H@)9GJ]GL:-&W/BQ`DE^MN[=R]#APZE3ITZ7+MV M3=&W;-F"M['IZ MLGGS9@P&@\H!#A@P@&/'CF$P&%0.L'/GSMRY_LAO^Z-&CZ'0ZO+R\ M\/#P4/2]>_>BT^D("0G!U=55T3=MVD3+EBU9L6*%:NW2LF7+Z-RY,V/'CI5C M@I(\S3OOO$.^?/G8O7NW*CN4::WP]]]_K]&3DI+8OW^_:CUQS9HUN7OW+K_\ M\HOJ\WF!7%F#/'KTB"Y=NFC&C.;-F\?1HT3D9'KW M[LW*E2M5&P/'LV;-&E67[K9MVY@Q8P:;-FU2.;_5JU?SUU]_6AHV;,B9,V>4*,\4%=:K5T\5_>W9LX>A0X=2HT8- M4E)2E`F!6[9LR3$3`E\&N3(2M+:V9LF2) M(C9&147AZ>G)X,&#%6W?OGWH=#J"@X/IV;.GHF_>O!DG)R>6+U^NRFBQ?/ER M.G7J1$Q,#/_[W_\478X)2O(J:6EI5*M637EM>G[HT"&5;IHOD%&O5JT:24E) M'#UZ5#6GP/QY7B!71H+FV^M\]]UWBD,PYWDSF&17S)W/<+'QX>F39M:Q&:))+MC;6U-LV;-T.OU?/KI MI_SYYY]*E'?Z]>>CV??/()MV_?5O3??OL-O5[/1Q]]1')RLBHJ'#9L&/;V M]I0J52I/C0GF2B<(\/#A0]JV;/HM^X<8-NW;HQ=>I4U0+N<^?. M,7#@0.;-FZ>*B')*1A)W=W?>?_]]C6/IVK4K__O?_S1ZZ]:MZ=FS)RM7KE0T M2\\(R[@XWX3!8&#V[-G$Q,0H62X`5JQ8P88-&S1=HO/GS^>WWW[#Q\>'`P<. M6-1FB20[4ZE2)4#T7IGO"VJNF^\C:M+_^.,/OOCB"Y6>F)C(A0L75/5B7B!7 M.L&'#Q\R9,@03<4_;=HTKE^_KM'_+8-)=G>"24E)].[=F\V;-ZNRQ^S8L8-I MTZ9IHK^U:]>R;-DR)?HS$1X>SM6K5RUF9[]^_?CDDT\TU]C%Q856K5II9N^V M;-F2_OW[$Q45I6B/'S^F=>O6C!DSAMZ]>\LQ04F>)BTMC4F3)BG1W%]__85> MKZ=FS9KCW5JU?'RLI*T0\>/(A>K^?MM]^F9,F2JJ@P+XT) MYDHG:&MKJR2#A?3H+R`@0-4J.G_^/.[N[LR=.U?5BCI\^#!>7EY$146Q<^?. M5VK[\Y*S<>-&5?2W5VJ5"E`K',V+\LF_?KUZ]2H44.C7[MV395ERK0_85XA M5SI!\\39TZ=/Y]JU:YK*\WDSF&17S"?N[-RYD\#`0,W>B>O6K2,R,E*30&#Q MXL7\\,,/RMZ)$R=.M(B-+BXNFL7Y3DY.FKRMK5JUHF_?OJH>R0D)&BBPFK5 MJF%K:ZOHITZ=0J_7\_KKKU.F3!E%__777QDT:!`5*U:D6K5JQ\?'J]8-F^N5 M*U=6Z6EI:<3%Q:F2C>0%&)B M(KU[]V;7KEVJZ&_]^O4L7;I4DSP\(B*"W;MW*]&?B9"0$&[VN?O3H43P]/5FZ=*EJ=_6] M>_?BZ^O+^O7KJ5NW[BNU_7E)34UE_OSY*@?XS3??T*5+%U7T!V+_L*%#A[)H MT2)%>_#@`1TZ=%"2:EN"J*@HCAT[IEF/'UO$9HDD)V`^H]ODN*RMK9^HFSNWI^EYA5SI!,T=PH0)$P`TE>?S M9C#)KIAW@6S8L(&(B`C6K%FC^LR2)4O8N7.G9@QN]NS9G#ESQN+GZN+BHEF< MWZM7+U:L6*%HRF3)FBVCCXXL6+Q MMK;&W=T=O5Y/I4J5*%:LF!+-W;QY$[U>3X4*%:A4J9*B7[QX$;U>3^G2I7G_ M_?<5_>3)D^CU>HH5*T;#A@WEF&!NX,*%"PP8,(#9LV>K=E<_=NP8(T>.9,F2 M):H%W/OV[6/RY,FL7[]>U2>>4\8$V[5K1Z=.G30.T,'!@2%#AA`>'JYHL;&Q MM&_?G@D3)N#FYJ;HEC[7C(OS32Q:M(C]^_=KG/&L6;.X=.F21I\X<2(I*2ER M3%"2YXF/CP?$C,[[]^]K]!(E2BC/,WX^,[UX\>+$Q<59W.[L1*YT@O'Q\41$ M1&@JS^'#A_/::Z]I]'_+8)+=MQ1Y_/@Q`P<.9-NV;2I]Z=*E[-BQ0Q/]A8:& M\OOOOVO.U<_/CSMW[EC,SLP6YZ>DI.#HZ(BGIZ=JVZ2[=^_BXN*"KZ\OM6K5 M4O1+ER[1KU\_0D)">.NMM^28H"1/DYJ:RLJ5*Y5H+B$A08GRJE:MJN@W;MQ` MK]=3HD0):M:LJ>@7+EQ`K]=3N'!A_N___D\5%>:E+M%F MZ"\B(D*UN_J_93`)#0TE.CI:E6D]NV)*?&O"T=$1#P\/5?07%Q>'L[,SX\>/ M9\"``8I^]>I5>O;LR8P9,]B^?;M%[%NS9@V__?:;2@L/#V?OWKT:9QP4%,2% M"QO*F\-CVO4J6*2K]UZU:FNNEYI4J5E,\` M%IT@EQW)E4[0/$/*B!$CJ%"A@J;R?%H&DYP299AWW49&1K)MVS9-]I4Y<^9P M\N1)S;GZ^_MS__Y]BX\)FF^":[XXOWOW[HI^[]X]OOWV6R9/GHQ>KU?TO_[Z MB[Y]^Q(<'*Q*['OBQ`E\?'Q4R;0EDKR$E9458\>.5:*\-]]\4XGFXN/CT>OU M%"U:E(\__E@3%18H4("OOOI*T?_\\T_T>CW6UM:T:=-&C@GF!HX?/\Z($2-8 MO'BQ:G?U)T5_6[9L(20D1)._,J=D)'%T=&30H$$L7KQ8T4S1GX^/#_W[]U?T M?_[Y!U=75Z9/GT[UZM45W=)15<;%^2:"@X,Y?_Z\QAE/GCR9QX\?:_21(T=2 MMFQ9.28HR?->^\IST$T-DT[ MR9CK>8%/+"(C6EI:;1HT4*S./_^_?MT M[-B129,F,7#@0$6_?/DR??KT(2@H2+7UR\F3)QDV;!CAX>&4+U\^QT3K$HDE M2$U-9<>.'4HTEYRKV> MU-14VK5K1T!``""B0O,MYW([N=()%BYN9<.&#=E^EV5K:VO\_?V5U_'Q\;1KUXYQX\;1KU\_ M1;]V[1H]>O1@VK1IJOR!?_SQ!X,+^_/G\]--/%K$Q)B9&$[&%A(1P]NQ9 MC3/V]?7EX<.'&MW3TY/2I4MK]$>/'EG$9HDDNV-E9<7ITZ>5UV?/G@7@L\\^ MX^3)DXIN^DS=NG4Y??HT#@X.BEZ@0`&J5Z_.Z=.G:=2HD>KS>85FR_.=W=W5_2___Z;WKU[,VO6+-YYYQU%/W7JE++` MWWSCX`,'#N#CXT/SYLTM:KM$DEVQLK(B(""`X<.'DY*2PF>??:9$>:U:M5+& MUILU:Z;HL;&QZ/5ZDI.3<79V5I**7+MV#;U>S^/'C^G9LZ<<$\P-_/333TR8 M,($U:]:H-IY]4O[*U:M7LWKU:DT&DYPP^_#1HT?H=#J\O;WIV[>OHINBO\#` M0-Y__WU%/WOV+'J]GN^^^XXJ5:HH^L.'#RUJYY,6YT^9,H7X^'B-/FK4*$J6 M+*G1W=S<^/###^68H"3/<_KT:1X_?DSSYLWYX8CH"(@=JKKP"QZWS)DB6I6K4JAPX=RIJ3R2)RI1., MC8W--"+JTJ4++5JTT$S,,&4PR2Q_979O$3U\^!!_?W_-N08&!G+KUBV-[NWM M38$"!32ZAX<'"0D)%K$Q,3$1G4ZG69Q_Y

O7JQOIDB1(G),4)*G24U-Y1TZ="`P,!`0O3)ZO9Z$A`3Z].G#^/'C`=%X-E]>E=O) ME4ZP:-&BJHAHV[9MS)@Q0[/![)HU:UBYS;)ERU1+&5XF MNW;M8L^>/2K-S\^/V-A8C3/V\O*B1(D2&MW=W9WWWW]?HULZ>I5(LBM65E8< M.'"`CAT[`J(L)R8FTKIU:W;NW(F3DQ,@>L7RY1*)VC^#^S:M2O-FS?75)ZF#":9Y:_, MF,$D.V.^=^*T:=.X<>.&YES'C1M'OGSY-/K@P8-YXXTW+#XF:#YN9[XX_[WW MWE/TTZ=/,WCP8!8N7$C%BA45_9=??F''LV[WM[ M[.WM-2D8/`@TXBH39LVN+JZ:O)7.CDY:3*8F/)7FN](D1U)2$@@ M+"Q,WER^?)G.G3LS??IT`!HW;LR0(4.X??LV_?OW5Z*_YLV; MX^;F1GQ\/$.'#E6&0QX\>*"J(W,[V;N&?T&*%R].ITZ=E-=KUZYEV;)EFOWR M%B]>S)X]>S+-8/+GGW_FB#'!_/GS,WSX<.7U^?/G<7=W9\Z<.;S^^NN*?N3( M$4:-&D5D9"2E2I52]#U[]C!ERA0V;-B`3J>SB(V__/(+.W;L4&ECQHRA2)$B M&F>LU^MY]]UW-7KW[MUITJ2)'!.42(Q86UNS8\<.FC5K1L&"!=FW;Y_2S;EB MQ0J:-&D"B!GQ18H4P<'!@>CH:.K5JP?`QHT;J5*E"C5JU"`Z.EKI15J_?KWL M#LU-M&W;EN[=N[-JU2I%,^6O'#Y\.`L7+E1T4_[*C!E,LC/FD>KX\>.QMK;6 M.(JA0X=2I4H5C=Z[=V_JUZ]O\3%!4U<,J!?G5ZY<6=$/'CS(V+%C6;%B!<6+ M%U?T7;MV,77J5"7Z,[%^_7JF3IVJ+/"52/(:5E96!`4%X>?GQZE3I^C:M:L2 M_=6K5X^Q8\=RX<(%W-S?UJLFU3G#=NG5$1D:R=NU:E?ZD_)4A(2&<.W?'U]-7LGQL;&6M3.)RW.'S1H M$-6J5=/H/7KTX*NOOM+HWWSS#5VZ=,'3TU.."4KR-/OW[^?Z]>L,&S:,!0L6 M\,477U"@0`&V;=M&6EH:;FYNK%JUBOKUZP.B5ZQ"A0HX.3FQ?/ERI:=KQ8H5 M5*]>G:I5J^:81"$OBUSI!._=NX>UM36K5Z]6M+2T-!P='1DV;%BF^2LS9C`Q MY:\TS\B2'8F/CRI\^??CLL\\T>L>.'2VVA]B=.W?0 MZ72:Q?F__?8;8\:,8?GRY90H44+1=^_>34!``-'1T:K9KQLV;"`B(D+9.%B. M"4KR,BDI*20D)#!CQ@Q`;$,V9O7Q\O+BXL7+^+I MZ:E$?TV:-,'-S8T'#Q[@X^/#6V^]!8!.I\M392M7.D$[.SM:M6JEO(Z(B&#W M[MV:%&FS9\_FCS_^R#2#24)"0HX8$RQ8L*!J`?K1HT?Q]/1DR9(EE"E31M'W M[=O'Y,F3-='?YLV;F3MW+M'1T?4*I4*;9MVT9<7!RC1HUBP8(% MU*E3A_SY\[-NW3J*%BV*N[L[X>'A2I=I9&0D[[[[+M6K5RGZ-]__SW^_OZ:Z"\Z.IKP\'!- MM_;2I4M9M&B1,L@OD>1%@H*""`H*8M^^?7AX>"B.+"@HB$F3)G'\^'&\O+QH MTZ8-``T:-&#X\.%HG4]:G-^S9T^^^.(+C>[L[,RWWWZK<8".CHYX>'C@X>$A MQP0E>9KMV[=S[=HU?'U]"0H*HGKUZI0L69+UZ]=C;6V-EY<7"QM'G3IU-+J+BPNM M6K72]/E;,D_JM6O7T.ETFL7Y/_SP`WY^?FS8L$$U]AH3$T-86)AF24MD9"3; MMFU3]D[,2^,6$DE&4E)2*%RX,+Z^OH"(_F;,F,'^_?L9,V8,K5NW5O1QX\9Q M^O1I)DV:I.S1V:!!`P8/'LSUZ]<)#`Q4,FG0PU4``!/"241!5#4U;=I4F4B3 M%\C>V:%?$#L[.]7X5FAH*%Y>7A@,!NK6K:OH_O[^A(:&8C`85`YP].C1RF23 M[)Y`NW#APJH4;_OW[T>GTS%SYDQZ]>JEZ%NV;,'1T9'(R$@ETSS`RI4K<7%Q M(3HZ6K4P_67RUU]_83`85`ZP5Z]>REI,P!*XW/4J%$$ M!P>3E)0$P'???4>-&C5P-&S?RT4WM[*A,"@H"#\_?WY]==?\?7U5?;H#`H*8O3HT9P[ M=XX9,V8HT=_GGW_.P($#N7/G#J&AH:IUU;F=7.L$Y\R9P\F3)S4.X4GY*\>, M&4/1HD4UNJ7S:;X,#A\^C(>'!VO7KJ50H4**OF7+%H*#@XF)B5$YRU6K5K%V M[5K-WHEW[]ZUJ)U/6IS?H4,'G)V=-0[0R.<>/& M4:E2)3DF*,G31$='<_/F36;/GHV?GQ_ERY>G8L6*1$5%D3]_?GQ]?0D)"6'B MQ(F4*%&"^?/G4[5J5=JU:X>?GQ_3IT_'UM:6F3-G4K]^?>SM[94ME?(*N=() MWKMWC]JU:]._?W]%^^>??W!U=7UB_LJ,&4Q,^2O--^3-CL3&QG+V[%F-8^G< MN3..CHZ:B4&M6K6B3Y\^J@6QB8F)M&K5RF)K(O_ZZR]T.IUF><:F39OX[KOO M-,YXV;)E;-Z\63/F-V_>/-4^D7),4)*724E)H7+ERDK2[*"@((*#@]FU:Q?^ M_OZJZ&_2I$D4`QXX=R]JU:S$8#"H'.&C0('[YY1<,!D.V M[QLO6K0H[=NW5UYOW;J5%BU:$!$1H>PS!K!Z]6HZ=NS(A@T;<'!P4/2PL##< MW=TQ&`P4*5+$(C;>OGT;@\&@'L[9LVN7:-'CQY,FS:-&C5J*+HI?V7&#":F_)49,YAD9\QOUBY=NM"B M10M-2KC6K5O3JUKJ:E$;:]6JI3PW7YQOSO+E MR]FX<:,FNOONN^\XW-[___CO???>=,EFM=NW:#!X\F'_^ M^8>(B`C-&'QN)DO"A4J.'>/HT:-TZ=)%]9U??_V5BQ>?JQQ:4E(2X>'A-&W:5+4;1FQL+,N7+\?) MR8D[=^[PZ-$C>O;L^=+LE;PXG3IU2AD\>+"->0)TB>5P=W?G@P\^(#X^GO?> M>X^#!P_RP0Y--//R5?OGP<.G2(DB5+4K1H4?[XXP]NW;I%<'#P*SN75:M6)>S:MQ2DM+L[&UM7U@9V=WTE*V_E=B8V/?3DQ,+`VH$G^FI:799G*N3]7M[.P. MV=C89+P6+\SCQX]+Q<7%O?V$:VR=EI9F_3PZXIY-,0D%"Q:\6J1(D2LORU[) MBQ,7%_=._OSY+UA9625EM2UY@=NW;SL@RH-Y6;9.2TNSLK*R2GV"GF)^C+2T M-&M`HP,II4N7WF(1PS,A)24E]?;MV_[`J5?UFQ*)1"*12"02B40BD4@D$HE$ M(I%()!*)1"*12"02B40BD4@D$HE$(I%()!*)1"*12"02B40BD4AR.39`1>!5 MY8-J"FP`JKVBW\N-5`6*_LO[;P*%_N5]B20K:0ZL1]RG$@N2JQ-HOT1Z`O.` M%H#A*9]M#)0&3@/'C=K;0"W@$?`L^_^T`EHB"L'9Y[3U"Z""\7F\T8X_G_,8 MV1D'H##P*W#Q7SZW&G$=JCSA_1\1UZ7!RS3N.2@,M`?>`>XB&CU_9)$M>94V M:.O`_<#5++`E(VT0]![Z(/+PZ9[AL\>,GS7?(RC8J,4] MX^\5`?Z/%]OJ:HOQM^X`28B[+Y&5=V^?A-43>T#3$-?TW?@4N_\O[ MUQ".,"LHCLB1F(IH*-T"'@.ML\B>O$HLHHS<,7O4?LIW&B(:EITM:QI%>?$Z M0/(FI,:&B`B#X&X7@B0X/;'9YTYY_[X7=!DQKSL[\R=<_<^^YRS MS]IKK^]::^][CTI]$-`'J`+>BOL=![Q3YEGM,=VV`MA8T+ M-`,6DT?$C8"3XCU:`95QGV7Q^]'Q7G5]XGY$'&>CEWPEM?])\,G`"=1-;I4H M[P4E]=E8+XOSW=$#!S@USKT)%#]CWQ2CR".0T%XNG.L+]`;6`,^@CA4Q,N[Y M?>!&'*>+@*?C_-$HNY7`66BHYR)1@K(;!'1&,I]=\HSFJ/?-H\]9)-$DZEM$ M_0H2%@&E7Y`]%F7\&LK\2)SS[P/]XGP/G$N+XIJ#<5[L1/OR?M2W`X[".7`" MCOM3VX`6Y,YS&V!H_/Y"M(=\7JU"VS`8=;FHDPGU')V! MY4@B+Z`2349#T3CJ-Z-BU@!WQ'5_)B>YOG%N291'D$=_Q4BP:;1Y&Y6RB`9H MC!Z.]J<@\>X"ID9=EI[[>;1=C1-G`Q(XP+AH>WJ4GT*%?S':U0!WU2&++!+, M')S/17ERE'<#4\BCCR;`Q=&7#Z*N"BC#]^,^Q2]]JNBKBJ>6T7M M2/`F\@AY$Z:F,[+,QGX2CL5+47]K].GO(9?L2[]MR".Y=Z/-#7'N[KC7VGC& MB^SYM991T>9/2':E>!#E]PK*J0:84[C/+'1<5L>YI:B78.I]9=1OPW'I@T;\ MM9#-LCB7?XWYP$0UM1V;#)>A_,:A7-]!O1L=]=E/1F3'XWBO1WW80#Y_LK%^ M&'5\)XYM!>KYG#C_'KGM`+@ZZ@=%N3_JP@XY:YKU:H]QOC/O7`#^-\PQSTFKNCEUU*@A\"8W%L!Y*/)<#7HWPVKM?48"0*1@I=<#QK@.R+P:V0 M@$K1,F22D?(DC"XR/!CG+HCR75$>$N7#4%X`$^+@40V`3WB@^+<0E3X7JCDTU!Y>J/Q>HO:9',^ MDLHUY"111(SJF0I]#[PU4=#!2^7S<*_/8VN_E';<7^K>6?:_QS<(H MY%9,AQ4CQQ5(N/.C#RTQ_;<=C<)\)(:*>$YQ/7,KID2+J?29P&_(TR_-D$Q^ M5,=[S4>CD47ATY%(L_1.N5V;YZ)S,@?)[0U,B8(&OSEY:GSR*.P`1BA[0!^@A%F.S1`6S!"'`;W+/XC(1]H+Z0X.V8BG@(N!.) MZBDT,"=@ZO(*-(#;"]<]'\>,!!>BT3H9%;(T5;(;C6&Y2`5R8[\%C?4@),(% MY$8W:_,H*G(7),3]C>4X*4:AQ[FN<.YOY!_AS29*D12*?9V(Q#(7([4O`7]` MTLKP:N'WD4A0P^*Z_?6!WFS3R'=PW;$EDL)1A7?X8,_+@/+O6`[%]V@9QRLP M2AB/Y+@%G8I*3#]='O771_O3@5OB.`/'OERTM1V-:U],O3?#[$,Y;(OCP?&S M&".[YDBH&5J@42ZG3ZWBVBSJZ1O]/I`C03!JZQ<_XPOU_T*Y-T(]K@O-D.RZ MD\NV'=&KF8<18FC[?UQQ-^`2H+QMCEF%4\0^,`"Y%90)W M<;4&O@:\CDI3&>?6H.L]C@?O9DR0SA:S"Z.]@ M)->QY&LV[3'E.`+3%5<"QV!$6*K\GP17\-$(Z.TX'E.HZX$&8#6FZ]9CNG0C MDN`3)?M[@`N1-T&#>.&:-^0W-')WJ<]1O[;2-@7)J*2D:V4[1C]O0"`S" MR=<]^MT;#7TYV8#R;H%K)AUQG79WW&-3'=?L"Z/`S"S,!G) M^`$DYR&H\[?%[_=%'T_$^9^M0Q^H.`+'(\-#.(^_BL0T#?@&RK62?"PO0:?J M%I3M!.#WZ.P,03LRB;VC-SHR4W!N'8ECNK:DW8YH-QKX&3HZHS"3M81/Y\^5 MZ@T:[;O)9P(;T=MOBPH\#!5X+9)5-R2;HS!5V@:5>2G*H".FMF:ATO]:*#O!_Y(GD8]"0GQ.31^Y^!:S6Q<0^J) MJ9%.F%*9CAYF+XRNIL9S>B%!9>4B>F&T-(7:$5J&2B2^!86ZQ^-]+D+C.!DW MTNP*.6U!V79$AV$<&M@U\;QG<)T,C)!.P@BE$=OYKR*IKO/\R M-`(MT9@74WIG(`G]ECRMNQU)IS7*>1X2P9?18W^2?.WDPWCF8"3-F=%F#8YY M*W12YI/_.<>V>*\^(9?CXI[/QK/[8@1V#FZ"N`S'O$O(Z,(HC\$Q+V)IO/L( MU-5&N/;T"QRSKZ`.SHOKWT>C]P9F/`["2+L_.@9O8^0["W<\-\`US4%(S@O0 M8&Y"AV(DINKNY<#^`_V!N+[:J?#S"H[?*N"'2$[5.#]6X-QIBNGN;I@AF8+1 M_5`CW3@<=6Y5H?PDVH#NJ"OGXQSX5CRG,^K(=)PWW>V2[-D;`_ MD.T.K2^9FH2$_UO4ETG6#[VVX9CNZH]1S+1/LU/U`#O1N[V,?.?EF>015D)" M0L)G&O4E'3H#4P9MR?^&9ASY?X9)^-_Q$*:#VF)D^"RFZ,IM_4_8/VB'.CR? M\BGMA(2$A(2$A(2$A(2$A(2$A(2$A(2$A(2$A(2$A(2$A(2$A(2$A(2$A(2$ :A(2$/?!?;,EAOYS.-C<`````245.1*Y"8((` ` end EOF /tmp/uudec << 'EOF' begin 664 doc/gawk_api-figure3.jpg M_]C_X``02D9)1@`!`0(`)0`E``#_VP!#``,"`@("`@,"`@(#`P,#!`8$!`0$ M!`@&!@4&"0@*"@D("0D*#`\,"@L."PD)#1$-#@\0$!$0"@P2$Q(0$P\0$!#_ MP``+"`#M`B(!`1$`_\0`'0`!``("`P$!``````````````8'!0@!`P0""?_$ M`%40``$#`P,"`08(!@T)"`,```(!`P0`!08'$1(($R$4%1@B,=06%R,R0526 MES.1!N469;5:YF0&(]H^X!HH M$A>*)L7@FQ)XHNOF&ZGZJ!E6>Z87'4/6JP6Z7I[.OE@E:AVB!"O9W6(XAN%; MGF8_9<9!E11T'$4T4Q441-R3&=*FI.K.4RL=U'R35_4AN%8K5$F7NQYN]!9C MY4_-L,F4`6D&8P&H@\WW0Y.&1,AR5$5%2NY-0+NQ@>FFM.I_6GFF+93J'YIR M1++$LQ2,;&`])9,K<#4>(9-FC9=E#-_F1_.W0EJV-2L3U&J^MFL6E^N>M., MW_5+)V]+S;YB]ON\ZX3NWWG7I3(OFB]L1'B*NM=Z>MK]ML,EJ.3JA='VC&*NZ"HMHCFR\W-@39.2_EGVF.+2 ML*T^L&+S[Y>+S+M\%MN3/N]P.=,D/*G)PG'S55->2EM]")LB;(B)4HI2E*4I M2E*4I2E*4I2E*4I2E*4I2E*4I2E*4I2E*4I2E*4I2E*5"=8=(,-USP67ISGR M70[)/,#DLV^Y/0B>05W0#)HA4P5?:!;BNR*J;HBI7\+HPT9C#45>;C.N/*K'%?$;HBT+AW:+(B!ES% MBA7)N\1L3;RNX#C[$P'4>!T(".]H>+J(:`B<$7V#MX5[\JZ0]+LQU'356[9! MJ$W?P<<-AR)FUSCMQ@<4%<:8`'D1EHU;#DV'$5XIX>";>NX=)VC=XR//LDO< M&^7)S4R"4#(X, M,.,6?'+;&M4!IQQ7"".PV+;8J1>)*@BB;KXK6)UBT\9U;TGS#2]^XK;QRNR3 M+1Y6C?<\G5]D@1SANG+BI(NVZ;[;;I[:]>F=JS"Q8!8;)GT^TS;_`&^$W%FR M+4RXU%=(/5$@!PB--Q0=]U]N^WALE2:E*4I2E*4I2E*4I2E*4I2E*4I2E*4I M2E*4I2E*4I2E*4I2E*4I2E*X(A$5(E1$1-U5?8B55ELZG="1 MY9A66+?65=ER6VC<[0J*EX;-ER(4)!V7=/H6-=/O5_IKK9:;-;KQ>\;Q? M4"Z/7%EW#4R!J9,9*),?CKLO!LCY#'5U$[:+P+?943DN/ZF.M;3#I_Q^^>:[ M_B&3YG80%^1B3N4,V^836VY[?)NKW4%4)&E#D2+NE3O*]=<(F/Y]J M9C&.7*?'"();E[/57\BUZ\6U0TZS?#CU!P[-;/ M>L;:!YQRZ098/1P1I%5WD8JJ(H[+NB^*56$?J>G/]+DKJ<^+">,4F#N5LLA3 MA23,MQ2>W&D$?#9LG65%_AL7%"1.2^VI]I=J8[J1)S6.[C3]H7#\JEXRBNOH M[Y:C+3+B21V%.(DCZ(@KNJ<5\:A\?J%A?&IJ'!NUPL-FTVTRM\*+>\CN+_93 MS[()'%C"Z1(TC;3!LH:*G+NR`%%3946389U$:#ZBY(N'X'K!B&07OL>4I`MU MW8??-OBA*0B)*I(@JBKMOM].U,>ZB-",MS=[37&-7L2NN4L$ZV=IB79EV2IM M[]P!$2]8@XER%-U'BNZ)LM0[#.M'IXS/47(-,HNIF-Q;O:+W'L4`7[Q&_;I] MUEHD\D1#WMKFF-WQ6UPL/D9`&41[R\W(CRQ; M!A8-N=FB*^J7+NHTH"J>Q51?%*PN8=2889H;@VO=SPB0E@R0[&]?06:B.8_! MN(!^R3]3Y9&77F0,4X^J1$B^KLMUTI2E*4I2E*4I2JXSK6(,4U4P'2*T8ZY> MKSFIS94A1DHT%KM<1I">F.+Q)2^4<9:`/#D3B^LG'QKS4GKFT;TPUJM&BE_* M\%;D9YL&"C@RR$-9F(,46R/ORI#J'VD-4XMIP7F6Z)[*DD/JITBLN*62\:NZ M@81@]YO%G9OJVE[*8LO:&Z:BT^R\"BC[1^"BX`[%OX>Q:SU^ZCM`,7BVF;D6 MM&%6Z/?8!72UNR;W'`9L0455?:53]<-A+8DW15143Q\*BVHG6/H%@6E#.L,? M4.P7^QR[E&M<1;;=8YE)>%3:Q:Z:,9/AETU% MQ[53%;CB]D(PN5XC75DXD,A$2(774+B"H)@NRJG@2?E2NC$^H/0S.\BBXCA> MKN(WR]S8GE\>WP+NP^^ZQMOS$!)55./K?EX^/L\:\^A.L8:SXM=;G+QUS'K[ MC=]GXU?K.Y)20L&?%U=U:S%*4I2E*4I2E*4I2E*4I2HMJIAT MK433#+\`@W<[5(R:Q3[.U.`=UBG(CFTCJ(FRKQ4]_!47P]J5KSIOI_KA;YNG M5AR/I;TJM8Z9LDW#R.+E)FA*,-R.JPXX1!-I7N2;]Y204555")!6H'B_3=U" MX]I9IK86-)L":R/%M59&;W22WDJ@4F*4EY\-W4A[D:C+-A?:J!&;794/@WXM M4^EWJ*FZ4ZF=/N(Z6Z;Y!;1U` MXB"JB;;+86L^*]56;9EIEDU@T*P,CP*YQ;^X^YFI([)>6WO,/0N2P44&P
L5WTGN$;0;`A>08/)QZTXG>!0 M)-E!384A5-T453QJ;:EY!.T\TZRG,<2PV5?KQ"@OSHMIML57'[E-0-F@X@G( ME(D!%+Q5!3?Z*IH=/[;H-T49=:M0[W`6[3,=NUVRJ[3G0!N9?)[9F^9&6R*I M2'1:;^E41L4\=DJENEW37476/370B;%D:.P\-TT.WWAJ]XM(=DW>3+9A\5@O MMHV+<9Q2>_9:=TE,D79$Y>&)L?3%UB-:DX'G&2V"#>+IB&6>>[O.EZAGYONO M-'@-R';FX0MP107=_81K\U=]U6KL73;7?337#47)=--',!RBVY_=X-Y@WN[7 MY8!69QN"Q&>!Q@8KCA[FR3B*V2;\_'9=ZQ^?:&ZQY%JIKQEC.EV%7.)G.#1L M7QN9-ONT@7&A>`^0K%)6A<241DB%MRBMINO/DW>VB6*9!8M'<%QK4:Q6QC(< M"#AN#':!I M#-=R)!1$W5?R^%=]*4I2E*4I2E*5KOJ#;KKAW6AIMJ%3_`"CIVT@S/46#JUDF*K,RVUNV]V!= M%FOB[#6&XXXT+/$T1L%5YSN`*(+J%LXA(B54W43I_KMDVO&`:@8#HWA.467! MH]QW*[Y'Y([<#F1^TK9@L5SMBTJ0OA+D,$^YVA)@>Z]V&R0"$70:)-U]0;NR/I.UTB>()XHBU< M.+7+J!=PC*'KIT^X%892--)8\:9RI70FN$JI(65("&C30\>*@@@:JHJA<45% M2$]#NBN>:*:>6S3S4/1?!\>>QV-NQD%HN@S)=TEN*2/.NAY,"MJH*@\NZ2JB M(.VR>&:Z0;;=;HYJMK!.M4VUPM1\ZEW*S19;!,.E;8S+4-F039(A`KRQS(N^3NM'#]3NB.'VFU3/)\.D7'.+W[O'G3I+4:-&;)UYYTT`&P%- MR(B7P1$1%557P1$KSV2^63);3%OV.7B#=;9.;1V+-A2`?8?!?80.`JB2?K15 M2O=2E*4I2E*Z9D*'<8KD&X1&949X>+C+S:&!I^117P5/X:Z[;:[99H@P+1;H ML&,"JHLQF1:;15\55!%$3QKU4I2E*4I2E*4I2E*4I2E*5C[ECU@O+[$J[V.W MSGHR[L.28P.DTN^_JJ2*H^*(OA^2LA2E*4I2E*4I2E*4I2E*4I2E*5\.M-/M M&P^T#C;@J!@8HHD*ILJ*B^U%K6OH<]'[I$M\-I-W)$I\6FP_A(E1$JMG^I_ M1`WCBX[FBY=)`E`F,1MTJ_FA)[1+R!MY`5/IY*B)].U?'QT9M=?#$>G/4"<) M?-E70[=:8_\`Q#(DI(3^AA:Y\\]45U\8V`::X\V7S2EY/-N+R)_O--PF01?U M(Z7\-/@IU+W'UKCK-A%K!?8W:<(?(Q_A=D7!P2_],?X*?%-JM+_[3ZH,Y7'Q/ZE1/6M?5%J$NWL;GVRP26__`(VX'/\`YT^!G4?!\;9KMBTW;V#> M<%)U2_4I1I[&W\.W]%/+^J:U?YS&-+LF%/:35ZN%F-4_4!1I:;_J4T_AKCXW M-3K/X9;TWY:@)\Z5C]SMMT8'_A)]F0O_``L+3TG]'H2\N]^?Q.^R2[;5HRJ$[9Y;Q_O61DB`R/X62<%?H5:LRE*4I2 ME*4I2E*4I2E*4I2E*4I2E*4I2E*4I2E1S.-1L%TVMK=VSO*K=98[Q]J/Y2\B M.27?H;9;3;E8<]9M3\CS'FNYVN&ZMELP_[J18A(X\'^Y)??3_I5A8K MAV)8-:&L?PK&+58+8S_FX=LAMQF1_6@-HB;_`*]JS%*4I2E*4I2E*4I2E*\% M\L%BR>UOV/);+`NUME#P?ASHP/L.C^0FS11)/X4JLRZ>XF,DDG1G/LCT_($] M2VQ7TGV5?]WS?*YMLA^J,K"_[U?):A:RZ?IQU.TT')[:WX%?\%`WS0?W[UJ= M)9`?^6.Y++]25-L%U.P#4N&_-P7*[?=TB&C]UN"+YNLT% MDYESGJGALQ$90G7$W]I(/$?:2BGC41$]?=4/7:1O27'7/8I@Q%3JE*4I2E*4I2E*4I2E*4I2E0C/-&M/M1);-XOEF.+?H@*W#O]KD M.0+K$'V\6Y;"BZ@;[*K:DH%ML0DGA48VU^TP3=#9U:QUKVHJ,6W)&&_U*G"% M.5$^C:*OZS7VRW`=6\#U**7$QF\JEUMNR7&S3F#AW.WDOL1^(\@NMHOT$H\2 M]HJ2>-3&E*4I2E*4I2E*4I2E*4I2E*4I2E*4J/9QJ#ANF]F\_P";7^/:XA." MPRA\C=DO%\UEAH$5QYTO]5ML2,OH1:KXIVN&KB(-GC/Z4XJ[[9LUIJ1DDQO_ M`,*.7-B`BIXH;W>=\=E9:)-TF>`:48)IHW*/%K+QN%Q5#N-VEO'+N5Q-/]>3 M*=4G7E_)R)4%/`41$1*E]*4I2E*4I2E*4I2E*4I2E*4I2H?GVDN":E>2RPD)/"H85ZUFT>5`R>'+U/Q!KP\ M[VV*`Y#`;3Z9,-M$;G"GTG&$'?H1AQ=RJQL,SG$-0[&WDF$Y#"O%M<,FN]&< MY=MT?`VG!^OAOD5SG9AFKC2M.9%>5`WV6R^6R*:F7 MK+85*4I2E*4I2E*4I2E*4I2E*4I2E*4JM\VT6M]ZO;N>8'?)&$9N0B)7JW-" M;4\1386[A%54;FMHG@G/9P$W[;C:KO7AQ_62Z6&]PL&UQL,?%;[.=2-;;M&= M5VQ7IU?FA'D%LK#Y?5GT$U7=&R>1%.K6I2E*4I2E*4I2E*4I2E*4I2E*C&H& MI&(Z968+SEEQ)KREY(L&'':)^9<)))ZL>,P"*X^Z6R[`"*NR*J[(BJE?!@&< MZW_MAK2V]C^(.^,;!(2TORN_TQ&2[">*.%(1?5N"WV^!:8$>UV MJ#'A0HC0L1XT=H6VF6Q380`!1$$41$1$1-D2O12E*4I2E*4I2E*4I2E*4I2E M*4I2E*4K'9!CUARRRS,;R>S0KM:KBTK$N%,8%YE]M?:)@2*BI_#53>:]2-`T M[N-C=L_T[:^?:''"DWZQ-)],1PE4KA'%/]@XOE`HGJ&]ZK26?BF:8IG&.Q,L MQ._P[G:9W@Q*8<]52Y<5!4791-#]4@)$(2115$5%2LW2E*4I2E*4I2E*4I2E M*4I2JVU`UR#E.>2&A=\A1U6X=I9/?C*N+Z(OD[7@JB"(KKJHJ- M@J(1#W:?:11\:NSF=9G>3RW.YC2M2+Y*:X#%:)458L%C=1B1MT3U!52/9"=- MPDY58=*4I2E*4I2E*4I2E*4I2E*4I2E*4I2E*4K\[O\`*0=-?4OEMWBYSTT6 M86K0TY'N]^A6"Z/1KE<;M'(B9FG&W%ITVA%M`-K=\B^=R0&^%[]#G5BYU%X/ M)QG/H#UCU3PQ`AY19Y<=8SQK\T98M*B*(FJ>L.R<#W39!4%+9JE*4I2E*4I2 ME*I'5'$[7GW4)@N(Y)*O*VCX&9+]^]UJYIET^:87; M$K#F^I4S+%:0G!22B-M@BAZK0@+:-BZ_(0"-L) M@YTMZ0VF^,3,LLF9+=)S#BVG`,>SN]2Y1M*2)Y3,D',%!4>*(IH;,5LW5;5R M02M&N&R_IJTJQ.UY(4R)E%XS5+,[)BXMCN=WMV'8V^!JW+ERGY0GMNAJKKO; M%T&E%B,;@&AW+I=TZ:87K3+$;QF3K%`DR'/AK>AYNG'`B+9):(FZJJ[ M(B)4G]&+2+ZKE?VWO?O=/1BTB^JY7]M[W[W7BM?2+H19/*O,V/9!!6=).9*6 M/F%Y;5]\_G.GQE^L:[)N2^/@E>WT8M(OJN5_;>]^]T]&+2+ZKE?VWO?O=:N: M:]/>F-WQ>S9MJ5.RM%F7*Z1[98[-F%\DW3)#;EOM(K@I)1&VP3CZK(B@"T+S MT@0)QL)@YTMZ0VF]QYV6V3,AN4YAQ;3@&/YW>9DQUI21/*)CYS105'814T-F M*T;JMD[(4FC7$Y5TT:4XK!R!9\+*+OF:V=V1$Q3'<[O;L2RM\35N7+E/2A/; M<7%5USMBX+2BS&-P"[EOZ3=.VF-\TKPV]74,K?FW#'[=*DN_#6]#S=.,V1EL MDM$3C%I%]5RO[;WOWNGHQ:1?5 M[!9,,E$-L,S985AL%6@?R6\YI?!NEU55$12)%XX0BAO-*9ER!J/L;3U=UWZ8 M=$U;B93?K9FF#8FW*;2)'=S'()-]R`UW(&0BI+,V$<$"V8%MR6:$J<8IMJ)1 MO4#IUPG'+Y@-\[60X*U=\RM-L@V`\]N\NYW..X^(OK)(IA@TB`:_)1^1#L!D M_P"LK0[+>C%I%]5RO[;WOWNGHQ:1?5_>Z>C%I%] M5RO[;WOWNGHQ:1?5_>Z>C%I%]5RO[;WOWNGHQ:1 M?5_>Z>C%I%]5RO[;WOWNGHQ:1?5_>Z>C%I%]5RO[;WOWNGHQ:1?5JO0S`<(Z>,[RO%G MLM@W6VVLGHLA,SO)JV?,4WXG*45\%7VHM8SXGL.^O9=]LKQ[U3XGL.^O9=]L MKQ[U3XGL.^O9=]LKQ[U3XGL.^O9=]LKQ[U3XGL.^O9=]LKQ[U3XGL.^O9=]L MKQ[U3XGL.^O9=]LKQ[U3XGL.^O9=]LKQ[U3XGL.^O9=]LKQ[U3XGL.^O9=]L MKQ[U3XGL.^O9=]LKQ[U3XGL.^O9=]LKQ[U3XGL.^O9=]LKQ[U53=56`6;%-" M<@OEBG9>LUF1:VP%,NNI]P7+C&;,-CD*/K`9#[/#?=/':JPL>BV#V<[B^RUD M>IAR6SD.P+;D]]C.8N2&2^3R>V2N'Q1Q`(2;26O910B&JN\/+:.G[3BV0[BD M:5>=0I#K"-+G,#(;LRQ81-!`FGA8<<1W@0]Y1!7%0B3OA&91':[V-#<"CXK* MM*9#>;O&)]=M3VLGNHVF(V2D:H3(2":+M(B-J2&3.PGW9#+NS:R?I5TWL4G( MM2,:D9KD5_MUBF6IN!<(>3W1AB4+D(3.0""^FXN$O-/$QV5.!F.Q+L)\3V'? M7LN^V5X]ZI\3V'?7LN^V5X]ZI\3V'?7LN^V5X]ZKXQO%8.%:YZ3'C]WR0!NE M\N,.8S*R.X3&7V4LEQ=02:?>,%V<:;)%VW112MPJ4I2E*4JJ;]^-/@W\W^5_ MWC8:M:E*U0Z>P.UZ4.7ZR1X>%Q.Y2.W.D*C4)'U44;:0G%0WN, M9HSY"U)YNHD[C.LVJPS;K9Y4C`<2D/-E=1E&-LT*X=&?P/X-X;?N:MG]E;J8TI2E:I=/PN6S2^5?K%%A8=&25=?A M'GM_4.X$9NX251J$CRJG;:135#>XQFC/F+1)U$=;MEBG7:RRY."8H^ZV M=UR^^"IW^_NKL#?9%_XB[DL5QHD*U]$/P+8!X;?N7M7A^3]B- MU-J5JW@+4&;J9J2ENQ^?F.26_.Y4B!;),E6+-9E\EB*DV0?%6Q>4D1`7B](% M-U9;$%?.IQ$2?/RDW;(\SJ!G5L<.,_?9;)QJR*[.NW-AQ%T!(&Q)M@ M@:^157Y#C[1"<$S1NV27<+O6(6V;?8DO.L;&Y9Y>W163>42:*M-PN`"CD9"4 MC16Q9B)W.4<7>X9!M92E*4I2E*4I2J2ZUOQ5M2?XF+^L"L)2E*4I2E*4I5(= M:;L=CILREZ7,=B,-R;03DAK?FT*72+N8[(J[HGBFR;^%02[BSC3%N'-6CTO\ MO;2-:Y..LFAY1*)PE%J:#3Q."ID7-62<5WY=!I3S'2_$F0-3M9XMQQR M+8)(72SJY:X@BC$/E;P)&VU$R$A1%14-.*%OR[;6_:#8NE*CK_X<-%_Y37+_ M``_=*VJI2E*4I2JIOWXT^#?S?Y7_`'C8:M:E*U*Z?RAW'#;*U;V']0,IM4Z< MY$M;KZ1[+C"K,>-MZ22(0C(45;(2(7I6SO)EMMDW%2R8`3KAE#C]C?9S_.;< MXY$DY!,:.-8,9->3;K<9D2).\F[J$RT;D@O!N3(:`FB2-9.:W#$LPON%/AE- MU&Q7&/=M0;X/&!&C]DB=C6UL$07`10;%184&45M2>?=?:(#N#1G\#^#>._[F MK9X_\JW4QI2E*U,T"6%<<2M;4%B1G^46FZ7-V':'7TC67&E6X/F#\DD$@&0J M*V0D0O2D1SDRV#1.JECPTGS\I-VR/,Z@9U;'#C/WZ6R<;'\9)>3;C<=H2-.\ MB*ZA,MFY)+=&Y$AELFB&.W]2N&-Y5?<,?;RR\!9KA'NFH%\#C;XH$YJ)CMA;<6[7^0D.(I-G;(RMZL)*2;9E9 M61OVD<\ZQ.//;QX[[;[>.U5_CSR)&F+I24"""6=QR_O9@L7R:1;>X:NG:R;3 MM]C8E)#!/-Z=P%[:N$]MQ#<;;L5\#"8X0\22%$7)X>6C$6].@HB+*0A?W90% M^4;;23O%(A0(R`UL5=O<8=L-Q9M[+P:=^>&3N%ON"H69'<55"%&Q>17D<5!C MDVCRK<%%2)HQ(8XK[^D9NSM9YK$&/L3F;>EVM2LM7!&4EMJL)%,9"-(FSR&I M(?Y;]Y5>[BKLO2E1U_P##AHO_`"FN7^'[I6U5*4I2E*55-^_&GP;^;_*_ M[QL-6M2E:H:/2'FM&Y(D(T;K0SJ\1(RP[=C&=60&[><;M672K%Q9<61#'8!\O5.#9,B*"!- MJ34$%<5IPY/)HZPNKAN3,7OMESAMK([^Q9'Y$+!<>T:W^*#!M_^[=L_LK=3&E*4K5'2&1(;T@LT#+[RY:L M>E7:\M6S',;5QR[Y*YYQDDYW";%'&V^9J1-L*FP`CK\@6B=:&-%"%;<7S M:QA'MQQE;L>E.+"R9R88;"B3ME!HF1'@!-\FX+:N*TZY)0FBK$:J$Y,QV\63 M.&6LAOK-F=D0,"QUS>V6MGMFC4JX.'P1T0(#,7'Q!O=A/)XYOM(1VOHCO\2^ M`[^WX+VK^R-U-:5K%@/G"W9;K->[1&LF)L-Y?*\^YW=NPI1X01(Q=B.AEX]M M%!8^6H%C\SXN!,N7&XEY8)NO2215$%Y&;A-M*X M:KQ<<>W,VDVBI2E*4I2E*4I5)=:WXJVI/\3%_6!6$I2E*4I2E*4JDNM`&W>G M#)VW8A2P*59Q)@%5"=1;I$W!%3Q15]E0>6[(O0LKD$A_5HK:)38,.VNRF'\0 ME">XI(-AGNN/-HJ-]TP2E%E#V5,WB]1G48CZM,<@M,!A>X MI,*PWNRK8;D!@A%'(@Y//M/BV"97I7E2INHVL4J;E+.2ON7&RJ5Y8'BS,5HSYBW)4GA2>1'6[98IUWLDR3@N*/NMG=LQOH\[]?G%V!OLB_N; M?(C!ILWP4MD[3$80)EU,%GR-6/1[(A:\HTXPN3!F(T#RN/9'D\ER.>W-34WV MW'1#=>7XA>/DKC7K6OHA^!;`-DV_26_/),FWVB1)*/9K07DT14FR7.!-@ZI(* M`2B](%$56&T'ODLXC).N.5$Y:76-0PJ]X?;YV0PY>=8VD_/;T\"O7FW*7I,QR(R$FT$X^WOS:%+I%W,=MUW1/%-O'PJ#71&\8:@MYBR M>EBW`/);9*L3+O/*I9.+Q;F`R\3@$9*IJR3BO_+JH3!)9`IQ=&V[3/8L=^L0 M:?7J[,M):,(LC0G`RD@$$,)*LN@R2[*VT0&=%TNBH2V*XLIW-Y!OHHLDA*+SA.J#8"J#W(KSPLD>8Z7HDN#J;K-%G MXU&QZ0%TLRG:8J)V86]N!4:;42(2%$5-C'BA(O+MM;]L=BZ4J.O_`(<-%_Y3 M7+_#]TK:JE*4I2E*JF_?C3X-_-_E?]XV&K6I2M2]`%AW##+(U#9?U`RFU39S MT*SN/)&LN-;S7C;?E&B&`R%16R$B%Z3LXI,-`T3JI9$3R^?E)NV1YG4#.K8Z M<9^^RV3BX_C)$A-N-QVA(T[R"KJ$TV;DDMT;D2&6S:(8UD^]PQ3+[YAKS>6W MENQW*/=,_O8<;=#C]DB>BVP`V%P44`%0846MVE61(._P"Y MJV>/_*MU,:4I2M3-!%A3\1M3,5B1J!E%JN=R?@60WO);-CB^<'S;?E&@F`/K MNV0D8O240^3#0-JZM6/&2=<,J)RT.L:@YU:W38=O,IDHN/XN:H0.-L-BIIWT M%7>30$Y*+DC;[[+1M*,?R`2GXYE5\P]]O+[XW9KBQBVT&] MA-$(1!6V%%O=E?*)#C[2B=K:(;+HM@"H6_[E[5X_E_8C=3:E:O8W(X7_`%+B M9-ELN#8I>H$YJ+8;"#BWB_R$A1%)I#;^51H45"(6$!40%-UX64&8D># M;<8S&R#"MKD91L.E>+"R3TR*&P\9W%0:5D45MLVT-N"VKA-O.R!-LD^[V#DZ MY1;!G,%C)+RVVT_:].L?<_:V"QXBT_<73XBZ`J#A";X@SNTB,1W'VA(X9K`^ M/N.6NSBZ-GQQIR4V2(ZNZ"X^0$V(N/KWC0B-EEAHWD3 M:6E*4I2E*4I2E4EUK?BK:D_Q,7]8%82E*4I2E*4I2J5ZR5F)T[9(MN5A):3; M,K'E&_:[GG6)QY[>/'?;?;QVJO\`'G-XLM=)O-[#:68RO[F8>2K&=MO<+NE: MU;^3[&RJJ$">;DY!ZJN*_LBJ@6.^)@[;;6(I"B+E#.6)$6]&*@*,I"21NSP5 M>X+?E.\521$B[,[+79R9=LEQ;MS;J:>>>62N$>X;+F97)5111M'T[O<5$CJW MWE\XJ*DK*H21TKW](P64,\UB''@G!;_.UJ5H;@C*2Q582*:2.UX=U#Y\^Y\M MRW[^[WE*CK_X<-%_Y37+_#]TK:JE*4I2E*JF_?C3X-_-_E?]XV&K6I2M M4-''Y#6C-@@9==W+/CLJX75NV8YC:F=XR5WR^03G,FQ1QMOF9&3;"IL((Z_( M%HG6AG5WCQ&X-MQ?-;&$:W'&5NQ:58N+)N2H@;"B3N*@T3(IP;-ODW!;5Q6W M7)"$T5835Q3EXM?+)G#35_OC-C?D6_`L=/>W6MCM&C4JX.'P1T0(#,7'T!O= ME$CQS?:0CM_1K?XH,&W_`.[=L_LK=3&E*4K5+1YZ2UH_:(667H[+CLJ[7ENV MX_C9.'>&8D>#;<7S&QC"MKD91 ML.E6+"R3TR*&P\9W%0:5D45MLVT-N"VKA-NNR!-LDP^JB.2\;N]CSEEJ^WEF MS/2+9I_CA_M?;6$:,6I5P`)=W=&26-""+%-6(XD6ZJVG,U)Y M0CM$ZA\9"]UM)3;R;MMCN%YQRX2,+QA\P>O&!8Z>H5C6T8TA-'<[FXLP3=?DENH@O(C=)M MI7'"7BXZ\BDXRFT=*4I2E*4I2E*I+K6_%6U)_B8OZP*PE*4I2E*4I2E4CUH- MM.]-^4-/1#E-G*LXFP"JA.HMTB[BBIX[K[/"H/.<N4EN\WO(4U'NEI;;*U9S M:E5F%B[AH`FKK<9HVN7@+AD*.J:'QD-QHVQ5].NG(N!90]DS-VOT5T8T;5=A M2&SP&5[G)A6`W9X!R,#;YFR1"A/2>:!,KTLRI( MZ;,S]K<"(\V*(@B!(B*(BI"B;()N(B&6QU*5'7_PX:+_`,IKE_A^Z5M52E*4 MI2E53?OQI\&_F_RO^\;#5K4I6J'3TCUOTJ.^8]$BXFR!W'X0Y]D7%59BMSI! M*S"%XO\`-M#S+DYPBM&?<0))$^-3N"86VQW"\8_.DX1BSS@.W?-K\G+_-MBA%R/A%:<<5Q`DFKX5.X!-V MVQW"\X[<)&%8P^8/7C.;^B.7J^&J\`5@)"*K8J9H#9OALB(C<>-VS9<'"9HK M-ETER!8?E.G&%2HDE4=E=UW),GDN,$B(2/(S6@TC1%& M=*=0";!Q30>!$+SXH"K':1$?)9PP,ZXY61VXV-0L[M;Q-'=)+11L=Q4U10,& M1'FB2$!7-VP)V47<0'G6&7&U#BRH]/O$B]87,C9=DC(/,3L]OC2+9[4WO\M& MM[39"AB)"(DTP8BO85),HGVD0X#FI6J>_A5\Q"#.R2++SK'$GY[>7P5RZ#Y: M*MLP.(HAQD7U]V@:B?*9M6227AEQM*XR$5DN#*=SE()\5%E1)1=,G5`&Q79'8SSZ-$67Z6XLN%J5 MK+%GXS'QR0%SLW.T1ME9@[VX%1EM4)1($14V(>(DGB@-HO;'8RE*CK_X<-%_ MY37+_#]TK:JE*4I2E*JF_?C3X-_-_E?]XV&K6I2M2]`EAS\+LC##,C4'*+5- MG/P+(3WDMFQS]G/&V_+-!,`?7Y,A,Q>DHA*4=H&U=6K'CI.N.5$Y:G&-0/\`RK=3&E*4K4O0@H4_$+5&CL2-0,GM=SN4BW6(G?);/CR^<7S;D3'$$P!Y M5[9B;@O2$1>4=D0[JU8[`SKCE9.6TV-0L[M;Q-'=)+11L>Q8U10,&1'FB2$! M7-VP)V47<0'GF&7&U#`9$)3\>RJ]8B^UF60,V>XL7#.KP"):K!H7`6679N)%M M]LQC+;(EKM3L=1L&EN+BSY5.C!LBA-[9"RK(\FP-H3;A-JX0//2`Q?[H++;]ITWQ\_VOB1TW%MZXNEP!UL5!Q4)]&V-VT%EAU]H".&:Q M2CE97@D7+\D=O>51<[QYTK39A=2T8XT.^V^WCM5?X]_HLOXI_-_;\SN>?_`(8>2>3>;>X7=\U] MOY/L;>SA^UWS?]IWZ1_^PKY\!NW\$/(HGPI3*_)//>W`>SY%Y1\APW[O;\I_ M8O+;R7Y':NQ.UYEN7FWN?%WYY8\X)/X_#3SENG'M]_Y7N;>3=OO?MCQY=GU_ M)Z]_2-YD^'NL7P<\N\W>=K7VO.'9\KY>1)W/*.UX=WN<^?<^6Y;]_P"6[E;+ MTI4=?_#AHO\`RFN7^'[I6U5*4I2E*55-^_&GP;^;_*_[QL-6M2E:H:-.R&-& M;#"RN\%8L=D";9)@M7 M$.7B=ZL>=--WJ[M6-^1:]/\`'#_:^VL(R8M2K@X7`70!0<(3>1MG=I!88M,/*KVM@QR5=[R%OL>.&97K M)7UN$DG$(FQ1QL>2F9!']?@VCKK[;?>:2=7=N)%M]MQC+K(ELM;L=1L&EF+B MSY3.C!LBA-[9"RK(\FP-H3;@MJX0//2`GP72'F.LEWL-NM&-"UETOSSG5W1HDB0@BQ3)B.!$BJH(A&I.J$=LG4,]R#BY=[R7+B*L!)3U!YFHMF^';%$0(\ M8FG&G!^0.-:,9<=B^<--L&ER!<.2\C[N4Y+)<1$XH#B'*;==``!.74FRNMU>68ANOR2W5!)5)QT@;5QT MEXNNO"JN,UM'2E*4I2E*4I2J2ZUOQ5M2?XF+^L"L)2E*4I2E*4I5(]:+;+W3 M=E#4B&Y+:.5:!-AM50G16Z1=P3;QW5/#P\?&H+<37)6XAY6^YJN=N#RRVP[, M\^+F*3!<7B4MQEA'3(=PDG[GQ'P3=5V3P2OACHRT&C,SHT:'G335 MT=C-IE^EM2?O.R7W^GHS:9?I;4G[SLE]_ MIZ,VF7Z6U)^\[)??Z>C-IE^EM2?O.R7W^GHS:9?I;4G[SLE]_K`V[HIZ?;1+ M6=:;5FL&2K*Q^]&U%R-H^TKA.JWN,Y%X]PS/C[.1DOM55KT1NCO0Z'.EW2(U MGS,VX=ORN0WJ7DHNR.`\0[AI/W/BG@FZKLG@E?#'1GH/%:G,18F=,MW1TWYP M-ZDY(*2G#%!,W42?ZY$(BBJ6ZJB(B^RLG!Z6=)K9"CVVW2]0XL2(T####.I> M2`VTV*(@@(I/V$41$1$3P1$KN]&;3+]+:D_>=DOO]/1FTR_2VI/WG9+[_6#D M=%G3_+,W)-LS5PG)X74U+47(UY31X\9*_L[_`#J;[3BN-\3*C-IE M^EM2?O.R7W^GHS:9?I;4G[SLE]_IZ,VF7Z6U)^\[)??Z>C-IE^EM2?O.R7W^ MGHS:9?I;4G[SLE]_IZ,VF7Z6U)^\[)??Z>C-IE^EM2?O.R7W^GHS:9?I;4G[ MSLE]_IZ,VF7Z6U)^\[)??Z>C-IE^EM2?O.R7W^GHS:9?I;4G[SLE]_IZ,VF7 MZ6U)^\[)??Z>C-IE^EM2?O.R7W^O%>NDO1G)+5)L>0_#VYVZ8';D1)FI&1O, MO![>)@4Y1)/!/!4KX]$71/\`,YU]XV1^_4]$71/\SG7WC9'[]3T1=$_S.=?> M-D?OU/1%T3_,YU]XV1^_4]$71/\`,YU]XV1^_4]$71/\SG7WC9'[]3T1=$_S M.=?>-D?OU/1%T3_,YU]XV1^_4]$71/\`,YU]XV1^_4]$71/\SG7WC9'[]3T1 M=$_S.=?>-D?OU/1%T3_,YU]XV1^_4]$71/\`,YU]XV1^_5XKST5=/>16YRT7 M^RY?<8+Q`3D:5J!D+K9J!H8*HE.5%42$23\BHB_16.MG03TOV5V4_9L1R>`[ M.<5Z4<7/<@:)]Q555(U&*(B5PST`=*\>S'CD?"7]GN=L>`B+HG^9SK[QLC]^IZ(NB?YG.OO&R/WZGHBZ)_F*], MVD&&Y5:\TLUMR)Z[V4W78#MSR^\7)N.;C)LF8LRI3C?)6G7!W4=T0UVVJTZ4 MI2E*4I2E*4I4>QO4'"\PO.08]C.11+C<<5EC!O,=E54H4@AY(V?AMRX^/AO6 M7NEUM=CM[UVO5RBV^#&'F])E/"TTT.^VY&2H@INJ>U:Q\W-L,MMIAW^XY=98 MMLN)`$.:_/:!B21HI"C;BEQ-51%5-E7=$5:S50NZZP8!9=5+'HM<;PZWEN1V MZ1=;="2(\0.QF%^4)74'MBJ;%X*2+X?K3>:5CK[D>/8O`\Z9-?;=:(2&C?E, M^4$=KFOL'F:HFZ[+X;TL>18_DT/SCC=]M]VBFEE;R+/,BB66VNRV((R9*J@*^\7!L-T1?$B5$2LG?;Y:<8L=QR2_3FX5L MM,1Z=-DN;\66&@4W#7;QV$155_@KJQG);#F6/6W+,6NC%RL]WBMS8,QA=VWV M'!0@,5_(J*BUDZ4KHG3H5LAOW&Y3&(D2,V3KS[[B-MM`B;J1$6R"B)[56L5B MF=81G<5Z=@^8V/(8T<^V\]:K@S+!L_WI$T1(B_J6LY2E*4I2E*4I6%R/-<-P M_P`G^%N6V6R>5\_)_.,]J-WN.W+AW"3EMR'?;V<&1Y*VCCV[@BH-["J+ZZIO]%32E*4I2E*4I2E*4I2E*U?ZV M-6L\TSGZ6VJT9K,P3#,KOTBW95ET"VMSI=M$8_-'$5SMEQ1O? MP\=Z:TWU/S>RZ(Y%EF>Z[:IP+KF.HQXUA-W&R!<+CDEM94O)#@6R0SVHJOB; MG(N`CNR)>"JB+B,;ZINHRSX/?I]\S2[.LZ8ZR6*R7R5>[%!C7&9C,PA;;C^/8E`N%M@JK3DAM^Y2Y+> MX-NMH*<`)5$04T%=]JDN#]0NI>9ZX].MLDW6/%LNHVE3N57NVLPV5`YQ1V74 M4'2%70$2)=A$T141-T6J0TDZB>J6=ISTYZ[9?K;YYCZE:D-8-<\?^#\&/&[2`2H)*2>KQ541=]EJI6<:U&TSR#7;JDT@T;N&A&'0]+),6VV>=#@QW9U^ M8+O!/6W,DZPTC8"H>LBH7+V+S-$D$S57JKLNFNCJ7C6J*>3]15[LS#%P:QZ* M+.)6]V+WG0C@J*,B0X)M^LZG'DAH(HFRIY,SZC>IG2#'NI'3")EZ9QD.DS%A MNEGRJ3:8XRH]MN`@,8%IG*NF.9-=((08#=[*.X;C!0UC-L2C;X`X)*VO:\0+ER\9E;M1=9+=H/ M@V::L]3F21\LUC6TS<=L^&X7!ES0:*$3APXX&V0D1BZR\Z^:"@$VHCQ$D2H. MG5GU&P.D[4#($S!]O-<%U:;PF)=KO8XC4I^"K\=$";%!"9%W9X@/M[*FW@7) M.:]V>:A]6>*9%U%85&ZFYCS6C^-P,PA7`L8MHRY;ST17UB%\GVPC<@/P0%/Y MGK[(2'N;CFKC4?IMM.NN:JTR"83'RJZ(UZH)O!&2Z@(OL3?DB)_!7YU]"6K> M#8[U':?W>'G$6Z9'KA8;V.=1FT=%(M^6>]<(IFIBB*2LN+'3BJINB_EK[U5S M?6O7[I79ZB0@4B(B420MN/L5 M+GUIS?6O6K*.J/%K#JJYAN'Z.XFL,;+'L\64M\.5;'WY!2G'15P!40-L.V0[ M(HDGB*\H[AF=Z_.X]TF:#:,ZEQL-AYWIDZ]*5TYUU']3UWS[52QZ;9%J#(N&E,N)8[%:K#@+=U@WR6RT*R7;J M^+1$UY02%P%LFT`514W5-UE.N&N/47B6HT?+M0LGSK2;2R3C]HF6RZV'#XEZ MA0)[S0+,;O2.@3[/!TE:$10?!$VV+=5[]9M<-:<"UTN5\U"U2R[`='7/-!XC MDM@Q2#>+!)9=`/*%NCY`3S)..%P#;BB(NX^&RE?_`%B:&Y%U(:"773?#X8S'AOVVZ08PFC,EE!#BG%\Q^3<$U5!V)5X<4S>`:P=0F&ZC=- M=YU!UD^&-CU[L3[]VLSMDAPFK4^-N9EM.QC9!#V174$^9*B[$NR>9MJH\O.2MS^'0L#1['V<>&0K+B><0:5WR ML!3N$YW-D+<5'9.-?I32E*4I2E:+=?-LD7CJ@Z8+=$TILNI3KQ9CQQ:\R&&8 M=QV@Q5V<-]MQM.")W4Y`OK-HB;+LJ9K7[4S/^D[1W3?5;#L)QW`;3`NYP,CT MHM+<$XUP\K[G%(DAF.)=]LA[RHT@"2*:DB\5Y5!JK;]:\^M72%F.2=1CT^]9 MADS$L)MKLMM6+;ICIV-G.TV8L<7>2*H$1)NOA)=7^H?J)NFM&JNG&F M^4:@QG])[5;(]FC8S@K5Y&^W9Z(KZN70^R?D[3A(C8BWP392-/F;++I^J74M MJKK]A.DEMS^9I4SD6BL;-+]`&P1GYEONZRU;>!ORD%-LD)1;5#Y(@"6PB:H8 MP:U=0?5MJ/TLZ%ZMVJ7E!VF\%>F]0[SA%@A7"^`D64['ANLQ'A5O@:LJ3RMA MX;+L@IL)6+CW4;DE_P!2.DZTX1K(N:8OJ*&8!D-S=L,:$]=3@0Q-E'&NWRBN M-.*0DC2@A*.Z[BJ)54!U/=2A:"1NN4M5`2R/YFEN73GS+%\C2SK/6)V._P`? M*?*MTY]SG_P[>%2;6/6'J6FYIU4+A^N#N+V30Z#:+O98$:P0'W'S>MWE!L./ M.MJJLJ33BJBHI[N#L2"/`MU=)\HGYQI9AN:W5MH)N08_;KI)%I-@%U^,VX:" MB^Q-R7;]52NE*4I2E*4I2E*4I6N/6!IMFFHIX6-DTBA,.^Z9Y$Q8IZ3-)H;<+'=YQ MJ`@"DH$\/L=-",R0E\>1*OTUV9-T>:'Y=;L[MM]LMP>'4*]QO'G/3OI!J#:\VMU[PV$P]J)$9A9)/A-HQ,GM,HB-(;PIR50 M041%^C:H5E/1'HCEV2N9+<"RJ*MPLT2PWR#;LADQ(E^A16T;8;GMM$BO(((@ M^U$5$V7=%5%DF'],6EN$7[!,DLK-V.?IQ8'L9L3DFX&]VX#FR*!\OGJB(B"J M_-1$1/!*QEEZ0-%[!@&GVFENM]T&R:8Y,WEN/@4\R<;N`/O/"3A^UP.;[GJK MX;*B?14TU38"A;HN^R+X+6#C]#N@L M7#;_`(&Q!R!;/DUZ@Y%N4;BJ25<=(B[CA`A.DJJIE[?H1)3D'3/ MI9DUZU)O]UA7`I>JUF8L.1J$PA%R(RR3((TG^S+@2[JGM7QK)Y1H5@F7:)>C M]=!N(8EYHB6-6X\PFY"PXZ-H`*ZGCXBT(DOTHI)]-?&<:!:<9_;L&MEYM\J. MWIS=X-ZQTH4DF#B2(@*#([I\YOCLB@O@6R;^RJQN'^3[Z?+C,N:O?"]NT7&] M)D88^SDX#LB(J[*B(A(2;HN?QSIGTLQ:^:=9# M:85P&9I;8WL>QU3F$0MPW6A:-'$_VA<13UEK"9KT?:59GJ!==2&KOFN,W/(P M9;R)K&,FE6J-?!:'BWY6#!)S5!]7<5%515W7Q5::G](&FFKE]N%TRW*-0O-M MZ&.%XQ^+ETUJTW,61`01Z-S5/8V&_!0W5-UW)55?+G'17I#J%=Y3^1WC.G,? MN#L5Z?B3653`L,LHZ-HTAP^7%!%&FM@!1'U!\/!*L?572/$-8L03"\M6Z1X; M4EF;%?M-R?M\F))97=IUIUDA)"%5W1%W'?;P\$JD,OZ,L8Q?2'5X=/%R;,-1 M\[PV?CX7K*K^=PN$D38(68J2)!(#;?/A^]3P'DNPIMZNG#HPPC3*WX#G&7CD M5TS;'<2BV@(EYO[UR@V-]R*`3FX+9D0-"9=P5XJH\55!V'9*]&.=`6@>,3+$ M_;G\T.-B5Z;ON,V][*)9P[$^+_?,(C/+B`.%X&BH1$BKZR;[U(DZ0-*(NJLK M5JPW/,K!-N5U;OMTM-FR25"M-SN($A))DQ&R07#4D123P$EWY(O(M^NR='6E M&,9Z_F^+7C-[)&E7GX0OXW;*;5>=* M4I2E*54^MG31IWKU>L6R3,)^36Z[89Y;YGGV&]/6V1'\K%L7]G&E0O6%H1\% M3P4D]BK7DL/2KIK9[WB%_N=URW)Y6#'.=LRY)?G[FC3TL>#KI]Y55P^'JBI* MO!/FHB^-8*9T0:)2--;7I7!/*+5:,=R$\FQY^W7MUB98YAJ2JD-]/6:;W,U0 M/%$4E5/'94[5RX4F^Q([:-M#<'`+E( M-!1$5Q50U^DEV3:>1M#L!B:IP=8V8\]2;(B*FU9G%>DK1/"9>F4O%[!+@EI*EU7'1&:X2(=R;X3''^2JKQGX MKN2^"KX;)LB1YGH4T#9S$.WS/H MX\?"I==.F72N\2=59.4=M&OS2]LR153VKXU86*8 MU:\,Q:SX?8P<"W6*WQ[;#%P^9HPRV+;:$2^U>(INOTUE:4I2E*4I2E*4I2E* I4I2E*4I2E*4I2E*4I2E*4I2E*4I2E*4I2E*4I2E*4I2E*4I2E*5__]D` ` end EOF /tmp/uudec << 'EOF' begin 664 doc/gawk_api-figure3.pdf M)5!$1BTQ+C4*);7MKOL*-"`P(&]B:@H\/"`O3&5N9W1H(#4@,"!2"B`@("]& M:6QT97(@+T9L871E1&5C;V1E"CX^"G-T9UL6F^AD%(+B1EYYIU' M6&,$X4:$;D%CN#()5#MR(`A^M&N(2P'KCH@0]_D2!'*;LN^7;0-5!_$^A:YJ1FZ=^91CHO$B0^**W+Z<:3SCWQSMG/#=!)$Y M)4(A_Q'26>4IINP5D[)\3)3X9CQ3JE,L]I1%*%#\=Z!?8W5H M@,S`#F2:>EL:P,2&5!O>Z9>/7P65@>Z/C:54]JRK=#)VJW3B7]V&;S2G*XQV M[N95].RTP"PG&`"'GTDP4S4T*S=26VLAWY%X%8G(5\]7A,[FEQ\_P7>6/Q#D MJ7^,2^5RL/*:+&BUJ;=M02_B?=EO+@K&HDP*00OZ;M7L^[9@!<6"O6?W^16) MID7HCU!`'LDD:,T3:24JP-1?SP$+1ZP%79<,$_KT!:[+;0,W+4-!']:YNR@_`1O@+Q$*96YD M7!E("]086=E("4@,0H@("`O4&%R M96YT(#$@,"!2"B`@("]-961I84)O>"!;(#`@,"`T,#DN,3DY.3@R(#$W-RXS M-S4@70H@("`O0V]N=&5N=',@-"`P(%(*("`@+T=R;W5P(#P\"B`@("`@("]4 M>7!E("]'"!;(#`@,"`V,#`@,3`P(%T*("`@+UA3 M=&5P(#8P,`H@("`O65-T97`@,3`P"B`@("]4:6QI;F=4>7!E(#$*("`@+U!A M:6YT5'EP92`Q"B`@("]-871R:7@@6R`P+C`P,C(U("TP+C`P-#4@,"XT-2`P M+C,@,"`Q-S#$S(#$S(#`@4B`^/B`^/@H^/@IS=')E86T*("]X,3,@1&\@"@IE;F1S=')E M86T*96YD;V)J"C$T(#`@;V)J"B`@(#$P"F5N9&]B:@HW(#`@;V)J"CP\("], M96YG=&@@,38@,"!2"B`@("]0871T97)N5'EP92`Q"B`@("]"0F]X(%L@,"`P M(#8P,"`Q,#`@70H@("`O6%-T97`@-C`P"B`@("]94W1E<"`Q,#`*("`@+U1I M;&EN9U1Y<&4@,0H@("`O4&%I;G14>7!E(#$*("`@+TUA=')I>"!;(#`N,#`R M,C4@+3`N,#`T-2`P+C0U(#`N,R`P(#$W-RXS-S4@70H@("`O4F5S;W5R8V5S M(#P\("]83V)J96-T(#P\("]X,34@,34@,"!2(#X^(#X^"CX^"G-T7!E M(#$*("`@+T)";W@@6R`P(#`@-C`P(#$P,"!="B`@("]84W1E<"`V,#`*("`@ M+UE3=&5P(#$P,`H@("`O5&EL:6YG5'EP92`Q"B`@("]086EN=%1Y<&4@,0H@ M("`O36%T#$W($1O(`H*96YD"!;(#`@,"`V,#`@,3`P(%T* M("`@+UA3=&5P(#8P,`H@("`O65-T97`@,3`P"B`@("]4:6QI;F=4>7!E(#$* M("`@+U!A:6YT5'EP92`Q"B`@("]-871R:7@@6R`P+C`P,C(U("TP+C`P-#4@ M,"XT-2`P+C,@,"`Q-S#$Y(#$Y(#`@4B`^/B`^/@H^/@IS=')E86T*("]X,3D@1&\@"@IE M;F1S=')E86T*96YD;V)J"C(P(#`@;V)J"B`@(#$P"F5N9&]B:@HQ,"`P(&]B M:@H\/"`O3&5N9W1H(#(R(#`@4@H@("`O4&%T=&5R;E1Y<&4@,0H@("`O0D)O M>"!;(#`@,"`V,#`@,3`P(%T*("`@+UA3=&5P(#8P,`H@("`O65-T97`@,3`P M"B`@("]4:6QI;F=4>7!E(#$*("`@+U!A:6YT5'EP92`Q"B`@("]-871R:7@@ M6R`P+C`P-#4@+3`N,#`Y("TP+C0U(#`N,R`P(#$W-RXS-S4@70H@("`O4F5S M;W5R8V5S(#P\("]83V)J96-T(#P\("]X,C$@,C$@,"!2(#X^(#X^"CX^"G-T M7!E("]83V)J96-T"B`@("]3=6)T>7!E M("]&;W)M"B`@("]"0F]X(%L@,"`P(#8P,"`Q,#`@70H@("`O4F5S;W5R8V5S M(#(S(#`@4@H^/@IS=')E86T*>)PKY#)0`,&B=`7]1`.%]&(@7]?40,'0P$#! M"(B+4A72N`*Y`*A6"%`*96YD7!E("]83V)J96-T"B`@("]3=6)T>7!E("]&;W)M"B`@("]"0F]X(%L@ M,"`P(#8P,"`Q,#`@70H@("`O4F5S;W5R8V5S(#(U(#`@4@H^/@IS=')E86T* M>)PKY#)0`,&B=`7]1`.%]&(@7]?40,'0P$#!"(B+4A72N`*Y`*A6"%`*96YD M7!E("]83V)J96-T"B`@ M("]3=6)T>7!E("]&;W)M"B`@("]"0F]X(%L@,"`P(#8P,"`Q,#`@70H@("`O M4F5S;W5R8V5S(#(W(#`@4@H^/@IS=')E86T*>)PKY#)0`,&B=`7]1`.%]&(@ M7]?40,'0P$#!"(B+4A72N`*Y`*A6"%`*96YD7!E("]83V)J96-T"B`@("]3=6)T>7!E("]&;W)M"B`@ M("]"0F]X(%L@,"`P(#8P,"`Q,#`@70H@("`O4F5S;W5R8V5S(#(Y(#`@4@H^ M/@IS=')E86T*>)PKY#)0`,&B=`7]1`.%]&(@7]?40,'0P$#!"(B+4A72N`*Y M`*A6"%`*96YD7!E("]8 M3V)J96-T"B`@("]3=6)T>7!E("]&;W)M"B`@("]"0F]X(%L@,"`P(#8P,"`Q M,#`@70H@("`O4F5S;W5R8V5S(#,Q(#`@4@H^/@IS=')E86T*>)PKY#)0`,&B M=`7]1`.%]&(@7]?40,'0P$#!"(B+4A72N`*Y`*A6"%`*96YD*"JUHF\RLL%%I3!-B3$-0;6A<"P4V:5,+HT+[D!"JBD;9Z/;' MA)"JP082VXB]Y[VS0V':M/]WZ7OOO1_W_-[G>7[/\YR+,$)H(SJ.=(B;79A9 MO)Y_2@\3WT2(FIH]O,15G*_X$T+5'\"N37L7]RU87FI]#B&3%=9S^^;OWQO6 M[XW!VO,(;;@QEYN1/_KGA6\@9#D"@[&W.+77A'VYU+6W<90N+N5&];IWB/S=/0X+%Y@L'"9:JMH,=7"MTX+XT) MKOT[XN.;.J2N0#L7:'69"X&&CH9@5_!NG>7SC_NI;\.)=,@$=NBAAI`#U:,& MA,1H#[8)OI@&R]!&Q0@$58Q@X`)>'[1 MBWG?.FB$9VBP@,!$8M$(+-&".N)C^#6YT"@14!^'+\L?IMO%=C&-T?7D=S6P M[R23XAEC,GE(DHR/134>*YV``X)9YH$ MW?6@NQNA`#&PP&O&+NM/YIJQ#;_.^:3"VR`]ER,0+3#,R8Q7!"FJOO!8.(%P M\3.0-P[R>*(C+=@$;(MH,GS12-F39>F468K/%M8$$'8B&2>VO`]3`G34D%SP MXGSA71"KV;-P!/O)B8D=3Q;WX3>H@R@$9Z8=3A833OB"8,>@RE`@AV93E<-F M3*QJA%UXNIYV<$)=8CQ0ZV+KG77^R;Y:@7,P;,#A".@9`5,>QN%)2\<8OR?D M]3M.Q:<\#L9#@6UQ9.71'/XCV<4O6I8E4 M/U.K/%7?%LJ:>F"K15 M0$7U#C%:?`QB]!5D@YJ`R0O@ALYRDL9_+URJ4N6`GMJSEJVU>^UF M%_4LZ4VJO5&QBTH"9UG4B)"MS")5AP9F/4(U[E24O1L1I:54>O\C^;F)K=T\ M+_U$DJS@8_S^A)2)F>FC7<^J@7J1>6DNE8K$4AJ7FB!.>@"3 M0\T(=6HV`WA7 M?UMD+,1-?#V5V^AL=X*]-[*C@[^2G0UCPV)5R&MSJ/$"N#9JC,1+)Q%7BDK5 M+Z*]J3W-:5EDH,$X,%%R$P7S]37F6UFEO&$F6V) M=V`V`ZL94)A@+0,_TAH_G-$^*A9M"*J!3Y*2"KC\!3,V3_(.[]R7F#$Z\-,5 M+U+S\%O@XWNA!J,:*#2=FGZ-MB]XLZH MG:6M-=9HU$);:-8>W>EQ>.P;73NI>Z6LQ\C2`8MGR&VE61,S/,R86+JF=LA3 MZ=K$&CU9K3:-J'7WH)K3Q'(8E=SSE5@JF:\#K[[HIO6S@1U/2-(3CTB2%DZM MDL"US%$'^QU>QE$Y+F63\2FA4R!)3;Y)M8EM/G=F_&59OC#,!E^6$5JO9P\2G$XU MD1@UNG7TXXA-TV,2BMB$IJ$4W2V8%*FP(,J2TC!!X(ZB+T-6O$G9^WLPY^3DL0R4*YJ M^R;]=5?+I>LJ?@IA]\;\OB98U*Z5+(0TCRK M0^2+M!I54*/0L\@*,V;T$"KB23R#C^`'\>/4%>H]+LBU<=W<\[RO6"3?BNAI M/(%WP_JQTKH=UC>OK__G"P/&>_A[^$G\%/P]7?J[`G]O8O+5:8!FOF6_":Q+ MKX\@.Q+?_=OE^@J&YB'RQ8C@*[9\Z?_KRXLKK.`0]ZY2W1Q6J-#( M1&9`R/)A11?:[^*4Q'B&5Q+9L%(1(J_R`G\T\WOW;[-NV)=9<]_,N@5>T3=G ME,'#674AFP5Y^I!I>BJL&$+G?7@5T+G5Z6FW@D",,73>KTXEUJS[KPZFM!&!'"C=CJK MV\J#Q*H0][:J3G6(:U6,S=,9CAL2!F<.MFI!7[2%0(K]"S+9-%O)&A1O/]+HOP0H=>A$E<$*2\,BK5C2+U#O9 MG,Z0^T1&V`.G%R0W=%B0P/*)BD"YC!T"C>KU.8\92PFI,`LV`5N M896.\._)S7^\=N/]_KLMO9^B>AWYC8U>_T/V+Z3_]1O7'U@[!U]!-W0<[*V$ M[*%E$;CKN"+\)J,R:^?67J-NE.:_N.JH#**AF4J-AS9)98J?00]OH9/0.FY9 MZ]/&N!+Z56VONJ^IM&>Y-#<"S5EZ/DM:">];<"C(:7A>2W$4%$[J):WIX*>D M[AE(>9"E*N!W?<4E2'H=`)R,K$&A1REU*I'NE=Q\92"SZ`1I7(\S7F#A=`8I.FY`T36GE`INX()NA&HF`ZSHM=FL0L/G'_H75-XIA0IE M;F1S=')E86T*96YD;V)J"C,T(#`@;V)J"B`@(#(X.#`*96YD;V)J"C,U(#`@ M;V)J"CP\("],96YG=&@@,S8@,"!2"B`@("]&:6QT97(@+T9L871E1&5C;V1E M"CX^"G-THN.>Q#R_8`!$P7 M:2&(I(>\_3"N.FF'Q#^,_5NY&;R,L\S4:X`-<1L\J MP>UHUMLJ_\VD`RM2X(%QSHNW:"&._L)W M7^>>7/TUA!^8P*^\9&W++;@D]Z+#JYZ`%SEYW]FT/Z[;/J7]17QN`;C(ZXI* M,K.%)6@#4?L+,%66+5?.M0R\_;G4J%-3+S7V(BUI MVGR9MUO#:\7YW^=EKC&F4>5'DF>$TQD]W-]1F`-FY>\7^X2I,`IE;F1S=')E M86T*96YD;V)J"C,V(#`@;V)J"B`@(#,T,0IE;F1O8FH*,S<@,"!O8FH*/#P@ M+U1Y<&4@+T9O;G1$97-C2`H1G)E94UO;F\I"B`@("]&;&%G M7!E"B`@("]"87-E1F]N="`O M2E524%-&*T9R965-;VYO0F]L9`H@("`O1FERVQ;UWD_YUQ>DB(ED9=/2=3C M4I>D9/&2>I`2)9EQ*%*49%&*)5FR>279)B7YD=B.E;<[YZ$TZ9*IRY;EL719 MFZ5IAPU#,!S:B9?NCR`)MB)`UV'(BFY`TR#HFFW`AJ%>U@5+9FK?=TG)\YWO?/>_:GK1S\CQ'Z&$.L+)\]\Z<0/4\_[CZ_MO'V70GX+^=XB!7"B_PMH,38#61(*D ME]2E+%TANUDT,&+H"5._Y!4=I/>BP_$')[J M"-"LK;Q,OUU^EB9NCT7Z;!:+K3_4I+1XS:*U;F^[T>6RV>`IOR*>CW_Z,]%^ M]<>I6/^P*6*MJ[/."_X]_H!5J+,X7>7773:[VVVWN0@CMJT0:V1+)$'2))]: MB%@9-=/)!#5-$&*J,9&:=6(PBD:#N$[,A#(S7;70FAK3$C&9UG*$,>,2,1H7 M%J<'!P?3@2$R#F&4@80+@RJ+#&V(G>[EAQ).#SI&:'#_<\N;%\NWJ/ M.Q'?GXRJ,[DI?TM/9'`U-7\R6?ZPMT^-]A3HSQV>D=[X3-1L:PB&LN$9+30Q MV"S;`^VM_F&U.>YHW!\;.M3-6N1G$M&>P43?&MA#V;I"_Y/)I!D\EDFEO)0) M'DI9*Q4-1H$)1#1,$DH,(C6L@O:ZSFLY(Q5%L@1>7R%3+2TMP99`4%$"G29+ M8SC@\9I"H0[CM@]C%?=V#,3ZW&YCHE]I1Q7I#YQN7V3(YIOM.[#\T+WI[OCP M7.OJD>]]*]C_8"AXML6\8%!"G1V+^P\MM<;V-!\.7?Y@W\CIY5`7K$E)+<3_ M7S,)6G^JU6("E(Q.&@3&V'*.0LHLDBF'0W+81<#C5P1!$6).)_YCA9=GYKYQ MW\;D\F/S!R[0WRL7F52>II?P`5M,P[P^]C'$;PV14RTFBO/BM!-D]]0NNV#Q MAF.*E'`Z%2$1^_[&QE-O/WNY]`3[J+[<7_Y;ZHJ]S9<2`I`#/%B$I0*Z@\?==0\_-"O,J.TD?BC M"_>^2OV_NQ0HV^F5=/M2H?QW[%*YF?YT:XM@'O]8:"'MQ`N40!K(9SH.T(M> M!1\[R&S*8J=4L%(([.<)7V,R0M3Y4?I MZ>[0GH[RTTP:6X`)&)F%5S_8Q@*3]:0B1@I%"9Y56)?!DHQIN/HBG;):H9HY MK)*]'F1KI(#)XL%%(9L4-ZSGP&11W#'ZRK//79A]_"_&)GYS?)Q=NO/.>^ZY M`H;YYMZ)"^5M&SS!VHB-G,YQ!^AMJP7WFACHQ28AX"=\*1LTP@Y7F-0J@@[$ MNU0-KPHF7\JC1P1:>0D=N58=T%(0F[!&/9A'A"`AD`S7+`.F.=?@:?!V#]@W MSM4Z)[I9F^E!8V:L_`],.C5TBVZ7\-85U@*^J@/OJ:D](DQ.80E*]>JSG73U M]834-]1[G1((U@:-%G?%)M6L&XCM%)*00E]\++D^?=_CR;NF[QG"OT$F/__E M@X^,/?_8P8?'BI>/:HM'CFA5&PD66+N-+*=JF[V,B@X+NQ8I'@%@B$MFDU$0 MQ>6<`>!4@J6)8!]'C3#*C,:UG4$M90?$;:2U77*VPZ_&XML.F:I=XKLBI\^# M1F)O3FT,MT4:-H9E>)VS)(]$,_:VJ1B3#T]B)"UT["D_76V8E)V/AM4(VFX+ MHIWE(*9,$"GA5&<--4#^BM7(6B$84P@2_&0VFRUFBR1)=HSAH&+"3%-@+WCN MH_"O_FXYM(^K\0&$OTA#"CT+K/<5=,XU5<\%2^FIQ*YN-?3TQK?&^]C'UWU M94+J;S\Z]\CX$*V]>LRO_&MS\]+RRD(UON@6^-@-%3^6ZC$#LAK*P,=$!#.) MI$@,AFJ5!U0ZU!4VY0@$`^V`J2E,3'Y]_TIXKP'SN#MT+\;HEE!^S9095/8I M_?DS7WIL\([]YW[ED9/=_>)?46O7=-K;L'_\N8W91_<_]7#PJ]DIC#D;X'D; M\`1)/-4+8`0WY!EQ82I.[DXO2,FJF8`;)(%`>'>"@3T\WNT]MB-1#?U01W5K MI<=F^T9'0EV.[NBA@QO'1DYWI+*Y<,S9&Y^=BAU),OG67+BEP='@KO-.C1[0 M.I6)>'NKU^>V>0[L5<S=\@>Q(GEH0$*`O%>C[/X.9Q[2&=0#>HX M]6WQ.J15J%_`6CS3/1+,A7OV>I-[3YR\]?[9`P]%LAV'XD-C#<.).U>2IT?9 M.UWA7%MSN*.IO=4A'UO:5QB(J5/MRD!O:T>;U%ZX;>A0#_IZ&LXZ"MC63GSD M=,I5!]M/8P/$JUF/5TL-(^.5>&T@6&5$P$Z787/'B*W4&5^JF2!OIRJO73>L MI9R21(CDDYH\+EC&Y@KNE&<\^[A-E;+GZ*]L$&[8^=\I]AX;F>_=6#>USG:E M8K&VA"L('GCF\;E')H8_J6?_--+968Y=7EGH\/]+HK*/8LS^)>C1N&W[>@'> M-@C;ZV/D6KP"MY$T!)3K;%\IB97`K=KZT,'@D*^O]8%]0\W=\E"N,+6>3*[G MF-PJ3[LG)]_=!QQP)Y%_Q[JBY7L286@SP3*X(Q,1`T*H(9& M,FB0/HN&*4FJU)8F./6Z8V[%[7?#Z9?^8(M^\`&5RJ?I;['9MU>^MPJ3$;IU M%5Z?P'G&BJ<.JUED!OW@0:\[SSCL!B@)?J4#:E5'S)N(F>@GSYT]\Q1_Z9E% M[:N_\]Y[U/OI:Z_].^(4P5X/LN>)AT1380\5*9VLM4)QPFV$:95YR;43G"(Y MH3@CV"!X#4PC*?VQ_H0[9E(D-%F"/MB<#=PV>_#@QH6Z.WTMK?Y&EXL>7J#> MY?MLCR^7_[FCW;5]SB#?!ST$XH2RK\>-#EZR,X@*.##A40G&4><1]N6MG\!9 MQ4H&*MLL;IQT"2*0KF+<.1AJ3@\C`X%2_EZN^[ M\'N7OHN1\@N__I_\U55;U^?X1OU=H[^E7_`];,MP'JV',PK1;6."!^^#M7#= ML1(\ZUC`2AY=5H!=XO___G=_7X'?47*4#8`Y_Z#\"4MO?8SM;GZ%@R/5L2?@ M5R1%+`Z8+5LA??P=V('DK2N5WG4R'S-IFZ]+?7QSN=VS"2V[Y`@GJLS)0CZK MR7+N#5(_F^/&@XMY'O?Q3JUP0MYQJ=FXI[U?\OLV\S&=F\GZ>TGPR M'T1J4-/D4D6HN,8[@57MR;P'QWM0\JV9O`P@-HLRM\SD"\"1<-(97%\<[&07>5"EQ_X&7E3WH2Y2SUB$-2:S1=F?,4Y+:]H,)HZF(-%E))ION\N\8NT:]WOB6RBPT#!`RH'%!SFXJ172$ M;BGB0VMRV0<@MU%R(:@41RM+6&_R.0_`5\1W3;7=']6JND(7K18AF_?[%+_6 MY8_P.K7$6):O%4A%N@VGLNDEDL,`J MK,OK,P5YLR#S>C!:A-O5W'R^9%@;U0*\[KAR/L(E-3>;SQVL,'U^X#MUOD,M M$5MF(5^RV3*<%M/<%L8@A=!-EVKQ506H-XJ8*T,)_LNPF:F^\JIDA)AV?D\ MMREI.(M+1=@^=?M=@HU.IW>+)0%AG;@[PEM5PNO"OP3&-L#8"G/+@!%;/V#$MATP8JL`1FP#@!';(&#$ M-@08L>T`C-AV`D9L555.ZJ$646%9>T'.@'\*&=T=D#XJQEM4Y9$PCT`F=4,0 MC\LW\812'%2PC/U""0BE"._9<0_U\.ZNDDC=V3R4(52P=[=EOCC!#+OAXL@GGM?T36-TGS)8ZJ-NT"@.^@/@&^.%P"X.1GB_&O4F(WS@ MOQ.%(%P%\02XA'B"Q^0%4^[?W!Q7QB';\U#6H2Q"1@]0ZG;!^H-093R0 M(/!/%^$UF?#QS:@BR\E-F&OHVK`FLU?8K(@^RZQD-"D MI;$&FJ&:*KJT,@;9E_E\*A6P#E6*/61Y3QG$Q]%92-QDJ4+4HF<]'Y23LC8BX MRI01R[;)C4'H[=^]^U8<=:,(KGI&P3"^I8H@L^V:`F[/GU=QVY7[5$6.HM7& MH#`GM6@I2EV0@+?NL&=VLU/72]]09D3E@^$;3II6^5!X$Q;&8`&T7Y0!MT1Y M%$0S.Q&V;5T,+@5"/0I)4IEN%(H&U/!?(A3'_Z^B#^%C?4DJ4$)V^=NO53%F MT1C;^H^A_GZE:H"J'CLJCX/*[DIRPNX.>>B,\CCDXL1-^/NAYE*7D_<#/:GR M!#0YM%H6["J/P5:V;:SP?4"=U*E; M@3JEQQ-T4M"Y7>5[=Z3OP(XN?5JG4/J,3J'H694G=T3OQ(XN>DZG4'1=IU#T M+I7?LB-Z-W9TT7MT"D7OU2D4O4^]5&-@VX>G=)B;CW,A,'-^>T^)5&YI!E_[ MK7.=OW_,EOPY$81_Q#WB/=?,_7KKB0E7Z\HOB3.+W.:9_H7]7.=F+KUVM M^RPOSE3YU_X:V8OD`FLD-M9.%/8!J64>N,-_"M\UD2AM(DF6)=/L`)FEF]!. MD+`P!^WXUF?L,.EAG21,WX=O>XC$YLDT_8"$F0-D_VWK*GV`B/#]--PV1JIK M?1L`P>;&3L'S%JQ@KSZ`6?@:**C"\W7`.@H/C!N!;_P0U('OS'%XWH?+[=-P M.0!X+UA?@!LN)7"I>7<. M#GST-V"'JQ32]1(QIB^OS22[X&;>A9U4[6%SQMQK4D2O0317647CM'%8[(+[ MDLZRIM_TP!V[=J,&;]TBJ0&>/?TF2>W\=)Y`1DL!^N0LU(@G\R5A;;04PMZ? MFC<(-:2>7(4#+8C`E45+U6KFK#EF"HJ-!K&VZPVZ]15N>`HVZ=&2N`8&(?\% MPBE82@IE;F1S=')E86T*96YD;V)J"C,Y(#`@;V)J"B`@(#0U-S$*96YD;V)J M"C0P(#`@;V)J"CP\("],96YG=&@@-#$@,"!2"B`@("]&:6QT97(@+T9L871E M1&5C;V1E"CX^"G-T34/7=N7"%Y#[,^XPIV=";@,E^# M1ACP,CJ5Y6!&O=Y6\:^GWJN$BL_;LN+4.3NKIH'D@S:7-6RP>S+S@`\*`)*W M8#",[@*[K]-94N>K]S\XH5LA56T+!BW9O?3^M9\0DEB\[PSMC^NVI[(_Q>?F M$?*XSN1*>C:X^%YCZ-T%59.F+336M@J=^;>7YU(R6/W=!]54-4G3E`)Q)IP1 MUY*O8WZ0_$".6NL:"RS^%3L4\@= M"KY#54B^8"Z%2_8YB,^!_85+YEK.JOFL2O(5YPNI+6+MHV@>F<6?`C?JUA%N M&<_V/@M]#8'&$!]`[#]W?G1X?R-^]EP5OU^X'J&="F5N9'-T7!E("]&;VYT"B`@("]3=6)T>7!E("]47!E M("]086=E)SLG7EX3&<7P'])[-2NI;6T5)52U5JZ:.FF!B$4U5A:2U": M$7MM01")-6)/["+V4B*#5C^J16U116NI6JN66K.))//]\=ZYFMMLN`3BO?2X'Q`&7M.6GM>W_!J(?4'GK;L'^&KKODEA7R_@"^US#%`%>-MN_:Z' MT/U3X"XP[B'V$01!$`2=_"AOS`Q4!.IKRY]IZ_V`/=JZYX$^P!_:NH[`+>`# MP!DH#>PER0CFT?;;!4P%RI/DE0>BC-Z/VKXUM>47'T+WB4#80VPO"(*0(TG> MG2RP"K@=K`54W6#I@#?*>,5B`+,`WEX7V#,EJ_VZVKA_+8 MRJ!B?:&:O#Q)7:,O`1Y`(VW[!^$,,`+5G5GQ(?5M`K@!NQ]R/T$0A!R'&,'[ M8QM@4A78!FRQ6_<3RLC]AO(:1Z&\ZSLD#:KY&/@*F`+,`%P>\'NG`;\"LQ]2 MW_[`TS\Y`$6U]+-`,>!48"50`-J(& MN;P-C`=>`_8#7Z-&@A9">7CYM>,]1U+7=$%4MVMAH`M0^2'U?A\(`7H]Y'Z" M(`B"H/,3QA&<5U">7<<4UME>E8'"1RH[PTVZMHLO5%DJVWO>R]ZQ*H.&`-U(A0&[G^ MY=@VS].VO7,*Q[T?PX"SJ,$U@B`(@I"C>`HU_6)O1BLB"((@"((@"((@"((@ M"((@"((@"((@"((@"((@"((@9##_)8%":V!T6BF23DB"B*Q-=OC_'N8<4MJV M`BJ9QG\YKB!D.L*!ZZB\G_>C'FKB_I%D\O$IR!X&)V`K,,A.5@=8A`F5A+OM`VR;%Y6G]'PR^2NH%&Z/2F-4M0K[ MLDVOH6ZZDL"WJ#)-*=$.N(FCP7E4G%#IY=Y(8=T+J`=:CW_9_P=4/<[*JCL41_:R;:A4C*>QF@$0340#SV"3H+P6'D' M51YI#[`,5:BWN+;N(LJ;VX`JP]38;K\BP`142W83ZB:R-X(^**]G%2KKC#V# M-'EWX$O4S>2/L916.+`\F:P8*B$XVG=^F<(Y.:%N/EN]Q**HM'&K4!4TO@,L M@+O=/A\"*U"_PV:@N28O"2Q$/62^UXZQ$%63T<81(`#UVWV/2F5GSR)4XO.J MP*EDZVP/H0N3F"NFYM%`1^QC']X*\D):]O@VH0Q:&NHQ4DW5-#-%D/ M8+OV^05MW7!MN1?J&MN!ZN8O@*H=NE;[KC!MNR"4EXJV39`F_Q"5.'\[CM>^ M!Q"%NK=28[IV;O;8C/LA4C:"+Z,,9X-4CED'==W_UT9`MD+ZD!\O[Z,>VE&H M&ZD8JG5:P6Z;WJ@;^1PJ_V<)U/^T`=55NA$X05)Q7QO_H(Q1&U3WD#VW4`F^ M9Z!N\(.HUG-QNVT*:/IM3+;O#4U74!EH#J=P7B94RW6:MIR`2OO6!F6`MP-' M4=T[-B/Z+'!;.Z_3VG<\C?+2KFO;W-&^_P9P+]EW]D"5N/H-]7`K;[?N9]1O M^"=)-1UM)`!K4%ZBD'6HA.HML;\^HX#74==7`LI(OHKJ%@1U?46B#);M.HK6 MUKF@KD\O5*/P&53C"=1UYXHRN'^B>D#<48W7.%2/!ZC[Z@;J>DW09`F:S!75 M6&T(1``M[?0.0]UO#?_E?)MCO!?O5R/T,"KG<&K7=FW@4\0("AG(.F">W7)> ME.=EZT*\2%*LJR#JYJV#ZIZTHJI-V/#&V!U:7=LN>9Y34%TE!U&U#U/"]AUO MW?\T#/P`S$PFJZL=KY*=S(PR3J",YCQ4>K?OM&U?U]8YW4>7(ZB8#*B'62R. MW4;WHS/J8>;T$/L(&4LCU#51-IG\=90Q>@NXA#&FWI0DHV7/2SAV:3;1CF/C M*JJHM8W*VO;E4(U6V^?4N(:ZOI,W2&UF:1NRY@4MGL8=J$>%"D1I;VG-K@@ M->JC8G>I=2\^F>QS@O:^"V6L@U'>X,-B._\$E/?X,-=R,93AM#["]PH9@^W_ M3GY]_HPR4#^A$M4G]YX>]+B)&*^A4G:?;==Q`@_.1HP]&*`:7_EPO)_MN8>Z M_Q_V7@1U3Z5V7"$%DL>$A/3E&U2%AQC@."K^U075_W\9-1JR$>KF::KMXXH: M!!.A[3\3%?,8IJUO@?*N/B;)R_-"=>DL177-?($JTQ2-&KUY"]4U:6\$+J!: MOS5Y.*/T%6K$VNE4UF]!Q1I+`.\!'5"#4HJC8BV)J&Y84%,L#J$,U"V@$^KA M4Q7EZ35!5<8HB>I*6HXRPKFU==_Q8`^I&L"^!SY#(3-P&-78>07XQ4YN*W$& MRONRIS'JFLJ+NNX34%V:9TF*0;L"2U#74Q[@350##=0]]@8JU-!,V^XOE*&Q MHD8P[T=U,];0CED>-7HU/RK4\:*FN\5.K^>U]?M3.5''4O/(FZ M'_+;G0^H7I%JP/I4CCM$T[DF*7O'.1+Q!!\ODU$#7]JCNDJ^0AFPK:@;:2_* MP!5&=>]\A^HV=$+=A"=1`?IVJ*'^^U!&H#QJ.D`-;9^WM.72),7ZKJ*\O0^T ME_T(.E`W7@AJ0$EJ73C)>1D5#YSP+]N84`;V(.H!LQS5>A^-BA>.1<5MOD,- M3+#%*SQ018GGH!H$JU&-AYJHWZPPRK"^CNJ.K:"=Z_TH@FHP+'ZP4Q0R";=1 MC<">#[%/'53WZ8^H:_Y#U+WB3-*]4A=U?SV#NHZJV^W?"]B)NG>ZDA2JN(F* M;;<#9J&NP5!M75G4_;8+%>/^@*1N?AM=4;'LY`-?[%F*BEF6M).]H1WO*"I< M\B&.XPE<4=?WRE2.V1PUR$P,H""D0@54-TRG!]Q^#"H&D1*VF&">5-9G%+ZH MV&OR1H"0^7D3=4VE-OHQ+;G*@\W9?5B>0O7(>-QGNX(H#W340QS["+`@E74E M4+U-,BA&$.Y#.U2WY8.0EZ2AX?:417F=5E1W9Z^T42U-Z(3RGH6L22]4EVAZ MLH>D*1>/$J_^-YY"]8(\2"_<^ZC[\4%P`L;AZ#G:4QG':1J"AHR.$](#)U1L M(I^V_!N/-I!'$#*"^^VTH"((@9"W$"#X8EU`5UN7W$@1!$'(<9E0*I;D9K8@@"((@ M/&XB4-4,4BI6*PB"(`C9FANH4D:"(`A"-D)B7/>G.*I2PMV,5D00!$%(6Z2* MQ+]3%E7%.AI5;/-6QJHC9'&*H:;+!D#?'` M'=1(YFC4M1JI?8[4EF.T]ZNH:NR7M'6"D&,1(_CO.*.JFQ]&=8D*0DH4`)Y% M%26N@*I>7@%5K;RXW78W@6LH`W05533U&JJ7X0[*D-T$$E#&ZA[*2,6B#%@A M(/>_Z.&",J"%-)T*:UW6]/I*O`7W].>U5$U=?+C:JK=QKX4WL_CJH5*:$"(S^?40IF$7*CC&%UX&74[U@)%8\\!.S17K\C MAE'(9(@1%'(*N8!:*&-76_N<`!P$]@+[4<9/8E]IQQ/`*ZA*+&^@/,=S)!G% MGX'K&::=("!&4,B^Y$*ENFNHO!>MJK('``^`[8 M!ES..-6$G(@802&[X(+JVFRHO9Y#>7?;M=?IC%%+N`]Y4=[Y!\#[**.X'640 M=R!3.(1T1HR@D)5Y"FBJO:JA/(KMVNM4AFDE_!<*`0U01O$=U("D;I MQ!2%-$6,H)"5<$)Y>TT!$RJF%PYL0B4U$+(?3Z$\Q(]0'N./P#0"W@4"4(.85@/M49EU!$$0L@UY@>9`*.IA M-QGU\/NW;"E"SJ,6,`HUT.D[H!JRVLA:GY>`&I8O739"P_" MLT!_E$'<"+1#Y605!$'(M#BC!D',1G5USD:-[)3J)L)_H3HP'M6+L`@UR,8E M(Q42!$&PIQPP$I5>:R'*`\R5H1H)V1%G5*-J'JIW83(JHXT@",)C)P_0&K"@ M1OAU10V'%X3'03[4]1<.[`0Z:C)!$(1TI0K@ATJP/!>HF;'J"`+/H`;4V*[) M:AFJC2`(V8X\J*'K.X'-0!M-)@B9B;S`IZCD"EM04W&D6UX0A$>F)#`4%7^9 MB!JQ)PA9@9>`Z:AK=PBJI)8@",(#40W5K?0+\"42ZQ.R+H6`/JA!6Y-1@[@$ M01!2I#YJ3M8/J"Y/&88N9!><`5?@)V`):MJ%(`@"N5`CZPX"\Y$AYT+VQ@DU MA><[(`R5U%L0A!Q(;J`+JLMS,E`F8]41A,=.;53NVA^!QAFLBR`(CXF\0$]4 MC&0\DIM1$"H#RU#U#AMDL"Z"(*03>8#NJ'1F?D#QC%5'$#(=U8!5J*E`TDTJ M"-F$O(`7:JCX"*!(QJHC")F>UU"9:#8@R2`$(NF'FO@N",+CIR&P%Y5@OF#&JB(( M.8/*J$*V(4B6%T'(#+@`O5#9EZ2+5!#2B0*H6,0AX,.,5440A!0H@TK.O1%5 MZ%<0A#3"%3B",H)2S%80,C>NJ%!%']2H4D$0'I&RJ$SW2X#2&:R+(`@/3F'4 M/-WO@1F`5N0$:2"@!-J!%D$4#^#=1$$X?%A0A6V_CBC%1&$C.(I5,VR MZ:C6H2`(.8N2J-1KBU"C204AQ]`8U0ILEM&*"(*0X7R.&@M0-X/U$(1T)S=J MPONWP-,9JXH@")F("L!/J$$SPG]`1AQE7EY$E3H"^`CX*P-U$00A!KH(C=.DG,+61Y.J&Z/U_/:$4$0X`,S)2*4&X'TZHT5W;D*X+ M01#^&_51(T;_`1)1AO`&T"XCE1*$U"B!JOCNAZHT+0B"D!;4`%8#5U'=HO\` M53-4(T%(QBNH[L_6&:V((`C9EG+`'"`&.`,4R%!M,BE.&?&E+BXNS9Y^^ND^ MZ77\:]>N5;-:K0YS(*U6JXN3DQ-`0C)Y+B/&3::5; M?'Q\[JM7K]8J4:+$T3QY\D3]U^/=O'FSPKU[]Y*74'*V6JW.3DY.\'3NW+E3(6_>O!=1WH>0SER]>C6E_,%.5JO52;NO=*Q6 M:RX@,;D<90.<2/;\O7J8)1S\%C)$"/XQ!-/ M#!T\>/`X5U?7=#E^RY8M\??W!^#,F3,L6[8,+R\O"A9,FG5P[-@QUJU;Q^#! M@\F5*VD`U8$#!]BV;1N#!@T"8.C0H:Q9LR9-]4M,3,39.6WR%`P8,`!75U?* ME"F#U6IE_/CQN+FY4:U:-7V;Z.AHIDZ=BKN[.\\]]YPNOW;M&G/GSJ5KUZZ4 M+EV:T:-',V/&#(H5*Y8FN@%LWKR90X<.T:I5*UVV;=LV_OCC#[IW[^ZP;5A8 M&#=NW*!CQXX.\M6K5^/L[,S''SOF#IXP80+5JE6C7[]^:::O\.@T;MPXP=O; MVZ5HT:(9K4J.H&/'CGSXX8?\^>>?U*E3AYT[=]*H42,*%"C`K[_^RM6K5ZE6 MK1I[]NRA:=.FY,Z=FP,'#A`3$T.Y?/F3U#YD1\K&39\MERY,'S]>E_GX^*2;GFE! MD2)%:-2H$7OV[&''CATNT;%C1_S\_*A9 MLZ8N/WWZ-+U[]V;6K%D.QOO0H4,,&3($+R\OCAX]FJG_GYR$L[.S];GGGJ-D MR9(9K4J.P-G9F3%CQC!]^G2V;]_.P($#>?WUI/P:OKZ^[-V[EY$C1U*C1@T` M.G3HP.#!@SERY`@3)DR@8L6*NKQ7KU[\\<%A9&<'`P MWWSSC<-Q0D-#B8R,?&QZ/RH]>O1@Y,B1+%BP0)?=NG6+=NW:,7;L6#P]/77Y M^?/GZ=Z].X&!@0X7^=&C1SESYDRZZ3A__GQ^_OEG+!:+@SP@((`+%RX8Y#X^ M/@`&^8`!`RA;MBP6BX6-&S>FF[Z"D!4PF\UX>WOCZ>G)YLV;\?;VIFW;M@0% M!>'O[T_^_/E9NW8MX>'A-&S8D&7+EA$0$("SLS-+EBPA/#R<:M6JL77K5F;- MF@7`K%FSL%JM]_GF[$.VS!T:%Q>'Q6)Q,(`>'AZ<.G4*B\7B8`#;M6M';&RL MP0"ZNKI2LF1)"A7*W#5K;]^^S=RY.//^;V[=L$!`30O7MW/133 MJ5,GCA\_SH(%"^C1HX=^W)X]>^8H(Y@M/<$"!9(&0>W?OII@WSFS)G2%2KD6%Q<7,B5*Q?] M^_>G2YW]KUJPA/#RG#BQ`DL%HN#`?STTT^) MCHXV&,#FS9M3O'AQ0D)"=%E6:1'-FC6+X<.'8[%8J%V[MB[W\_-CSIPY6"P6 M!P,X=.A0PL+"L%@LE"E3YK'H>/WZ=4PF$^^\\PZ3)T_6Y6?.G,%D,N'N[L[( MD2-U^>'#AS&93`P:-(B^??OJ\I]^^@F3R82'AP>Y<^=^++H+0F;DG7?>X:FG MGL+7UQO67+ITB04+%M"I4R?].!T[=N37 M7W]ES9HU#O*<0+;T!._=NX?)9&+=NG7DRY=/EX>'AS-[]FPV;-B`-ET"@!4K M5K!QXT:#40P*"B(Z.OJQZ?TH6*U6/#P\F#1I$KUZ]=+E%R]>I%NW;DR=.I47 M7WQ1E__VVV_TZ]>/^?/G\_33224*?_[YYW2-"08&!G+FS!F#-S=V[%CBX^,- M\D&#!E&Z=&F#O&?/GKSVVFL2$Q0$5$S0YOW]\,,/#!@P@+9MVQ(2$L+4J5-Q M<7$A/#RO7J M#M,J,B.1D9$$!P=3MVY2D6E_?W]FS9J%Q6)Q,(##A@UCPX8-6"P6!P/HZ>G) MP8,'TS4F6+]^?:9,F:++SIX]B\EDHEV[=HP:-4J7'SER!)/)Q(`!`QRF/NS: MM0N3R41`0``>'AZZ/#Y>IJ0).9.$A`1]2@0HK[!0H4+,F#&#EBU;XN*BIO\V M:=*$Z.AHYL^?3^O62?DY6K=NS;ESYUB]>K5!GI.,8+;T!&T!85"C"V?.G&DP M?BM7KN2;;[XQ>'_!P<$<.'#`X(%D5IYX(FF>_%]__477KEV9,F4*5:LF94GZ M_???Z=NW+_/FS>.99Y[1Y;;ATZM6K>*))YY(\_F0-MS=W7GUU:3/!@2I4J99!_\<47U*I5RR"?/'FR@_$7A)R$BXL+I4N7ID^?/K1OWYZ0 MD!"F3)E"KERYV+%C!X,&#:))DR:$AX)$0/6&C1HUBCIUZK!__WYFS%#Y MM5>M6L6F39NH4*$"Y\Z=DYA@=J%]^_;_/`0,&Z/+=NW=C M,IF8,F6*P\3Z+5NVT+1I4_KUZRB\Z.2F)B(AX<' M<^;,<<@2<_SX<;R\O`@.#J9LV;*Z?/_^_8P8,8*5*UW;MX\^??K0JE4KPL+"=.]O^_;M#!HTB(8-&[)W[UX"`P,!-4+>Q\>'%U]\ MD;-GSS)SYDQ`/2=S4G=HMO0$K58KFS9M.&%%Y@[=ZXNOW;M&B:3B??>>\]AND5F)#HZFN#@8`<#.&+$"-:N78O%8G$P M@'WZ]&'/GCU8+!8'`]BY#!PX M4)?OV;,'D\G$I$F3'.8N;=VZE29-FK!DR1(^_?1372XQ02&G8K5:J5^_ON[] MU:E3AWSY\K%\^7*'><,-&S8D+BZ.K[_^VD'^[KOO/'B=-'1W=V=%UYX05\> M,F0(Q8H5,_S&O7OWID:-&@9YQXX=,9E,A(<[IA4<-VZO MCMELQM75E2U;MNB))_;NW8N7EQ>-&C7BYY]_)B`@`%#W_.#!@ZE3IPZG3Y_6 MYPF&A87AX^-#A0H5B(J*DIA@=L'-S8U\^?*Q8L4*76:;/O'\\\\_4`:3K!(3 M]/;V9M6J55@L%@<#Z.7EQ:Y=N[!8+`X&L$N7+OJ$]<<55_OMM]\PF4R8S68] M03FHZ1DFDXD)$R;0LV=/7?[MM]]B,IE8M&@1[N[NNGSMVK6T;=N68<.&.20_ M%X2<1K5JU2A0H``;-VYTR!MJ&S"V:=,FZM6KI\OKU:M'3$P,6[=N==B^7KUZ M7+UZE9T[=SILGQ/(ED^0NW?O\LDGG[!^_7H'^<*%"W6#8,^_93#)[#'!A(0$ M/#P\"`D)H7SY\KK\X,&##!LVC.7+EV.?U7_[]NWX^_OKWI^-#1LV<.[\]-)+!GFG3IWXZ*./#'(W-S>Z=NW*JE6K)"8HY&BL M5BO]^_?7$T\<.7($L]G,!Q]\P/[]^W7OS^85OOWVV_SQQQ]Z3/#[[[_GJZ^^ MHEJU:MRYN7*E_MB74KEBQ M(L'!P;H\M0PFMCEL[N[NF3XF&!L;2W!PL(,![-NW+S_^^",6B\7!`';MVE6? ML&YO`-NT:4-\?+S#,=*2T-!0OOSR2P8/'JS+]N[=B\EDPL_/CR^^^$*7?_?= M=YA,)A8N7$C[]NUU^==??TV;-FU8OWX]]B6X[MV[ERXZ"T)FQVJU.E1=J5Z] M.BXN+FS?OMU!7J-(3$]FQ8X=#FL&77WZ9Z.AH=N_>K5>9L,ES$MG2$[1/ MD;9HT2+=(-@3&!C(GW_^F6(&DWOW[F69F*#]9/Z(B`B&#AU*:&BH0TW`'3MV MX.?G9ZB>L7'C1N;/GZ][S+;186F-N[N[87)^U:I5#;_Q9Y]]QH>NLMSIPYHWM_>_;LH6_?OM2J58O;MV\[>(5#A@RA?/GRY,N7 M3V*"V8&$A`2:-&G"L\\^R[QY\W3YS9LW,9E,U*]?7[]@`,Z=.Z=G,+&?PY95 MJA3TZ]>/'W[X`8O%XF``NW7KQNG3IPW5,]JV;4M<7)RARS@]V;=O'R:3"5]? M7X<4;]NV;<-D,C%__GPZ=.B@R]>M6T?KUJU9MVX=S9LWU^6+%R^F6[=NC!PY M4L^*(0@YD8H5*^+BXL*!`P=X_OGG=;FM2LR!`P<<*L94KER9A(0$(B(B'.3/ M/_\\45%1'#ERY+'6$2>AJW`;$H93.+BXM)= MW_]"?'P\'AX>K%^__C_73KQPX4*ZZ6DVFZE2I8KA-_[\\\]Y__WW#?)6K5KQ MV6>?.62QL5JM-&W:E($#![)@P0*)"0HY&JO5RH@1(_3&_.G3IS&;S=2I4X>+ M%R_J7M[APX+QL7%$1P<;*B=^,8;;QAT_^233VC3IDV*M1,] M/3T=YA2F):&AH>S:M-!B$A\U@DEE)R]J)_O[^Z:*CN[N[87+^ MN^^^:_B-/_[X8SIV[,C:M6L=Y$V;-J5___XL7+A0E]V^?9M1HT;QX8O7'H7JF(5L:P>CH:+W` MK#WCQX\G*BK*(/^W#":9W0C>NW'WKU[2TQ0R-$D)B8R:=(DW9N[=.F2[N7%Q\?K\E.G3F$VFWG^^>.LF7+.GB%$A/,XN3.G5O_0R&IP&Q`0(!#=75;@=D%"Q8X M5%?_^>>?&35J%&O6K.&--]YXK+H_+/'Q\00'!SL8P$\__926+5L:C$3SYLWI MU:N7H79BRY8M&3%BA,,TAK0D-#24@P#YO!)+.2%6HGNKN[&Z9GM&O7SF`` MFS5KAI>7ET,.T\C(2-JT:6V_,)//_TTY@^>_9L MCAX]:C#2$R9,X.;-FQ(3%'(\]M4>4JK\X.SLG.(V]HWD!SE.=B9;&L&HJ"B] MP*P]PX8-XXDGGC#(_RV#26;O&X^+BZ-'CQY\__WW#U0[<=Z\>7HQ77NF3)G" MM6O7TDW/3S[YA+9MVQH,H*NK*V:SF25+ENBRJ*@H6K=NS?)DJE6K)C%!(4>3F)C(@@4+=&_NUJU;NI=7O'AQ@U?XY)-/4K%B15U^ MXL0)S&8SQ8H5X]577]7E$1$1F?ZYEY9D2R.8-V]>?'U]]65;@=EY\^8YS*O9 MMV^?7GW!OKKZMFW;F#1I$ALW;G08094924Q,9.['BFEL&D<^?.O/?>>UDF)F@?Q%Z]>C5KUZXU M>'_SY\_GYY]_-IS3U*E3N7CQ8KJ?ZR>??.*P;)N>L73I4ET6'1W-QQ]_C+>W MMT,QW;___IO.G3LS:=(D7GKI)5U^XL0)1HT:Q4W,W;][$;#93O'AQ*E>NK,LO7KR(V6RF<.'"U*Y=V^`5YLV;ET:- M&DE,,#MPXL0)^O3I0W!PL$,&A/W[]S-BQ`A6KER98@:3Y'/8LLKH0S/YY577M'EZ7VN*U:L("PL+,7I M&8<.'3(8XTF3)G'MVC6#W-O;FWSY\DE,4,CQ_////X#*%G/ITB5=;@MM///, M,PYACG^3.SL[4Z9,F70-BV1&LJ41C(R,9,V:-8:'IY>7%\\__[Q!WJ5+%QHV M;&B0MV[=.MUU_:__?NNOSRY_'%%W7YC1LW,)O-%"A0@'KUZNGR"Q?)DKERY8I"/'#F2/'GR&.29O>BQ(*073DY.#H6PSY\_ M#\"++[Z8HKQJU:KZ9U"541$A,0$A1R-DY,38\:,H4^?/N3+ MEX_JU:L;O,(\>?+PYIMOZO+KUZ]C-IMQ=G:F29,F3)LV#5"&TFPVDY"0@+N[ MN\0$LP,'#QYDV+!AA@*SV[=OQ]_?WU!B*+4,)EEA]*&M=N*@08/X_///=?F- M&S=P=W=GW+AQF,UF77[V[%EZ]NS)].G3'6J0I;=7-6_>//;OWY_B](R___[; M(!\U:A0N+BX&>;]^_:A0H8+$!(4/'*52H$.7+EW?8/B>0+8W@G3MW4O2(NG7K M1OWZ]0WR?\M@DME;1+&QL7A[>Z=8.]%63->><>/&$1<7EV+MQ,C(R'31,3X^ M'I/)9)B>5`61+(UBP8$$'SV?'CAWX^?D9O+_4,IB$ MAH:R>?-FPL+",GU,T-G9F7'CQNG+-V_>Y--//S743CQW[AP]>O3XU]J)^_?O M3Q<=MVS9PD\__>0@2VUZQNC1HW%R@@A(B*"@@4+4KMV;2(B(JA?O[[# M]CF%;&D$[;TW#P\/WGSSS50+S*:4P<33T],A@TEF)GGMQ%.G3F6ZVHE-FS;5 M/]NF9_CY^5&S9DU=_N>??]*K5R]FS9K%<\\]I\M_^>47OOKJ*T)"0AR2_^[< MN9-1HT;1N''C=-5=$#(K3DY.3)X\F2%#AA`5%46#!@UT+Z]ITZ:8S6;BX^-I MWKRY+H^)B<%L-A,3$T.G3IT8/WX\H*9(>'IZ$A,30Z]>O3)]#UA:DBV-(,`/ M/_S`^/'C4RPP&Q049)A0OGSY/TAHW$ M!(6<3$)"`K___KONY7WPP0=\]=57W+AQ`S;*E8OAPX?KR_^E=F+SYLW31<$Q.3+CH+0F;'V=F9'W[X@5:M6N'L[,S> MO7N)CH[FTT\_)2PL#)/)!*@Q$?GSY\=D,K%MVS;>>><=0&7)*E6J%`T:-&#; MMFV\]MIKNCQYE8GL3+8T@O9_H*W`;'(#^#`93#(S6:%VXHO6.>1)M5@L^/CX2#U! M(7\.D\>#"7+U^F<^?.^/O[`]"H42,\ M/3VY??LVGIZ>>'M[`\HK[-6K%[&QL0P<.%",8';`8K$P:]8L-FS88"@PNV'# MAA0+S*:4P20KQ`2O7+F"EY?7?ZZ=F%Y3)&R,'3N6>_?N&7[C08,&\=133QGD M/7OVY+777C/(W=W=:=&B!=[>WA(3%'(T^_;MX]JU:W3OWIV0D!`:-VZ,L[,S MV[=OQVJUTKES9\+"PFC0H`$`FS=OIE2I4IA,)L+"PJA=NS8`86%A5*I4B?+E MRQOJ>F9WLJ41O'7K%K=OWS9TUJ9D>CH M:$)"0M*D=F)Z%=6]=>L6)I/),#G_R)$C#!PXD,6+%_/DDT_J\EV[=C%FS!B# M][=Y\V:F3Y].6%@83DY.$A,4/!@VK9M"ZC22VO7KLV8 MD\H`LJ41+%*DB$/YGE6K5K%^_7J#]_=O!68O7;J4)6*">?+DH5^_?OKR?ZF= MF%XIR"(B(MBZ=:N#;/#@P90J5GH2$A-"@00.2G=H-L)68#8T-%27/4B! MV^__WZZQP0;-FRH?[:?G/_44T_I\MV[=^/CX\/77W]- M_OSY=?F6+5N8-FT:86%A#G.75J]>S?3IT_4AWH*0$PD,#&32I$D/UD,B-@/7L&%#^O7KQY4K5Q@Z=*CN_7WTT4?TZ-&#V-A8?'Q\ M"`X.SK!S>MQD6R.85@5FLX*G<>;,&;R\O!ZZ=N+&C1L=C.CMV[?35<_4)N?W MZM6+FC5K&N0=.G2@:=.FAI1PMMJ)`P<.E)B@D*/YX8CM5JI6_?OBQ;MHRZ=>L"ZKE8NG1I7%U=6;1HD6XT0T)"J%FS M)N7+EV?QXL49>4J/G6QI!&_>O$F!`@4>JL!L:AE,["?:9T:BHJ+8LF6+P8#T MZ=.'RI4K&^2=.W?FW7??-#==]_%;#9S_?IUQHX= MJ^?I;=RXL:'AF9W)ED:P:-&B#JFZ%BQ8P.[=NPT/_@?)8)+9NT7SYJ5,G&C=N;)"[ MN;G1K5LW5JYS-W[ERJ M5Z].@0(%6+-F#84+%Z9OW[X$!P?KQ7,7+UY,E2I5J%JU*K-GS]:G400%!4E, M,+M@*S`[9,@0NG3IHLMM!68?-(-)9L;>4_+R\J)2I4H&`]*E2Q<:-&B08;43 MWWSS3?VS;7)^\ND9WW[[+5.F3#%X?VO7KF7ERI6&'*\+%RYD^?+E>I!?$'(B M@8&!S)PYD__][W\,'#@0'Q\?7>[KZ\NA0X?P]O:F=>O6@/(*!P\>S+ESY_#U M]=7S]+[WWGOTZM6+V[=O,V7*%(?YT]F=;&L$%RYGIZ>5*M6+<7I&8T: M-3+(6[9L29\O;T)"@K"W]^?_/GSLV3)$LJ5*T>K5JV8-FV: M[A7.FC6+.G7J4*%"!:9,F9+!9_5XR99&\.;-FU2L6)'.G3OK,EN!65]?7VK5 MJJ7+[Y?!Q'Z>6F8D,C*2`P<.I$GMQ/3*DWKQXD5,)I-A>L9WWWW'Y,F3#0-T MOO[Z:Y8O7V[0<=&B1>S/8J?GY_>RU6O7CWZ]^_/I4N7"`@(T.?JOO?>>[S^^NL9C8L:.^O&/'#DPF$[-FS7*H,K]QXT;7L#V*I5*W+ERL7JU:MU66)B(DV:-*%"A0K,GS]? MET=%164)3UT0T@,7%Q="0T,Y=^X#@8/[YYQ\`EBQ90O'B MQ1DQ8@0!`0%Z%JS9LV?STDLO83:;]9)*`),F39*88';!5F!VW+AQ#D5V;05F M'S2#26;F06LGMFW;-L7:B6:S.=UK)]I2,X'CY'Q[X[=NW3J6+5MFB$\N6;*$ M[=NW&T:KS9@Q@ZU;MU*C1HUTU5T0,C.!@8$$!P>S:=,F?'Q\]`9N8&`@$R=. M9,^>/4R<.%'W_@(#`QD^?#@G3YXD,#!0GZO[^NNO8S:;N7;M&D%!0>D^3B`S MD6V-X/3IT_GCCS\,!F'7H;:B6%A M800'!QOF2H:&AF*Q6`S=B=>O7T]7/3MW[LQ[[[V7XO2,CAT[LF;-&EUFM5II MUJP9_?OW9\&"!;K\UJU;M&O7CC%CQE"A0@6)"0HYFJ^__IIKUZXQ=^Y2-V]>)D^>S%MOO47Y\N49,6)$1I_68R5;&L&;-V_RYIMOXNGIJ#KZTM04!`6B\7!``X9,H3P\'`L%HN#`>S=NS>' M#Q_&8K%D^K[Q0H4*.4QTW[1I$\V;-V?%BA7ZL&B`Y#?OGT;B\7B8`!;MVY-8F*BP0`V;=J4IY]^FH4+%SKL;S*9 MJ%NW+M.F3=/EUZY=DYB@D&-Q<7%AWKQY_/[[[X#*^I*8F,B<.7.8-FT:Y\^? M!V#NW+F4+ET:?W]_?'U]]1Z?*5.F4*M6+88-&\:P8<.(BXL#U#SIS/[<2TNR MI2=HX\*%"WAX>#!MVC1>>.$%77[LV#&]F\V^P*PM@\F:-6LH6+!@1JC\T"2O MG=BJ5:M,5SO1/N'`A@T;6+1HD2'F$!(2PG???6?P_F;-FL7OO_]N\'3]_/R( MB(APB.D*0DXC,#"0!0L6,'#@0*9.G:K?#X&!@4R9,H6=.WMQD2T\0U$-RSIPY M6"P6!P,X=.A0PL+"L%@L#@;PRR^_U*O)VQO`]*ZQEQ;LV+$#5U=70D-#]91( MH&HGMF_?G@T;-M"X<6-='AP<3+]^_;!8+`X3V:]=NY:N>K9ITX;X^'B#`6S6 MK!FE2Y=FT:)%NNS.G3N83"9JUZZMEXJ!I.D6;FYN=.C0(5WU%83,SK)ER[AS MYP[+EBTC,#"0X\>/`ZJ'IW#APLR:-8OQX\=SX<(%0'E_5:I4P<_/C^'#AW/C MQ@U`C91OV+`A0X<.I7___AEV/AE!MO0$;]Z\B9N;FT.!V=]^^XU^_?H9"LS> M+X-)>DT;2"MNW[Y-5%34`]5.C(V-I67+EH;:B5>N7.&SSSY+MW,]<>($+5NV M-,S[6[9L&5NW;C44\9P]>S;'CATS>'_^_O[3)=]!6$K$!"0@)U MZ];50SR!@8',F3.'@0,',F?.'/TY%Q@8B+^_/WOV[&'1HD5Z.L7`P$"&#AW* MB1,G"`T-U1-J!`8&2DPPJU.T:%$'`SALV#`V;-B`Q6)Q,(">GIYZ-7E[`_#9 M9Y]QY?/P\O+"8K'P MUEMOZ?(I4Z8P:=(D+!9+N@V,24A(2'%R_I-//NF0L3XR,A*3R<2KK[[*].G3 M=?FE2YL:HH4.' M2DPPNV"KI96\P.S>O7L9.7+D`V&AK)Y\V:#]S=GSAQ^_?570\-CPH0)W+AQPR`?/GPXY\^?=R@= M)0@YC<#`0)8L6<*($2,("@K2GW.!@8%,FS:-`0,&L&3)$CV=HBUQ2$1$!"M7 MKG3P_@8.',BY<^=8N7*E0Y@DNY,M/4%0#\GUZ]=CL5@<#*#9;&;__OTI9C"Q M93:Q-X!W[MQYK'H_"ILW;^;33S_EFV^^I4 M_/W]#54RKERYDJYZNKJZ4K)D28?)^='1T9A,)EYYY15FSIRIR__^^V],)A/- MFC5SR&9QXL0)3"83/7OV=!C]*@@YD7GSYA$;&\NZ=>OP]_WM_<#%YA=OWX](2$A#H8R,W+KUBWRY!2HQP6Q`T:)%'0Q@GSY]]&KR]@:P<^?. M7+APP>#]V>;=V66"P6WG[[;5T>$!"`KZ\O M%HO%P0#Z^/BP9,D2+!:+0Z6)M"1?OGR&Z1DFDXF77WZ96;-FZ?++ER]C,IEH MTJ0)?GY^NOSDR9.83":Z=^_.T*%#=?FI4WNIZ^<```]A241!5*?`&6\"A8LR+IUZQ@YS(`!`_0!9<.& M#>.==]YAVK1I].G31_<*^_7K)S'![,*C%)A-*8-)5B`SUTZT3TX>%!1$1$2$ MP-O0>[EY45,3`PE2Y9,/\4%(9,S=>I4EBY=RI@Q M8P@-#:5X\>*`,HC3IT]GV+!AK%NWSL'[&S=N'/OV[6/=NG4.WM_@P8,Y>_8L M*U:LR%$QP0PQ]_GSY_^J?/GR0\J4*7,W/8Z_:]>N$KESYTYT=G8F;]Z\"?;K MHJ.C<[FXN"3FS9LWT5X>%165*W?NW(EY\N1QD$=&1N9Z_?77TS>IYG_@R)$C MA6-B8ERL5BL%"A1P.->[=^^Z)"8FDC]_?@=Y;&RL"T"^?/D[9@_OSYXZ.CHW/ER9,G,7?NW/KQ$Q(2G&)C8UWRYLV; MD"M7+FMR>;Y\^1)<7%QT>7Q\O-/=NW==\N?/GW#OWCVGHD6+WJM4J5+F3_": M`XB(B"A1H4*%6[ESYX[/:%UR`@<.'"AENS>G`)`>I;DN*F]A(SG M2>`?TO;Z$5+G=<`EG8X=!^Q+IV.GQD5`XAN"(`B"(`B"(`B"(`B"(`B"(`B" M(`B"(`B"(`B"(`B"(`B"(`B"(`B"(`A9'&>@?$8K(0A"AN&"/`.$3$1-8#Q0 M_3%]WWC`"K1Y3-^7'1D`]/F7]6.!SQZ3+H+PL$Q"/0/<,EH100#HCKH@3??; M$%@,[`<&VLD^TV3?/>#WN0._`+4?0D<;T[7OV@^$`9.!YQ_A.)D19^!_J'-K M=Y]M]Z%2P*7&W\"N--+K47`##@*W4'I.!C)WW:[LQP\DW2NVU_UJ"!4!&@&5 M[K/=?Z43<`AXY7X;"D)JO$+:M:(>Q@B>!!*!`W:RM9KL'NF?KW4S2M<)P$S@ M.BH?7UK>3&\#[Z?A\1Z4-U#G=AO8=)]M,[,1?`V(!PX#/8#1P"6@>0;IDU.Y M@\I7Z6?W*GV??5Q1UV#7^VPG"(^=3X!MP''40_(ZL!Z52'L,\#VJI;<2>$G; M9QHP4?M<`E@%C-"6JVC+#3$:P0[:NBHIZ'$#]7"+!XJAC-X55*O.JLD`/M2. ML1?8`7QI=XPFVCJ;GD,!7VV?<.T\4_,2;4;0ED"\E;;LJRVO1'6S#@;V`(51 M2:['`;N!K4!?DFI-.@%?`#N!TR3]MM.!"IJ>;Z$,[D;40R10V_YG8"Y)";0+ M:MNW0'5'[M'T*J7IM1OX-)7S`O60NH7RFF*`0G;K2@+S4+_G!.!7'(W@L\!R M[3N'`E=),H+/:7J]"H_KV^WO@O*RS\`;$%=+_:T0UTCNP!_5,)Z MM.V^!7Y$_?[Y4M`M)W$'=3TDIP^.]_<0U+7S,>JWLY)T3=CHAKKFO]?VMS5V M&VC'>AE8@+K&^]KM]SH0BKI>5J.>-Z",[2K@16W9">B%>E;\@+H7;#T'^4FZ MKX9H.BY"W=M"#L'6.EL!=`1.H2XX&PM1-[T/JN+`"4V^"G4C.*$,7")P05O7 M63OFJS@:P9JH!W!0"GKDT8X1@,JDWP)U$=N,D)6D!VEK(!CX"M7%9R7I8=9' M6WY76[:@O+E#**\A4ON<$LF-X)O:\G1M.1'X73N'@YIL$\I+G8*ZV:TD-0:^ MM-N_*W`9&*6M>UE;]SOJ=UV&NC'7`][`5.UWL)6]+Z9M?P?UG]C.^T_4P_HT M1N-FSV\HP_*!ME]KNW7;40V/J:B'DY4D(YA;TS$:]3^$:>MM1O!5;?DW[3P6 MHPSV&>`8T!OX"64XBZ*N@01--AAE-`>A!C-@XL!N9H^PW0]K,U?GRTY66:+O$D-=:>T-;=0C7,%FC+ M-AV$',!LU)]>3EL>H2T_E\*V M0K6^DE-&VVX@JJ4X%?!`&67;S?!&"OM5T]:-TI93,H)Q)'E4WVJZI83M)JV, M:F5NP7&03:)V+)OG8C-D<^V.\0O*XW-&>2%Q)'F&\U`W8!Z[??]">=(IL1_X M0_ML,X*VFF$V+]5F<*=HRR]BQ-:8\$1Y,-$H#PS4`\5JMPP009(1;(RC-^R$ MHR=H,X+G23(TGVLR6Q?E:]IR#Y(:73-P]*8*H`S-/NY?/JHWRN#:&@632+JF M5FMR6[DQF^?8,87C=-+6-=.63Z%Z'O(FVVX3ZC^UR?U0UT)J_UM.X`[*P%W7 M7BOLUGFCKO-MJ.O"YG6EU!WZ)^IZL[&!I/)KMON^M[9L:Z2X`2]HGS=A;`C9 M&\%\FJ[[[=;;#%U5DHS@=ZAKNRC&^T%(!>?[;Y(E.*6]-T(]2-Y"M>2NHRZ* M@:@'^U621@3F):D5^!)0%W7Q7@5JH1[P!U`W@@TSZF$\&N6Q),=6YCP69:C> M1;7ZMY-4)\NVS6LHC^0"20]C^RZQY,2C'FZ@;MS[_7PQJ[=;M0 MW860-.+U5[OUAU$W5EF4`ZN6JC/)-[=MNO1GD6H+RX`)2';)=1#Z2RFOYC4/_M7Z@&B'TWICTS@6=0 M#\4S0'^4-VR/39?CVKNMD=<"Y>E=0GF;H'[C@BC/Y=?_MW=N(5J541A^'"4T M3_;,..8A:?Q>^/G_??CW_@[K6X=W MK4[_2X[C$=0MM,];M3[ M8O]7N%8OGKW1^!"8@5'*QRA0+R`],`]S1(N1?ER*`@_2@6=104S$_&`C"O%8 MI.S*^#3VOXW*Y%SE>/+<3P*[D2H;AA%G2QP;C,9N$WJ8TU#`=W%M,1J5YZ4S9^H41ANK*OL/=W'/FP7' MZ3@F(.5>AP[;?$Q_=.8XM>*X-W=RG;.7$@G68@+Z%:2A[L!\'VBTP"CO6!P#!:H5C=YC:)P:2]NUR-^7\0=& M5>/0P%61HKP6C+9:HSU;*0S%X&A#+19Q[*.@I*H1T]7@(%:^50U@%8VX6&>@ MYS@0#"MX/4;;?U;.2\IP9GQO1R/8&ZFO(ZBHB3:=P4AY`D4) M?\I!_XCE_3NB+RLQHDWL0D:!_AAA;\)H?P(%G9D+ M9S(B+M`R7H_]>U&Q_HU&$:023U&, MR1%,X`^@R`F^4[K6&[%O)QJ#[;']"$5.,$4NC\;VB[&]-+:KXYK&__G2OAJ< MYU]C>T6!ISS&?1<7HPCJ>X?,^GIJ.8$C^,SNN_CN$W",=^!CAB7HE2U$(9V&T8!5(R#<('T MPD<+3J'`KT+O_7ZDXHY&>X>4VE/=+J,!%?5J.H\"GT0#4*45'T`JIBVNN[]T M;##F3?NAX5J$BOPCS,/NQ;$D^O,$)NQWX**>BTK\)#H%AW#1#XWV[D1C-B;^ MMXF"`@+'OCZN4:9>'XYQ^`J5R=,XG^LP,JI#VIIH^S.HR+Z,[][HA-R.]->> MZ$M"'\S7C,-YV$!!:TY&H]4?%=^6V#\2%>-P-%!KZ)B?`V5E1K3QMVASRI6N MPB*LL5B8TX15@:UQ?!3.XW&RZZF8 M34=G<0>NO3,4!5QWXUS\C`;H7I3Q$UA,TXR1]W1<*SLIG-&1R`Y\C\Q*TAUI M^SXTAG6H2]:C+*=[;HWKIW;,P(A^,T5-0Y_HRV%D,*K;&3JH9UP1,DIC>QZ5]*TWLE$]'-D(9F3\1^A)=&A?I(EJD&9HOO3I&?\"`Y#NN8!T MX(E+GYYQE1B!=%Q3=R=F9&1D9&1D9&1D9&1D9&1D9&1D9&1D9&1D9&1D9&1D >9&1D9&1D9'3`/W)6I=/C%#$W=K05 M(B-!1W?#%DB'Q3)A<5'_V@`(`0$``#\`_P!4P``````````````````````` M```````````'G^R+(K.3:S?E9K.6L@0/8+PJ-+B1:76?9X[$=GA[B4HW#T_Y M'^8U7(#VU95[R>F'(#VU95[R>F'(#VU95[R>F'(#VU95[R>F'(#VU95[R>F' M(#VU95[R>F'(#VU95[R>F'(#VU95[R>F,+BG&-9N[^L?MG-V4%?8MV5"CQ.' M<&[I'9W-PC_#Z3^\>IC=<@/;5E7O)Z8<@/;5E7O)Z8<@/;5E7O)Z8<@/;5E7 MO)Z8<@/;5E7O)Z8<@/;5E7O)Z8<@/;5E7O)Z8<@/;5E7O)Z8<@/;5E7O)Z8< M@/;5E7O)Z8<@/;5E7O)Z8<@/;5E7O)Z8X5^X9FV]8MQU^FYLRFF73*3,F,&N MXMY).-LJ6G4N'TEJ1=`6%AF;<-BVY7ZEFS*:I=3I,.8^:+BW4FXXRE:M"X?0 M6IGT#N\@/;5E7O)Z8<@/;5E7O)Z8<@/;5E7O)Z8<@/;5E7O)Z8<@/;5E7O)Z M8<@/;5E7O)Z8<@/;5E7O)Z8<@/;5E7O)Z8X5^X9FV]8MQU^FYLRFF73*3,F, M&NXMY).-LJ6G4N'TEJ1=`6%AF;<-BVY7ZEFS*:I=3I,.8^:+BW4FXXRE:M"X M?06IGT#N\@/;5E7O)Z8<@/;5E7O)Z8<@/;5E7O)Z8<@/;5E7O)Z8<@/;5E7O M)Z8<@/;5E7O)Z8<@/;5E7O)Z8Y5CTBLV1GV39?\`7]UU^DR;/*J<"N5#VKA2 M"F\/>0>Z6[JGH,6L``````2G`/ZC_N!6/XA5@````$IP#^H_[@5C^(58```` M```&4RS\*[R^7ZC],X&)OA79OR_3OIFQJP````&4RS\*[R^7ZC],X&)OA79O MR_3OIFQJP```!*?[I_\`'_\`L15@`````!*<`_J/^X%8_B%6`!Y!VPMIZ]L, M9"C6O"R3:>.J.BTW[B@U*NT%^JG<-1:>4A5+;2TZC@$E)-*4OI6?'3ND>Z8] M.8YK]'.J%-)S?*')=90MUG>_/<4I2=?^AH@`2G`/ZC M_N!6/XA5@`3G+-SY2M^N6'3<<42FSX]P5R13JT]-B//%"CIITN2V\1MN()LC M>CMMFI>I&;J4EHI1"7Y$VG,@XEV-*;GN\\>2'[WG6]'FOTJ#297LE/GOL<0O M:T&I3D=A"C)*S6LC)6B=2-1:?EBK:$O*U\7U_)NTI6)3$)FI1J;289X]J%!J MI-R4M*(S>;4I)H(VS4>_HG3>4DC^G&>T_8&3+L:L9%`O*U:Y M-A+J5+AW5;[]+558B#23CL4W2T<).^@U)U)9$HC-.FIEPL7Y,VA[AR#1:%?5 MET6!09AW@4V5'IDMEQK[,JS4.GZ+<>4A/M#+BGBU2?$2@U(T21B]@`RF6?A7 M>7R_4?IG`Q-\*[-^7Z=],V-6`""6MDO:'J&58%N5ZRZ+'M5Z[[GI-!+==4ZE:S2:%DDB0E!D9FNK)>T/3)!N-.H:)"R22$$HR6E9F1E>P`93+/PKO+Y?J/TS M@8F^%=F_+].^F;&K`>6=L;,&7L&1'[_I&5K+MJ@QXJ442ASK7EU.5<-4(E*5 M$>D(=0B&VO\`#0A9%T&I1J41$.UD;(V=;NR9;.%\1U6W;)K4FRW+UK50J]/. MK);_`!FV&8+2$.-I,C=4YONZGHE!&DM>@Z-LZY2F9IPG:63:G36:?4*U!WI\ M9@S-IJ6TXIE\F]3,]SBMKW=3,]W34S]XHP"4_P!T_P#C_P#V(JP#SKF#)^0\ M9[6.&J0Y<*BQQD2/4[>FT]49G<8K+39O17N*:.*2G=>$227N_<,]W7I&.Q9M M!9YN5[+&1J#9%0R-;K=_R;6M.CQIU-I3,"!3VS0_-5)?W#6V\[T?>4XHE)T( MDEJ,EFC:HJ.5L%X[OS'K]R614$YIH]H7#3T3^$^TXV\M,J&XZPO=>946X9Z' MNJ(RU+\A;J_M;VU0*IGFEO6E4W5X&IE.J=24EYLBJ2)D-%V6M8K/K4> ML6PW6F7().NN)7');K9LN:ON$HCWFU_=-2=4]-?QG8M.Q?CJV,;TF;*EPK7I M$2D1Y$I6\\ZVPTEM*UF71O&2=3TT(OR(B&E`!*<`_J/^X%8_B%6``$EVGL+W M5M`8HJ6*K.SPU;Q)/?U/W::=.HY%SX$R- MD/&<6VLB9HC3;SH5Q1KFMVZ*7;*(**=*C:<`EPEONH?26KQ+(UIWDNZ?=,B4 M,U,V0*WD9B\JGGW*ZKGN*ZK>9MF)+HM'128]&ALR2EMJ99-QTW'?:4-NFMQ9 MD>XE)$2===!8^!,GJR9;^3LXYHBWM,LR',B6[%IMMHI#++DI"6WY4C1YTW75 M-IW"21H0G51DG4^B[``#*99^%=Y?+]1^F<#$WPKLWY?IWTS8U8````#*99^% M=Y?+]1^F<#$WPKLWY?IWTS8U8"'9HQ#GS);]?MVVL[4&@V3IJ<>7IT;RW%+69%T$:N@;$!*?[I_\`'_\`L15@$3VM\)79G#&, M&FXYJ]+I-\6M<-,NBV)]34M,6//B/$>KAMH6O=-I3I="3U,RUZ-1"KBV(,D4 MS$V!;*MLK*N]O&2YTNZ[6N65(11;BGS$;RY"U)96IS@R%O+;)UKI)?21=*3Y M$385S;0L#5#'U'J6/"KD#+<7)M$CP_:8=+-M*6S7!-)-J4PA"R6ELDDHMQ"- M=W7[O=RELI;2=PWKG:98M2QVQ2,^6Y2854>JDN8;U)EPH"XRFF4-LZ.MN*6K M1U1D:"5O<-1IW%_%D;82O&?=)@GKUX9,\H.=)@GKUX9,\H.=)@GKUX9 M,\H.=)@GKUX9,\H.=)@GKUX9,\H.=)@GKUX9,\H.=)@GKUX9,\H.=)@GKUX9 M,\H3K#.T)B*@?UU]LW2[$^TKTJ=0B\2ES/QH[G#W'"_"]QZ'I_X*+SI,$]>O M#)GE!SI,$]>O#)GE!SI,$]>O#)GE!SI,$]>O#)GE!SI,$]>O#)GE!SI,$]>O M#)GE!SI,$]>O#)GE!SI,$]>O#)GE!SI,$]>O#)GE!SI,$]>O#)GE!SI,$]>O M#)GE!SI,$]>O#)GE#.Y(VE,*U;'=TTJFWBN1+F46='8:12YF\XXMA:4I+\+W MF9D08WVE,*TG'=K4JI7BN/+AT6#'?:72YF\VXAA"5)/\+WD9&0T7.DP3UZ\, MF>4'.DP3UZ\,F>4'.DP3UZ\,F>4'.DP3UZ\,F>4'.DP3UZ\,F>4'.DP3UZ\, MF>4'.DP3UZ\,F>4'.DP3UZ\,F>4,[DC:4PK5L=W32J;>*Y$N919T=AI%+F;S MCBV%I2DOPO>9F1!C?:4PK2<=VM2JE>*X\N'18,=]I=+F;S;B&$)4D_PO>1D9 M#1 M.?O$C5Q"=3W>G0OR%V`````````````````````````````````````````` M`````````````````````````````!^,N7$I\1Z?/E,QHT9M3SSSRR0VTVDM M5*4H^A*2(C,S/H(B'\4VITVLP(]5H]0C3H4ILG6),9U+K3J#]RD+29DHC_\` MI&/I`````>6LRS3=J5F62&V:PNG)G'%1OIXBD,K4E!N M&C>))JU2E1DHTK(MTYGL67/-P3:Y6)*)R)-0FKWWY!MSI#:5+, MB+4]U"2]WY"W``````"7[05-N6?9T=ZFYC3C*WH$HYMTUYI+*9C=,;:69HCO M/I4TPM3G"U<4DS))*TZ3T/.;'=RY"NS%4RLWO5:U5Z8Y7IJ;0J]=B-QJG5+? M+<]DE2FT)01+6?%W5&A!K;)M9I(U"Y@```#GW#"JM2H%2IU!K/V/4Y4-YF'4 M?9TR/8WU(,FWN$K[KFXHR5NJZ#TT/H,>6=GZZ<@T#:?N'#=?R'D2N42+;;TT MSR#!BQGZC4FIB&E2J.IAI!.P>&:M\CUW3<9T]YCUL```#RCM:39D;:9V5F(\ MMYIJ1=E62\A#AI2X10T:$HB]Y?\`HE%U[9NTY2K1R9F*$U8"+0Q9E>58SU+5 M392IU6BHFLLZF[QMQE26WVCWB2K>4:CT2222K7YQS/G/)UY9_P`3XKDVA1K4 MQ+:"2KSE9@/R958?GT]YXVF5MN()A*6D+(EFE?WTD9DI*M$SBR=J2X,6X4V; ML+6G<]OVC(N2Q2K53N:N4F14VH45E.XTTS%86@W'''"41FI1$E):Z&9]&T/; MJRG0\"VKM&7/;-"7;E%NJ5:V0(L6*^T_(;WN'&J-,XSB3)LS4VI32TK49+/0 MR)*E%ZBI6M;-$LNV:39]LP$0:10X+%.@1D&9I9CLH)#:" M,^D]$I(M3Z>@=0`````&?ORTY5[VM+MJ'>5P6J[+-LRJM!>9:G,;JR5HVIYI MU!;VFZ>J#Z#/33WC#[/NSS3-G6WWK4M_)5\7)1S(O9(5QRXC[<#\1QQ?`X$= MDRWUNJ-6\:M="TT_.L``````"0;1FS/:VTQ2:#1+NO2[Z'#H%0*IM,4*7&;: ME/ITX9R&Y##S;I(-.J2-.A&H_?J-)B+%*\34BJ4QW)-ZWJ]5JB=2=G75/9E2 M&E&RTUPFC:::0VT1,I,D$G_DI9_F-V````.3=E`5=5M5*W$UVK4551C+CE4: M3()B9%-1:<1EPTJ)*R]Y&:3+_HQ,\;[-T6RK\1DV[,JWOD*Y(=.>I--DW))C M&W3HKRT+>)AJ,RT@EN&TWO+41J,D$706NMB```!-,G8+H64,A8VR)5*S/AR\ M:5.34X+$A$6I;ID>HG-9V'K&K6*,CXF?O&NMP,E7X_?T MZ4A+/&BRW9$=XV&M4[O#(XR2+>(U:*/I]P_?)&QM2[WR5=F1+=-HWLW"K3++1M-*-;K2ULK)M6X:FS)1IU(C2:E&?SS-B>@1+;QBQ8>3[G MM*[,44M=&HMSP6XSK[\-Q))<9DL.MJ9=2>FI$:2T/4R&@J.RQ3[LFX^=R?DJ MYKZA6#)EU,H-;1%4S5:B^2R3(E);:0E1,DXHF4)(DH+HZ2&JP%A6!L_V`G&E M#NBK5FAP9LA^DMU(T*^F(A:2(UMH,U;IJU41*TUT(B*D`````````` 5`````````````````````````/_9 ` end EOF /tmp/uudec << 'EOF' begin 664 doc/gawk_array-elements.pdf M)5!$1BTQ+C4*);7MKOL*-"`P(&]B:@H\/"`O3&5N9W1H(#4@,"!2"B`@("]& M:6QT97(@+T9L871E1&5C;V1E"CX^"G-TRG;JY#L9888=N9I?00UF20FE6VC&VGS_+R>A@8S$6#^E[XL6,E(_A7):- MC36^C'`&*MW'.USL"/=O0#+YR.UUO@=HMTB6L(.`#WA&+O14LSW:&N6Z(-5[ M\5YZ?,(-_&*7/,,C%AG8NAJ/?\,JJO0VK8&C)9^_D'>E#I0G MG0Y@KFWC+8OR,FX5:5.'O(HGM[.SL54N+\Z8\O-DCN=R(B<1793WG++Q-=NS M#E[MCN]]L66'LZO&"RE+[U^[7C.ISS*]3;"!+[P)9UL*96YD7!E("]086=E("4@ M,0H@("`O4&%R96YT(#$@,"!2"B`@("]-961I84)O>"!;(#`@,"`S,#DN-S4@ M-CDN-S4@70H@("`O0V]N=&5N=',@-"`P(%(*("`@+T=R;W5P(#P\"B`@("`@ M("]4>7!E("]'/L/K_X.8N?X\2Q72>-&_.6-*3N M'R]IV7/BMG%L=VG:--DH)>UH*4@LP0@$D]9)TT`90E"A?KCI!NH'/D"!J@B0 MT#05-`8:^X#X4I%)H'U@B3GWV=TF)OBV+[SW[CGWG'ON^?.[[QT](`"P`ZZ! M"+2\4%IZ\[UO?Q[`D@`0ILH7+U#+NN4=`-LWT:KK]-)3"\[78C]`^3:N5Y\Z M=^FTNB?].*[=!!!7YZJERL:_;GT58#M%76H.%>(/ZT64#90[YQ8N+'M]PI=1 M_@*7SRV62P"M%937N/^%TO(2F2/+*-]#F2X]4UUR#Z[\`^6_H7P8+"#5GQ=& MA%?@$5"A&WIP=S!#]I/^>)M7LMEMBBDE$ZH2M'L]2E!-I/:1>)MDL[IE=TAV MR[^I?/I8[XD+X],V+3XS,M2[-W[6W1X.M[O;577K9T+OEI7! M89.)O1C:S$H-VJ2V>"J9L`=M7CY+J.1[I4NEF>62<>G)SUQ>FQG*G,RJU1T6'TV_Y?I,+4UN22X&Z20GDT,$^81'"F&N\D:L2#"!^ M4H1XD2IR,,DQ2RI-GDB1U5?]DK4<.O:BKK_X-5W?^KT>I(,Q7:$]<\+B<%O` MT1>J/*C$`]X'\0XI-)KG.7;7-X0><@??+(E'XK!P5%*[/P0A-O_"]3].DPUDI`1WS=B&\_0"B.YQI6S;0XGIBX M0S"Q3C6/'\F'F@Z!M+R2'T\$=G>%4D.)<*)UCUL*7,U/?[:[[VE?ZNQX\>F` M=X=7&CP^JZ4M8J2M/4:5QSR[/1U29*1R\+%,8.],9S;3&5.]@9V[=F)-#\_: MB6?-:PH0B4.N9DAB/Q'-LG"*YTVT^<5H=8R3GNQ\%A_AZG<_=RKW[!,-NK6Q M<.3DR2.<\!HG$3#N=S?`7EZ2^G&&5=>'>V*=SK4 MA"\8]`4\@^<7S4@B\,[1`A;A"/(.<*'&`5^$.IDD);),KI+GA;O"6U2EO720 MWI2#]3K_IF&-3)`97+_27/?@^L`'Z__](ACC+?(2>9E\!^^UYGT7[WOD7M-& M^!_[;?B];`/K1_Q]8`B;K"42 M98*6FS!&E8(<9:)VQD=9-F_(+%N(,HO&M\J*?-GXD_^W!3_:&9O^!P6_(C-K MQ&`'+A;,A4(!_5FU7<6I*+-IZT&RBM'I:K'H9X!N[-IZIZG*?J#:IK6ZZ4`L MRK9K]`H/\@MT0YD8&E2-6K56HGR2]LMRP5\SI8F&Q`/N:&3G\KMD M]+A3HZ^;Y;1H-,;LD:)!Z9ARH#1/#5J9;;C@=KMX9`Q-:W2L=J"DU&A-,<,I MW#G+HB76QQ4L6^4"[G&8D3+W?;+LI_=K"`-N&L=LCC=SDTTSIZ;0^\W@"C5R MDWZ9D8)1PX+&E9I":^,UI<0W-+9P%F4N?@RMF+>;%\`GK?]10(TSI30_\]%* M^%:/AD745CAL!RM*S4P:3<^+C!Z82AS&+V MBNY'1A0=D<].&+>P"SU>UF\12I`Q6F9[JNT/8WDUAEK$!4G4?!WQ>7G@+\G7 MGGGRE'/HG_"HR/]%X.=_+OR=\U__\H_/;MZHIX6W18JVV[`'-3H+4I'6T]B4 MC,T;FW>$MS_6<;8+!D@X)G&LXLCAZ,:A-W5\I)JV^/]%L(>0+(X;.#;0+_Y# M"6_P*/S?R_2^'39@"+Z$O8YG(4!;L\U90;Q-ZE]AY.N08]ORQCHAWRBL'^!O M%7/A!R--X.1:(8"G7S2`B724B9$19J&CM\2<$.$"8=:&ML"D"+K\-PC.\U(* M96YD(ZHM1IJN[+6,E0>R#A^K#SYD53F_)%1_ M70IE;F1S=')E86T*96YD;V)J"C$Q(#`@;V)J"B`@(#(V,`IE;F1O8FH*,3(@ M,"!O8FH*/#P@+U1Y<&4@+T9O;G1$97-C2`H1G)E94UO;F\I M"B`@("]&;&%G7!E("]&;VYT"B`@("]3=6)T>7!E("]4Y\1.&E^G(UG?SI+B"\+LNXC(+!8R1K@83[2 M=.3XJ5E?+]L(/.!)R[$3Q0(AZZ\`_S'P^O'"[$DZZ;Q$B!]8PD_>=_#DT-W] M#'@._#M$)0\MOL8VJNO!6RN)D%N(,VEOC;IMFLJ(VAZC84]8\X0]+.#W6:QP MB\9H5U=W=U=G5#1:3:ZS.U$7J&J`9AL7I^CKBS^F/7'^@MSULG/$0D+)M2HEE`XS2JDQ`C%,D-$ZCUNQ!V-AH22\W@0] M^LIOGWWAN:?9N87WV79`,"*6+M%_,4XV0(3I9#)(F1*@E#503;4H3"&:.DPH M436J%@ECRB11E)D1"]4T,@GO3Y/1^OKZ2'U31(BF%JM]7:PI$+1&H\V6Y9@3 ME70T=R>-[#*I)9%DHYU" MT,,UJJ*0G:B=Q/"GZ2C0M<015>S^6"#:Y>GQ^!(=/4&+.).9:W"Y0BUQU^`. M=FS-0BFB3=21E7FO,`^I(T-)NYLJC%&BL.$1Z<[FDG4J96QJ!.(G4V`2DQM* M!JI"8%%#IXAIVWB[3GB%6X-\A$4U%YZ$!P+OZ/$DZ)43UOK=W8.[YC8VWMHV M-QS7]^^B#R\^'X^.T%-8DQCXL00U\4-5$LEV&YBKH8RR8:*!FQHI$%6M5@+L ML4DHS#0;K6N*-#5Z+/;U,6(-!\!4-X9K5@&2'_`W=XI&BS5!EY3%\]9TK]@N MNG+''GRB]YZA$]]_[/#F+NTCZFC=E0JN'1I\?F[L\:$SCT:>R8QB7L8@OD^@ MQQ3B3;K)U>;RN)D]$$L(3^*3)Y\$/6)WP6,!?*\C8YA#JCB@/,LY],++RB2L M'T69&F'+20P29$&E3D*;J3/+&B/IA"GKB,?C%5Z+?6V,!/P>X<%^LEB!2`2[ M$_27N^?"/-RU;NZ$/76`\7VCBX_3HYNCFYH7?\0\`_O,'F]?NL3LT"]N4D^* M29\+*NOS,N@8:&QEV`WIVUGQ#STQTSDS@IZ0R95"AZYJS&*CFDY6JYUT>CR> M>L^&EHCPH)_4(U86`*0^Z&'=/5U1=!M[G]GOK5DWVE$XTEE(C?:,=`8#[0V= MVSH[V%\60NFH_L+CXX\-;J&U"P?"XF\;-DQ.34,0=&D!'E]`;SH(3]8[;!I3 M":/#BME^52_KZNK<*IB'EK,*;W,BV).PTB^>/W[LC#S[W(3QS$\N7J3!+\^? M_T>EVQ5"S36BLMMA;(#L*+![/D:6Z!Y:H+/T4?H<^X!]RJ.\G6_E;X0;EY9P MGR2OTG&:!_TC5;T7]%M6]#>_*-CXE+Y,?TK/PN_5ZN\#^'U(/_S&-[_M9?D& M7VYT,?-IPU6VZE+@MEXC42[,ME#,Y'+I`U8R/2LF7RV5!AW,@)`[3)/3E0 MA3"HJN6XU'1I3Z>$$E MTQQGD,F\@9!\O^FD39^W.D@ZDVH-KR2[1K\V^?;*+#0&+J0AXCS/E$0!"V%F MBH0PFY*'P,EE+Z42$87^B@G'35Z73?`6"5T-;?5+M;H9T+S#KF1RX9`(&ZWA MN'3J9<8R:\CJ]3%SI M?;FRRY66M)"2KA@V*;1NJER+#R<\)`U`)91(-E?&Y$&TJ1*4%\VVA@6\MDR' M*GI\!7H?)09$,@C^#X+TVE+=I(!E0KP"LI669/L\_-EFULJKDS)AF;TYZ1(I MGI$.:$J[@'Y+\3R8?]/MIO"=2J5*^7*=)2;OCX4:(4T^B,T;BTN_7J8X!B#/ M.`;ULH+C6KVLXKA.+VLXKM?+%AQ#>MF*XP:];,.Q7B_7X+A)YVV2WAF7K29Q M;US&3.*^N&S0B73&OH6/&\''!IB;@X\XAL%''!O!1QP%^(AC$_B(8P1\Q#$* M/N+8##[BV`(^XJCKO,]LM;@.9MUYGH;ZY--F.6#YZ-AO;;J,QV0<5M)F:.)! M?I-*B$*OP&WL&Q'02G'9OE(>&I";6\L:]6=RL`UA@+>LSLSUZ@Z==YG^)@!' M,]<;@15V0^,H)X'SYD>C?[OH+7=0/T34"?&#PS?V%QJ[T!N777I;L"\NN_\3 M%)JP"/`>*`D)1'@;'\3%"ZD<*I4&Q2"L]AQLZ[`MPHKNIM3O`_N]L,L$8('` M/Q,B:]*Q@Z4VP7E?">;:5SOR;'<.<85'CK'HLIZ(X5[ MH`UV4V&BQ0"LOO37EU(>]Z'*9L_2^1DAE71A!M0L70@!G<<]Z.OO%,`EV)C% M`-10@(4!B`L&TPK,=P,CHK+;J;#`(?<:-)1VW:PP(T84,9V`9[:RRUVU!27? MBCG@(-&BU1R(/DC--E,L;;!X.!\0@V@,J]5GI@P#J&:4[,VU\3[X-J+'52%' M7Y93;HD`-[3ZZULIU(TZN%H9@6U\:]6#]')I\OAY_GJ(RZ7AED;@(VY MSV@KMU$?+,#;5L39U>+DM>@;8G;HLC=VPTE3NMP2*X%A;!;P]GH,E*5-M@$T MO=)AR]G%YA+0ZFVP2"K3]<.F`7OXMVC%P?]5]Z'[N+_T"=A"5M4[;%1]S&`R MEN,?P/C#HIJ`:APK(0]"R/[*XH2O.ZQ#;YOLA+6X\R;R(=ASJ<\KNX`>UF4/ M#".8M0SDE0_`IVPY3Z,ZMJ,<`7*7/@_[#!"W`T&1V*W/4U.2!<*4C"$F`\0X M8I#8@Q@D]B(&B7V(V0'$'8A!8C]BD,@A!@D#,6D@)A"#Q"1BD)A"#!)W(F8` MB+L0@\0!Q""11PP2!<2D@)A&#!)%Q"`Q@Q@D#NIRZTJ:#R$CMP-UV*1N`^J( MV4_`)(&Y6Y?;5M#W(&.BCYH4HH^9%$*/Z[)O!?H=9$SH"9-"Z$F30NB]NKQU M!7H?,B;TNR:%T%,FA=#[]7,U*EO^XRD5D[:#4FG*SBY_4^*5<(GN)8]>1'*R<.0K3S"\ZO[/8.*7 MX/XR%QTOPJF2$CA< M?#@.?WC19^%+4]G03I:))?763+:O%(AM7,U>`K62`W(W*EW27+E9\H4TE]NHJ?'8*V>SI65F?YR M%+E?V>8(59.GB_"')4#@Z&`D:PU;QI:P1K1UJE;;>H$N/275,_"Q["]K,_T0 MPK\!M=\$.0IE;F1S=')E86T*96YD;V)J"C$T(#`@;V)J"B`@(#,P.3D*96YD M;V)J"C$U(#`@;V)J"CP\("],96YG=&@@,38@,"!2"B`@("]&:6QT97(@+T9L M871E1&5C;V1E"CX^"G-T-&'ZO8`#@PN4@T(XX5OWP&B5.H"YIO'#S/`+_US;TT$_AZ<'#""-E8%7-P: M),(5)V-9?0!E9+QY>9?SZ!DG\;`M$>?>:L>$`/Y!R26O/REWQ@0$`?PL* M@[$3[+XN0PD-J_<_.*.-4+&N`X6:CGL9_>LX(_`LWO>*\B9N>Y+]57QN'N&0 M_;JT))W"Q8\2PV@G9**J.A!:=PRM^I<[%\55R^\Q,'%LJ;*JR##1UIG)$,O" MDOCQF)D,Q0NWB9MS9C(4QQ+'Q$WA)FE/17O*O=QN35VEY[N/*]<0:-+\QGG$ M-)RQ>/\&[WQ2Y?4+Y(>"4`IE;F1S=')E86T*96YD;V)J"C$V(#`@;V)J"B`@ M(#(V-@IE;F1O8FH*,3<@,"!O8FH*/#P@+U1Y<&4@+T9O;G1$97-C2`H1FER82!386YS($UE9&EU;2D*("`@+T9L86=S(#,R"B`@("]& M;VYT0D)O>"!;("TW-34@+3,U-"`Q,S8P(#$Q-3(@70H@("`O271A;&EC06YG M;&4@,`H@("`O07-C96YT(#DS-0H@("`O1&5S8V5N="`M,C8U"B`@("]#87!( M96EG:'0@,3$U,@H@("`O4W1E;58@.#`*("`@+U-T96U((#@P"B`@("]&;VYT M1FEL93(@,3,@,"!2"CX^"F5N9&]B:@HW(#`@;V)J"CP\("]4>7!E("]&;VYT M"B`@("]3=6)T>7!E("]47!E("]#871A M;&]G"B`@("]086=E')E9@HP(#(P"C`P,#`P M,#`P,#`@-C4U,S4@9B`*,#`P,#`P-S@Q."`P,#`P,"!N(`HP,#`P,#`P-3$U M(#`P,#`P(&X@"C`P,#`P,#`S.#<@,#`P,#`@;B`*,#`P,#`P,#`Q-2`P,#`P M,"!N(`HP,#`P,#`P,S8U(#`P,#`P(&X@"C`P,#`P,#,Q-#,@,#`P,#`@;B`* M,#`P,#`P-S0P,R`P,#`P,"!N(`HP,#`P,#`P-S,X(#`P,#`P(&X@"C`P,#`P M,#(T.3(@,#`P,#`@;B`*,#`P,#`P,C4Q-2`P,#`P,"!N(`HP,#`P,#`R.#4T M(#`P,#`P(&X@"C`P,#`P,#(X-S<@,#`P,#`@;B`*,#`P,#`P,S4S-2`P,#`P M,"!N(`HP,#`P,#`V-S,P(#`P,#`P(&X@"C`P,#`P,#8W-30@,#`P,#`@;B`* M,#`P,#`P-S`Y.2`P,#`P,"!N(`HP,#`P,#`W,3(R(#`P,#`P(&X@"C`P,#`P M,#VTQ`S_(2OP@Z4F!O>`S_(2OP@Z4F!O>`S_(2OP@Z4F!O>`S_(2OPA\.[5 M.`6&EO/9$CMMMI-2UJA2B2E)<3,S-K@0J,*;#J4-BHT^4U)BRFDO,/-+):'6 MU$1I4E1<#(R,C(RZR,Q$I6+[O MJ>S[/4::9&9MDJRA<4*=M2>F!5ZS6:-;L2S58JD).?>.5YD@R];(5E&XV#=5V MJ-MB:VTC7V(0E)=A$0^NC3CKO'E7Q8NKS$.C3CKO'E7Q8NKS$.C3CKO'E7Q8 MNKS$.C3CKO'E7Q8NKS$.C3CKO'E7Q8NKS$.C3CKO'E7Q8NKS$.C3CKO'E7Q8 MNKS$.C3CKO'E7Q8NKS$.C3CKO'E7Q8NKS$=*TX52Q?FJ!B^%=->K-M71;%2K MT1BNU-ZI2:9)I\J"RZE$N0I;[C;J:DV>ZZM>XID]TR)9D+$)5M+?JYI'U_L7 M[TTL54``````2JZOI.XW^IEW?W="%5```!J65,@1\:63-N4?!)F.MB''[^.K-;IM7GMU*X:G(=J]Q5)" M324ZJ/F2GW2(^)-D>C;:3^8TVTCJ20W8````1R%^9W-#E*5ZJS\J2G)4,^IN MGW*ELU/M>Q*)C+9NI+JY=A\SU4^1"Q@```E6TC^A%O?:!9?WA@"J@`````"5 M7']*?'OV?WC_`)&W!51*MI;]7-(^O]B_>FEBJ@`A62-L?%6+\C5+&%:H=[U. MKT:G,U:IKH=M2:DQ!AN_->>4P2C0@M.)F6A"H6'DFQBU!E9DVI)*-*B/>(C0I*B-*DJ(E),C(R(RT'!DC*EA8CME%XY"KZ:51W)<> M"B3S=U\E/OK)#2"2TE2O249%KIH769D0VAZ1'C))4A]MI*E$DC6HDD9GU%Q[ M1R``E5U?2=QO]3+N_NZ$*J```".4'\\.8Y-XN>MM'&DF12J&1\6YU>-)M3IA M>THR%+B(/_D7,_=28R&;MHRQ,"2+9@W=2[EJ<^[Y3T*D0:!2'*C*DO-(2M24 MM-^D9[JB/@1]OL'>PSG[&F>(-6DV!4YIR[?E\PK-+J4!Z#/IL@R,R;?CO)2M M!F1'H>AD>ZHM=4F14!S5!$?#4AC,-W[4+[M)17-%9A77;\IRB7+!:UW(]19).^I&O'D74*;?:,^)M M/-F?$S&]@``)5M(_H1;WV@67]X8`JH#S/2_A"MGN0A;IF2$J41&LR+4]"[ M05*J%58GI< M23,=N(1&I*DGZ1FK7AIP&PXYRE8F6J1.KV/J\56@4VIR:/*>*.\R2)D=1)>; MT=2DSW3/3>(C2?89C9V7V9#9/1WD.MJZEH42B/\`^D.02JX_I3X]^S^\?\C; M@JHE6TM^KFD?7^Q?O32Q50`>')F7\7X:^$2RIX@C4?L$"L*H6_;.!+"LC)F*+4;[ZC6F(X2S-!JUU(^O74Q=-IBYMF2XZY1<+VC9^'9%N4/'4ZL MT6ZKBK3BJ<4;G+DJ4H2G0^);H]"@)5=7TG<;_4R[O[NA#MUB MO;2#%6F,V_BG&TVF(?6F')F9!GQGWF24>XMQE%&<2VLTZ&:"<61'J1*5UGU/ ME'M3^YO%7B74?(@^4>U/[F\5>)=1\B#Y1[4_N;Q5XEU'R(?G/L^[0/PN57EF MW1,;3KRIA%ZA5WT-N#&-.O6F6HXRG>WB;BO^NP?H!5KHVC"V;+BN.Y;+HU!R M.Q3GUM0J!.54DM());SS1+0DER$(-U:&-Y25+0A/*>F>[1,64NRZ-C>V:=CE M]N1;#=+C*I4A#G*6MO--Z+S7LR)QV]1 M6KD.[:E\7+K3;KD%+O-4?ZR65)<-.FOS3(]=!*-J[9]O/$VSAF#+%]9`B5;( M.4+JM:54I5%@KA0:>F),;:C-QD+6M9[I.*,UJ5J>B=>)&I6:S5AW!^)<\81P MY?K#-*P7,BUVJS&Z[57?B^I7*;:='JA(>D9'%ZA,.) MLQRYC%4^-<,6]M$*BVW1JG47&(%?MKE=UN)SM>J40TKWUDMX^2]%>\>\E*3[ M-\6I0J+L49ZR#8TBPZ3`N6\Z')HU&M&L1*JJWF"GQ2Y%R5']$C6LC=)E*C0C MK3\XQ7]H*QMG/$EU6/LTGC/'R8DJDU:['[IR76Y90DO+Y-N2HE;^^_->-A"U M>FG<(M4EZ6@D>/5-Y-V;MC>U+OJLNJ,KR54J!5&CF.(=YLEZ4@HCBDJ):4\W M-"-PS(^341=1C7[TQ?95IXW6 M=[E3WC26JMU&NNZG3]AQ')W_`*O:GIK=G'RC]U/[F\5>)=1\B#Y1[4_N;Q5XEU'R(/E'M3^YO%7B74? M(A^=>&\__"V5"Z*A%MG'$Z[Z2W*?3'1<]%1&@DDG%%HW.7S53I%U$9N=1%P+ MJ'MJZJOF*MX1M>?G.SK?MFYU9%LTEPJ)4US6.2^/Z=HM2E(+<6:C61H2IPB) M*3WSWC)/H\!^-=OTF\'MGVC,Y,O+=V=Z[EVH4^\X=.IR&IU-TF[S#[LM1J,X MRGTHWS2A"D$22(U&LM-VSG3DW_M"[05(R7<^+:#5X#=-39U:OFY9=+D46G%' MWX\FC$TVI*_6:+7N&2C7P/7>/7+[4M'MFS+Q=R_DR^L19>J]!LVAT^Y;*KUP MO0ZI%D)9;4N50W&U$HE/J5RQ'R9*]/4N)D0V+(&4;/H&8]I6IW95FK55>>$J M6JA4VJO$Q*D//4]Q"([39GO..DXM+9I01GO$?L,<>,DVY(R-L94V]'HB*5<. M':C15)FO$VW,6_#:;YL2C,MY:]\DDDCWC-1$7$R&G88Q_L_R-F#.F,G\K6IB MF^9UVU.BS9\NHI9E1::Q4V$QV)#1N)6F*M:B84O@6CBM3/0R'HSX/FZ+23<& M3L7T'&]@T:HVNY2W*E7<>51Z;;E9-UE9MJ9Y0SY)U!$9+21F9F9[W%(]G"57 M']*?'OV?WC_D;<%5$JVEOUJ%,+L+DG7"?:3_P`3ZD)+=CF*O-HU(J4J M'.J-*ARI-/6;L1YYA*UQUF6AJ;49:H,RX:EH%5H](KL-5.KE*AU&(I25J8EL M)>;-23U29I41EJ1D1E[#(<-P6U;EV4Y5'NJWZ;68"U$M46H1&Y#)J+J,T+(T MZE[=!/LP83!6:$.MEP-.BD[I MEJ7'JU3".R51,97!?%Z7O7J?>=>R`J`552BWHU,I:6X:3)@FH*#6DE$:C4:U M*4HS(CX'KK:*[:5JW2J(JYK9I-7.`[R\0Y\)N0<=SAZ;>^1[BN!<2T/@/H[5 MM@W&7CMREFN/+7/95S-O5N4KYSR3TX.'VK+B?M'&]9]HR(TR$_:U(458KB"5OE"U028U M/0KM1&9)#6I<%+)US35PQ1P``$JVD?T(M[[0++^\,`54!B"M&TRH[]O%;%)^ M*I2SI@\K=U<3P+@K4N!#MV]:]LVC3RI-J6[3*+!)1K*- M3HC<9K>/K/<;(BUX%QT&4$JN/Z4^/?L_O'_(VX*J)5M+?JYI'U_L7[TTL54` M`````2JZOI.XW^IEW?W="%5```!HN8[!GW]:)(MR8S`NFA2FZU;4]TC-$6I, MD?)[^G$VG$J<8=(OG-/.%VC(XQOZ#DRR:==\.&]`=D$MB=3WS(WZ=.96;4F( M[IPY1IY#C:NPS3J7`R,;2````(Y6]#*(O6QE8PN*0;2NU)N1X3C*]/WFW%I/L,R MXCZZ2V.N[F5?">ZO+@Z2V.N[F5?">ZO+@Z2V.N[F5?">ZO+@Z2V.N[F5?">Z MO+@Z2V.N[F5?">ZO+@Z2V.N[F5?">ZO+@Z2V.N[F5?">ZO+@Z2V.N[F5?">Z MO+@Z2V.N[F5?">ZO+AT;7FU/*>:*9DN!:U?HUL6I;M3H\:17:8_39-3ESY$% MQ9MQ)"42&VF40"(U.MHWU/END9(,SL8````CE1TP[F=JMIT:M#*4IJ%4"ZFX M%R)02(S_`/!,QI"6%'UZO+@Z2V.N[F5?">ZO+@ MZ2V.N[F5?">ZO+@Z2V.N[F5?">ZO+@Z2V.N[F5?">ZO+@Z2V.N[F5?">ZO+@ MZ2V.N[F5?">ZO+@Z2V.N[F5?">ZO+@Z2V.N[F5?">ZO+ATK2EU/)^:8.48=K M5VBVS;%LU*@PGZ[37J;*J.Q`` M```````````,!?ME43(UG5:R+A0Z<"KQE,.+97N.LJZT/-+ZT.MK)*T++BE: M$F7$AK6%+UK=RV],MJ]UM%>EFRSHMPDVC<1(>2A*FIK:>QJ2RIM])=236I&N M\VK2B```(Y8GYWPR-:.:M*[$,OJ29I M?%C``````````````````````````$_O/#%#N^Z$WG%N:Y[:K*H**;*E4"H\ MU5-CMK4MI#Y&E1+Y-3CIH/34N566NAC%?D$=]]^5?Z@1^"'Y!'???E7^H$?@ MA^01WWWY5_J!'X(?D$=]]^5?Z@1^"..1L^\Y8V[=HMH6]3;5MNGM0*51XC4&%%:+1#+#:20A!?P))$0R0````` @```````````````````````````````````````__]D` ` end EOF /tmp/uudec << 'EOF' begin 664 doc/gawk_general-program.pdf M)5!$1BTQ+C4*);7MKOL*-"`P(&]B:@H\/"`O3&5N9W1H(#4@,"!2"B`@("]& M:6QT97(@+T9L871E1&5C;V1E"CX^"G-T&-: M[G;>.(HX95F_X!%3:ZRO.'52#2:D!:5<`QP*$;I9&H3EBYJ M.,V%&)EPIO%M(:CQ4A<+"J$X'&I#C:D0NE_1T]W+/(7``FI)&1:PG>E<)Z>\2& M3(7Y7;W\WE2RT72A^Q!'UYJ0"5VO0)W[J3\'%')`L#"KR9<].-)_"$+*-\%: M2NAEG7Z"BZ>=W65'_1/<;WYLG=WL7_?;78R6-K^.&?\['+?$]+1]Z&^`WQ`? M'5=9M'_D,W>YY\_I;7P]S0U7/=S"?Z9-Z?X*96YD7!E("]'3_G7%Z^);Y) MV;2D2UZ2DL5+2A8IB99IAR)%O153#\>\DFR3HOQ(;<=*[+3N["9JDZ*&AG1# MFB!%T&9M6J##X#\.K21-MR%(AJT(T*$8NO[7;"B&`ANP#:B1%@.VA=KW73XL MQW:&=?MSI"_/=[[SW?/]ON?1@0DEA)C)%A&(5+E.W_IB^=NW_Y@"]9NPSO)"V?+ M&^)W_^$-0GQ_#+SA"\#0&X@3YK`?"5VX?.UZEU=($M*A@WGJTI5*F9!C!9CC M_NG+Y>N;]$S;79A?A[FT^DGQQG,OPGS'Q$=N5%[DW7K]@-:`PF30Z0M M8^Z+V(VBCA'=0)0&'`'1$7`PK\>M-\`C!R-#0\/#0\F('#1HL^1PPNEMK`#- MNFMK]/NU;]"1)Q.Q09O9;!N*[)<[?4;1TG8DJ'>[;39X:F^*UY/__FO1_LG? M91)#HX:8I:W-LBP$#@9"%J'-['+7WG;;[!Z/W>8FC"R`[TZQ'6($RY7,09$* M`EW544K56<(860535LB%PUY?89(I$??]%&B[KZ>X<2@QZ,?&9*#'K0B/!4P"=L502U$"-*5^BB)`3P@-4@K[YC5=N++SXUQ-3?S`YR7:>>NKJU;MLI_;=(U,W:FCG M//Q\C743&[DXRYV%8L9FI809&(/?&3!URI^QP2"TN,*,6A=T(MY5G<`T5VB8 M_!DOT6:$")!0&,;Z@IJQ`L]&VATN633[H@0"*`?U!@<@]0T/)^B5#F^'KW_8 MOG7%ZIKJ9]V&F_K<1.T?F>/"X:.:7Z*[=UDGY%`;Z;@_9S=:.0MA:&\GI+VC MW>=R@*`UW,K91J8,)_28&5KJRO3U%]*;\\^^F'YZ_NIA_*28].I7EIZ?>/6% MI>AMM(#*4<'N;J.N&C$3JYGB'1W0MDV2V+W'N4'^B/!;R M>S,+HR<';FVM/:E<]8PDI]-QI3`[%^@7SZ=HO#PTJ\8$2_:W3.W8H M68@;;1WA2#Y:4"-3J0.2/13L"HPJ!Y+.?=.)PT_TLT[IY9'X0&ID<*.>,X(9 M8M%-UC+6`SY&1:>9@>$SL]P.B>$5("SBJM&@%T1Q;58'X<%^XL_L)SC'53VL M,KU^H[6H9J!APX9=02@C^)K,?HPRD2?)>_D"KL&D8>_-;8UVQSJV1B7X MN6).GXKG[-US"2:=G*E]F5X\T7.P]H>-@3GRR_&H$FO5V`K4F)5X2#33:X;> M0V=(O=#*@!%"C76&0"%W0P%/P&''TJ8RZI>P=;MDH1D0>G#YQ9]2Y_C4V]_\ MU\7'QG)3D]13^V>V\Y,)]4#M;^FUD:.I!&GF,-T%OWF@$R8R`T9*B8DR\!L1 M0;<(NG6Z1O>#LM%0K+,Y9R@<"CI0/S$$M#P8\;7R>=#KZ=$\DZ"[0NTM0RXE M'Y.'BI>^^$+J<]-7?N_Y\_U#XM]02]]\UM+&D4:B M1GH:*4K/+`R.CT7ZG/WQ)Y:VSHQ=[,GD9Z,)UZ'DPESB5)I)C\U&.SN<'9XV MW]SX<;57GDH&NWQ^C\U[_(@RT8LXIP#G;Y@#.N)TQFRG@M:&FMGFU-5[L2"0 M-;"AGFG>!A.FN$+7ZO#5'SIEEVP7X0P)R(WSPY&H-VA'@O[FBJ'S^/#D_%9W M\&A\:R:FG)RG-VNOQ"*S]%H31S?[&/(FG`F:01F=,>E`[Q2>&*N,-EUD)9:( M`*W'"[N/.-RP.03LI?Q6E\WF[XW9)L?8I?9/ML/B"K90[;01"-7>T[''8>PB M=N"TD^?)+EVB97J=/D=?9C]F'TD1:4`:E6X'@KN[^/<'^0Y=I"58_U)CW07K MAUOKC_Y0T/$1?9U^B[X!W^\TOC^&[X?TP\]\\W_VH8_@XU]7IL]\DS5&,SR& M%K<-&BPA>HT6B06\9/W?0OS_C_;Y*GQ/D]-L&.K^![5_8]G=CW'*>5629M\E[0NS7+^T4N1)/^]52^>D[1-%SL+E'QDA52H5>=T?"'"B?RE?SB:C$@!_S;18D7"L4` MSZA^B:>02JFJ5*T+E3=X+[`:,XD/X/H`2KY?*$H`8KLL<7.A6`*.A&MFI(:1 M&B[Y2ZJJ^CF-JJK,2:%X5E5C7%`DV$<7+@,@,5XJ'!#+GH'"DYSC1ZF5='UB7<@6=**HJ4QC601N6.P4)R^6Q?H.5LDW*_\\WU76@4(.3`XI*4WY;+ M&`C-4\2/WN22'T`V47(A+)?'ZRHLCWB=A^`MXK]GVMZ7K(IFT!V+6<@7`WXY MH/8%8KQ-J3*6YQOE\1AO5T!0DK@U-X.O`R%G5=Z<68M<$LQFVPC5USB00> MJ(!>WIXK2=LEB;>#TV+/DV!TXRK18N112)2R_ M7.0V.2OEN062TBQ#OF6E$JA_VVZG<$YEL]NEJE,?Y<]&_4%PDQML\#../J4JX-BA5'4X[E.J(H[[E:H>1[]2->!X0*D:<>Q4JB8<#RI2G--3 M,=ZG$4_'>%0CGHGQ+H7PMNCO@+$;,';!WA)@Q#$`&'$,`D8<9<"(8P@PXA@& MC#A&`"../8`1QU[`B*.B2&DMU6(*J+67I!S$IY33P@'EHV"^Q14>B_(85%(_ M)/&D](A(R.64C&WL,R4@E6)\H!4>ZN7]?561>O)%:$-HX*&]GGEP>5"1AC2\ M"9"C^0>50(4]5#GRB?<.7T]O:D/`G57H2V#FT1*GJ84H\;]*>@RWBA M0."?)L)-N>C9[;@L2>EMV.OPO64I7M^#ZV!/D))X">L]LU#<89(@^7=81-BO M9K$'&J&;RIJT/`'5E_MT*96P#]6;/Q!GWZG#)"@ M,=N5_ZH3)C"D]%'[II5N&'H]N@&),%T#XH`V&)\SB( MYEH9UO0N)I<,J1Z'(JEO-PY-`WKX[Y"*D_]7V8?PL;^D96@A>^(=4!L8\^B, MIOT3:']`;CB@84?+Y$DPV5,O3CC=H0Y=<9Z$6IQZ!'\:>BYUN_@0T#,*'X%A M%KV6![]*$W"4-?TTIV`Z\ED@YY4[T&>`>!P(BL1QY0[5.`4@-,X"RN2!6$09 M))90!HEEE$'B!,J,`?$$RB!Q$F60**(,$BK*Y(!801DD5E$&B3640>(4RDP` M<1IED#B#,DB44`:),LID@5A'&20J*(/$!LH@<5;AHRTWG\,)/P;4>8UZ#*@+ M6C[!)`.3)Q5^I"7].9QHTAZ5CC=DCK-PZXT+WU2=M_ M%,7"`[?&=O8ZN<%ND046)#+]`A'9<;)`M\D\FR)1MH_8A$6@*[#>2Z+T(V)C M8V2*]FCWL[P&]U=*X/+QX2+\84:_#B=1O>%M5HD^^\Y&(=T' MM],^G&2L)XTYXR&#+/ITHK'!*NOG]:-B']QK-)8E^YZ7.(AURX0W6Y&8@&?/ MODY7N>XE.$S'J^+&.)CP7\"'A]L*96YDS`ZS,ZOU M4%R'Y\'H`,6[MV+$`$H;Z7&UFQ<(-YRU854-4HMPO^53+)-C132/^QIP&8RR MC',H/F)S#7Z'PT7:&SXQ`"C>O$2OS0R'K^M(U+@Y]X,+F@`EZWN0J.*XE\F] M3@M"DH9'_>E5# MEIL2WY-G_'2*TK*,A?%SE7$LC'?$=XEORXQCB7Q-?)WTBO0JX8YPE[`D+).7 M]&W6M\2W:4Y#\2?Q:D$7GY^Y;I-U+>CWS$YGV,)C]*SB2EH0T^WLU9 MEUSY^P5O7!E("]0 M86=EF4@,30*("`@+U)O;W0@,3,@,"!2"B`@("]);F9O(#$R =(#`@4@H^/@IS=&%R='AR968*-C(S,PHE)45/1@H` ` end EOF /tmp/uudec << 'EOF' begin 664 doc/gawk_process-flow.jpg M_]C_X``02D9)1@`!`0(`)0`E``#_VP!#``,"`@("`@,"`@(#`P,#!`8$!`0$ M!`@&!@4&"0@*"@D("0D*#`\,"@L."PD)#1$-#@\0$!$0"@P2$Q(0$P\0$!#_ MP``+"`#C`=T!`1$`_\0`'0`!`0$!``,!`0$```````````<&!0,$"`()`?_$ M`$P0```&`@$"`@0*!0D'`@<````!`@,$!08'$0@2$R$4&);4(C$W05165W>5 MMA46,CA2"2,S46%Q=;2U%T)V@92STR1B-%."A9&QT?_:``@!`0``/P#^J8`` M````````````````#CY3F.)X17-6^8Y)64D%Z4S";D6$I##:Y#RR0TV2EF1& MI2C(B(=@``````````````````````````````````````9W/L^QK6V-/Y3E M,MQN,VM##++#1NR9DEP^UJ-':3\)UYQ1DE"$D9F9_P!YC`8OJRQV'8N;&WY2 M0I<^7%>B5.*/]DJ#C\%]!H<;67FA^8ZVHTO/>:229M-_`[E.^E4VUITZ6D3$ M,OL9,_6<]]$2@OY;JG':!U:B2W73W%C8 MS&<+A7PB^"[.<2?#KYL[J#Z=E'L9=>Z!ZSNH/IV4>QEU[H'K.Z@^G M91[&77N@>L[J#Z=E'L9=>Z!ZSNH/IV4>QEU[H'K.Z@^G91[&77N@>L[J#Z=E M'L9=>Z!ZSNH/IV4>QEU[H'K.Z@^G91[&77N@>L[J#Z=E'L9=>Z!ZSNH/IV4> MQEU[H'K.Z@^G91[&77N@]VBZB-19!=0L>C9-*A3[-TH\)NVIYU84IXRY)II< MIEM+CAD1\(29J/@^"%(```````9W/<]QK6V-/Y3E,MQN,TM##++#1NR)DAP^ MUJ-':3\)UYQ1DE"$D9F9_P!YC%X%@62Y-DK&X=PQ&V[]M"TX]CR72=CXS&<+ MA7PB^"[.<2?#KYI;5-7?5*B.AQ]1] MSKRSX0TV@B-3CBCY[4((U'QY$8P_K.Z@^G91[&77N@>L[J#Z=E'L9=>Z!ZSN MH/IV4>QEU[H'K.Z@^G91[&77N@>L[J#Z=E'L9=>Z!ZSNH/IV4>QEU[H'K.Z@ M^G91[&77N@>L[J#Z=E'L9=>Z!ZSNH/IV4>QEU[H'K.Z@^G91[&77N@>L[J#Z M=E'L9=>Z!ZSNH/IV4>QEU[H'K.Z@^G91[&77N@T>#[@USL:?*J,3R+QK*$TF M1(KY<1^%,0RH^TG3CR$(=\,S\N\D]O/ESR-D)/U/--R]5QZN2@G(EKF.'U;$N+%G77[^R]D2)K5,Q*8AJ.'&-]TW75=J")!&7/F,UFG5QI;`[35M1=W,U;^X5 MQTXP<:(;J7$OJCI:<=,C_FD*.4UYG_[OZC%D4ZVA24+<2E2SX21GP:C^/@OZ MQ^E*2A)K6HDI27)F9\$1#\FZV2TMFXDEK(S2GGS,B^/@AZ]M4U=]5RZ2[KHT M^NGL+C2HLEI+C3[2TFE:%H5R2DF1F1D?D9&([4VUITZVL3#\PL9,_6E@^B)C M^02W5..T#RU$ENNGN*Y-3!F9(8E*/DC-+3I]W8MRV@`#-;$V1@VIL5DYOL;) M8E#10UMMOSI1F3;:G%DA!'P1GYJ,B^+YQX"VMKI5KB%(C+J]9:C[5T;:LMI1,=S"QJEOD7 M"U1'<!@GYJJQ50```````!*NK M']UC)=8WI;"IS"9$;*-S8O6RF%?$Y'-;RG"/\` MLX27/]X^(\AQ#8E!B3&3[&H;.O\`]@.1XKKVDES(ZVT3X\>_DNN2F341=R#9 M37([D^1]GD*%O!O4619YU:VO4K?QHV=XI#:_V:MV%FN-(AQRA+6=CH.-.R>M5-?BKLY")1*\.6; M2D+_`*;PWE)Y+^<:(C\B,A+\LHK_`&#LO>99+FVIL,V/2;$5'QO(\QRR957= M'7L.M'6E6L(96A49;1&1&D^5>(HU)_9,_P"N$(I90V"L#:.432?'-KGL-S@N M[MY\^.>>!X[:IJ[^KET=Y71K"NL&%QI462TEQI]I:32M"T*Y)23(S(R/R,C$ M;J+BUZ=+:)AN96,F?K2P?1$Q[(9;JG':%Y9DEJML'%&9J8,S)+$I1^1FEIT^ M[L6Y;P`?+/\`*4LQI/2S/CS8Z)$=W),>0ZTLN4N(.SCDI)E_49)Y]W//"B_J@` M"59'^]/KS[O\R_U''!50```````!*MR?*+HG[P)GY5OA51*NI;Y.JC[P,$_- M56*J/G*SZ@\GQ_J]R[5MPME>$XSJH\V4TQ&(Y9R43.Q?"S,N2\,C(DGP7/'F M/QK?KLU;LS+,%QNMPK/JF%LEB0O&;RWIVX]?/?CM>(_'2LG5+[T%RGN[/#4H MC)*U%P9Q.XZN%:(U',R'4T?8^QEVFW+#'Y\S,D)FE7.)?92_$84T^@TH/O\` M_2H/R-1.]Q)+@ATZ3)+36SULUATQ;+-.B-Z69&Y*CDXHR MGDH^WR,T]I)+N+@R/JX1U;8YE6T:;4>2ZJV-@5WDT67,H#RJI8C-6B(R"6^E MHVGW%)6A'PS2LDF2>.>#,B'SK@.XYN7]-N%Y;NC:NQHL^7NLZ2%.Q>0TQ(E. M%,>;C0Y7/:1PC2GA:2Y/X*/(^!>_?=7&.XALFJP#-]3[(QR#?9&G%*K) M[&I8143+):E)90AQ+ZG>QTT'V+-LB47GY$1F,'K?JYR;:6W=T:CR/6668_1X MVJ$ZZZN8XJ0I+;JS01QO#1P9<&KCYO)K?JBUAK/I]U(FDE; M1V38YVS*9Q>OF--3LGMR9<6I]U\S<2T26B^-2G.$H[/CX,:5WKLTK$U%)W#9 M0,JA0JK)D8C=5#]616M1:&LDJ9D1R6?[/)&?AJ69D?"24HC26LTQU+8MN;+\ MLP!C#30&XKZXTE)J8?;)MQPC2HB\R4:5),R(R(>SU8_NL;D M^[_(?].?%5```!G-A;$PO5.(S<\V'D$>DH*U3")<^0E1MLF\\AEON[2,R(W' M$)YXX+NY/@N3'BP?:>M-FQ%3M=;!QW)F$%RXNILV9?A_V+)M1FD_[#X,AYL^ MS[&=:8S(RK*IBVHK2D,LLLM&[(ER'#[6H\=I/PG7G%&24(21FHS&(P'`MVL@,QLBY MP[$<.M-A9S7LR*O#8#8'D MMQ"NS\GQ&EE09F M;X+'A,W:?05ID0&)K9OQV_'4@B4E:4FOM0M7'^\1&9#K6&"X'=9#'RFTPZ@G MWE?VICV,BO9=EQ^#Y22'5)-:./C+@R'?`>G<4]5D%5,HKVMC6%=8,+C2XDEI M+C+[*TFE:%H5R2DF1F1D?D9&(W3W%KTZ6T/#,SLI-AK2P?1$QW(9;JG':%Y: MB2U6V#JN34R9F2&)2CYY-+3I]W8MRX`,_G&`X=LJ@7BV=X_%N:E;[,E4621F M@W67"<;5Y&1\I6E*B_M(<+S(SX4?]@S$7I0Z M(2._N\^>?,5D9)-UULE&7F1QLHS[8FR*YTX%52Q6G[*S<9[ER'C):VFD-MH[34I2D MD1&7!'Y\4VGZI\;RS5C>S\!UOGV5.)N7L?G8[65;/Z7K+!GN)YF4TZ\AMKPS M21*5XAE\-''/<0X'KSZ>CZ9N]UW%-EU57XQDA8G?5$NM0FTJ[+Q6VU-NLDX: M3)/BH49H6KR,^"-1&D:C3O4YBFX28S%C6+U?DU@%NP_U39U<66)1Z.7I'IYVB8W/ MB<_L>&9_!X^/S$ZP3K:/&,1V]G6[T2I-3AVY++7U45'6DX^B(AQM$?O;[B-P MR[E=RD\J/RX29^0KVG>IW%-O9SD>LE87F&&Y9C45BQ?J,HKVXLA^"\?")+1- MNN$I'/:1\F1I-1$9<\\6(!*MR?*+HG[P)GY5OA51*NI;Y.JC[P,$_-56*J/E M[-M![&O.J'8>TJ^!#509%IN1AD!U4M"7%6:Y)N$A2/C2CM/]L_(8_#>E[;=+ M5=(\2?60$N:@58'E!)G(,F/%B^&CP_\`YOPOX1F;3I#WAZMN7X?75%4]E1;D M?V)45[EDA#4^$4IMQ#9O>:6EJ22O)7Q&7!\H.@W)I+:.6ZR@5 MLO7QVD+++6;G#MM89"[.A.,+L2)9*2VA*N%$V2N\S=,C(B22B\M)TG]0,;3] M#J2;B%6VO$=X1,T8L47+2V[&G])?>=>2C@E-J02TEX:OA*Y\OB&WQ?">JACJ MPO-U9_HBCR:,]+*@Q:P/-F8[6,8^;O:XZS$]'<4Y(=0?B.*[TJ5YMEVI/@2> MRZ1>J:_NZNRRG"*R^RC%MF1LS=S*QS=US]-US,ON:A182DJ1$2EM7/"B222: M)*2,U<"YU6I=XX1U([LMJC`ZR[PG6 M9*:2MON[C[O)1'QSY>?@MNCW>>1:GRVSMJRGCYOL/;5?GLZECV25QJF`R\1D MQXZB2EUU*",U*21$HS(B^(?0.`ZAS7'^L':FX[*)&1C.5X_25]:\F0E3JWHR M#)TE-EYI(C/R,_C&EZL?W6-R?=_D/^G/C59UK'$]C>@_K05T?Z/\7P/T=?3Z MW^D[>[O]$>;\3]A/'?SV^?'')\Y7U9-3?PYG[>WWO@>K)J;^',_;V^]\#U9- M3?PYG[>WWO@Q6I)5X\.0ME:B),Y1=B^P MG$'SR:%H,R29FDMKZLFIOX1Y'06%NJ'X5C/ MR.WMF&$M2V7EFJ(_,-MTS0VI)$KXE*)1&1D1B2ZI_D>.GG!)<&YRS,T=2S;UC%39NN2 M(4A*V2:=C2>[N5_.-%V%(3R\V9]Q&HC<;<[^L]F56R:F2ZU!DU%W4/\`H5[1 M3>TI=5+))&;3A$?"DF1DI#B3-#B#2M!F1C8@)-U;_NJ[C_X"O_\`(/#X?N,Z MPK<&G.C+2NILDKJA7%'`I[O$("Y?9,FK>II#UFF$TM?+ZW#-?< MDB5P:O+@A+.G_*L&C]5'3IG&N*G7>#P\_CWS=M2XOD$F=,)AR&HXC%PITR2; MYO)Y07:2C<2OX^U/']7P`1;9EY8;EGW.A=?J9.`IM4#-LA<80_'JX[J/AP&$ MK(VWISC:OV5$I#"%DXX1F;;:]I;Z?PB]Q:DPZQ3>E6X\PW&@E%R*PB/$A#9- MI\1YA]#CQ]J2\W%*Y/S^/S&?]634W\.9^WM][X'JR:F_AS/V]OO?`]634W\. M9^WM][X'JR:F_AS/V]OO?`]634W\.9^WM][X,7N7HLU]LK5^1X)07.35%A=0 MSBL3IN5W-@Q'4:B/O7&=EFATN"/X*O(Q!]7_`,C3H+$'8=EG.>YAE5C%63A^ MBO(JHRU%\1]C?<\DR^8TO$8^G7:2NQGJ+U9CM0A]$&KUKEL.,E^2Y(<)IN?C M:4DIUU2G'%<$7*EJ-1GYF9GYBR`)AU-Z5C]1&B,OTX_8IKUY%#0B-*4DU)8E M,NH?86HB\S23K2.XB\^WG@33`G^L7*\;5J?:^H<.H*Y&-RZ>QREC*?2SL9!Q M5-,O1HB&24VE2^%+)U1<),^/,B2?SRQT<;W5KK1=O=ZNCV5YJ*/:8Y;8O%SA MRK=N*]\B-J9%L8BD&PHEF9FTI1=Q%P9\>0V^2=,.UZK5.)0-8ZB;HH3V:4\.)?G)9CQ#<8*:AS6IZT,YW M7,B1DXO?8;6TL)Y,A)NJE,O=SB3;_:27'SGY&,QN#6>[L0ZI:OJBTQ@U3G:9 M&$.81<8]*NT53Z$>F>E-R67W$*;/X1)2I)^?"?+GNY3\W;PTOL?3G2-;6>\(><2Z^+(6N%!DS)2.R+XW;RI*?#+N623_`&C(N[@C/Z5TGJ_<][U0 MY;U.;APVLPHY&*1L+IJ*'!,_*M\*J)5U+?)U4?>!@GYJJQ50```````!*NK']UC4<[M*752R21FTZ1&9*29&2D.),T.(4E:#,C&Q'@G085G"?K;*& MQ+B2FE,OQWVR<;=;47"D*2?)*29&9&1^1D8YV/8;B&))=1BF*4]*E_CQ2KX+ M48E\?%W>&DN?^8CN[-D:"TK?K_634,_( M*T:5DM*D\EPHE$.W4ZVUU0*-5%@..5RCF%8&<2J89,Y1$9$_\%)?SA$I1=_[ M7"C\_,:0!(LTS3)=AY+-U%J*S7!7!4365Y6TE*TTB%))7HD7N(TN6"T&1D1D M:6$J)QPC,VVW*%A>%XUK[&H6(XE6(@UD%)DVV2E+4M2E&I;CBU&:G'%K-2UN M*,U+4I2E&9F9CM@````)5D?[T^O/N_S+_4<<%5`````!RLCQ3%LPA-5N6XW5 MW<1B2W,:CV,-N2VA]L^6W4I<(R):3\TJXY(_,AU0`2KTI=5,))&;3I$9DI)D9*0 MXDS0XA25H,R,;$!">L.6Z]K>EPQ&Y(6M6LTR>NQZ9:.+4B5(B/FKQXD-:4*\ M.0XA)DE:B)*2[N5%\8J6N-=XAJ;!J;7.!5*:R@H8Q1849*U+[$\FHS4I1F:E M*4I2E*,^34HS/XQI`$BS3-,EV'DLW46HK-<%<%1-97E;24K11H4DE>B1>XC2 MY8+09&1&1I82HG'",S;;CR6C41I\1IY MIMQ/<1EW(+DC+DAC&ZOJGB-IC?KIJ^P)HNTI3V.SX[CQ%_O*;3,4E*C^?M/C MGXB(O(?KT/JG^L.JOP:Q]Z#T/JG^L.JOP:Q]Z#T/JG^L.JOP:Q]Z#T/JG^L. MJOP:Q]Z#T/JG^L.JOP:Q]Z#T/JG^L.JOP:Q]Z#T/JG^L.JOP:Q]Z#T/JG^L. MJOP:Q]Z#T/JG^L.JOP:Q]Z#T/JG^L.JOP:Q]Z#T/JG^L.JOP:Q]Z#T/JG^L. MJOP:Q]Z'/O=:[JV97+P_:.;8>QB4Y24W$+'Z64W*LXQ&1KB&^_)6EIEPB['. MUM2U(4I*5(,^XK*``)5TT_)U;_>!G?YJM!50```3?9FL[:TMHVR]:3HU1GU0 MQX#3K_<4.XAD9J.OG$DC-31F9FAPB-;"U=Z.2-QMSL:TV74[)J9+S,*34750 M_P"@WE'.[2F54PDD9M.D1F2DF1DI#B3-#B%)6@S(QL!S[?'Z'($16[^D@628 M,IN=%3,C(>)B2WSX;R.\C[7$\GPHN#+GR,=`!(LTS3)=AY+-U%J*S7!<@J)K M*\K:2E:*-"DDKT2+W$:7+!:#(R(R-+"5$XX1F;;;E!PO"\:U[C4+$<1K$0:R M"DR;;)2EK6M2C4MUQ:C-3CBUFI:W%&:EJ4I2C,S,QW``````!A-DZ[N,ILJ+ M,<,R9G'\LQDY*($R3".9$?C2"04B))8);:EM.&RPOE#B%I6RVHC,B-*N+Z'U M3_6+51__`&:Q]Z#T/JG^L.JOP:Q]Z#T/JG^L.JOP:Q]Z#T/JG^L.JOP:Q]Z# MT/JG^L.JOP:Q]Z#T/JG^L.JOP:Q]Z#T/JG^L.JOP:Q]Z#T/JG^L.JOP:Q]Z# MT/JG^L.JOP:Q]Z#T/JG^L.JOP:Q]Z#T/JG^L.JOP:Q]Z#T/JG^L.JOP:Q]Z# MT/JG^L.JOP:Q]Z'EH-<;!N,UJ,ZV[EU)9.XTE]5'5458[$B1I+S2F7);JWGG M5O/>"MUI''8A"7G?@J-1*34`````````````$JZ:?DZM_O`SO\U6@JH````F M^S-:6UG;1MF:SFQJG/JACP&G7^2B7,,C-1U\XDERIHS,S0X1&MA:C6CDC<;< MZ^LMFU&RZB2^Q"DU-U4/^@WM'.X*94S"(C-ETB,R41D9*0XDS0XA25H,TF1C M8@)#FF;9)L+)YNH-0V:X+D%1-97E;24K11H4DE>B1NXC2Y8+09&1&1I82HG' M",S;;!G?YJM!50``` M`$UV;K*WL[>-L[6,V-4Y_4L>`VX_R4.ZAD9J.OG$DC,VC,S-MTB-;"U&M/)& MXVYV=9;-J-EU$E]B%)J;JI?]!O*.=P4RIF$1&;+I$9D9&1DI#B3-#B%)6@S2 M9&,CFV;9-L+)ING]/V:H+L%26LLRQI*5HHD*22O18W<1I2^8TF9&7SD9D*D```` M````````````````````````````)5TT_)U;_>!G?YJM!50`````2KJ6^3JH M^\#!/S55C;Y[DLW#<*O,MKL=F7\BF@/3D5D-22D2_"0:S::[O(UF1&22/XSX M+YQ'8_63@-UB^G+[#J2QOYNZ9B8M-5QEMD_$0V@U37GS,^"1%-)I=[>3Y^+D M5C'-I:RS&\L,8Q'8N,7=S4\^GUU=;QY,F)PKM/Q6FUFMOA7E\(B\_(?BAVSJ MO*<@:X:6HTQZZ5>0I$J24/GA*#])0TDC2?P4F9 M'\8QO2#BF-9'DNFDKV9"J,GUI4V+5MBM1JRQ@6K2%PU-S(]E8)=4E:C5RI*U M((UN*+L22E]I:'H^L\!@GYJJQ50`````````````````````````` M`````!*NFGY.K?[P,[_-5H*J`````"5=2WR=5'W@8)^:JL54```````````` M````````````````````2KII^3JW^\#._P`U6@JH`````/YH_P`M3B=^UB&M M]ET5I,ALQ+1^DFI8D+03CCJ4R(JC))\L%!^R/:OLC(#U@H M/V1[5]D9`>L%!^R/:OLC(#U@H/V1[5]D9`P^X+_7F\<7B8CG>FMN/5\*XK[M MHF<3>2KQXCZ74),U)478OM-M9<UXG']7 M=X+7/]?8G^H4P``````!E=K1(T_5V8P9K"'X\B@L&G6EERE:%1UDI)E\Y&1F M0\^MY,B;KO%IDMU3K[]+!=<<4?)K6IA!F9_VF9C1@``````````````````` M````````E733\G5O]X&=_FJT%5`!,S_>43_P,?\`GR%,```````9O9?R<95_ M@D[_`+"QX]6_)EB/^`P/\N@:@```````````````````````````$AZ>+")6 M11V,N$L^'#B6=M+L8DA*3\U-+9EI(EERGO0XCGN0HBKP`)F M?[RB?^!C_P`^0I@#Y0ZCMD[E8ZH-:Z1USMZ)@%3E&/6MI/GOTD2P+Q8WFCR? MXX(R+@^%%\8QNM/Y05[%M4663;TKUY*[4;1E:RBWF(0"4Q M\FS+M:-7)K;[2\SXIMKUG/Q)E!AU1T_;`M]A7%*_DDW#XZ8K[RSNNC5LC6.!;`P?'\DRNRV;,>K<;QB!';19OR MV#,I+;I.+)MHF3+AQ9J-)K-ZABX;1'HW.'MB9PN<5=A"EP6I MS;4,S\>2\^I_T=MC@N4+-?*^Y/!?'QPYW7IKY>&8;=XQ@N4W62YO>S<9@8KQ M&B38]G#/B5'DN/.I8:-!FGS[S[N]'!?'QULUZODX8S@%'(TCF[F=[&>L&:K$ M'G($:6CT+_XA;KZY'HY)XX4WPLS62DF1%R+5A&23,OQ6NR2PQ2XQF3.;-;M3 M;H;3+BJ)1I-+A-+6CYN2-*CY(R/R^(=P9O9?R<95_@D[_L+'CU;\F6(_X#`_ MRZ!J````````````````````````````9'.-1ZRV4]%E9U@]1+AQ!'\Y)41'\XS'JMZ&^S]G_KY7_E#U6]#?9^S_P!?*_\`*'JM MZ&^S]G_KY7_E'DBQ8\'J)CPHC?AL1\")IM')GVH3.(B+D_/XB%1`?,V]NE%C M>?4UKG86:8WC^08%C5%9P;2OLE&M;DE[S84EKM[5$2B(S,U%Q_48][?G30O* MJ;2V,:?QW&Z"DUUL^CRV97M-IAQT5\0WC>)EMM!I4X9N$9$9%W&9F9CF;1U% MO/$>I=WJ4T128OE#M[B)8G;TEY9N5YLN-O\`BLRVGDMK)22X)*VS(CX+R/E7 M*9A3=#^W]385I3+=>W.-Y%LC55Q=W%G!GONQ:VT_2Y<2V6720I39H224H4I! M$?PE&1>21UMZ]-&[MT7^M]X9/KO!;;*<9CV-9>87^LLR-"E07UFJ.IF>AI*T M/M\D:^4&A1\\>7"3Z%YTRY!&T=3Z_B=*&H+Z+-MYUO?XRYE4]I,:2[VI9D0Y M[K"G">\-))=7\#DR^!Y*,9J/TH[KKNGS%-4;$U=K_ M6DXK$"P-A3AMM()1+5RA1F:4I^"@C/Z2Z4]9;"T]H;%]>;2S#]92?(B(B(5H9O9?R<95_@D[_L+'CU;\F6(_ MX#`_RZ!J``````````````````````````````!,S_>43_P,?^?(4P`````` M!F]E_)QE7^"3O^PL>/5OR98C_@,#_+H&H``````````````````````````` M```$S/RZE$<_/@ZN/[>)Y<__`++_`/(I@``````#-;,,DZWRM2C(B*DG&9G\ MW\PL?G5Q&G6>))41D944`C(_F_\`3H&G```````````````````````````` M``&(V!KB=E5I599BN72<7R>D:?C1;!J*W*:>BOFV;T:0PO@G6U*::67"D+2I MM)I41&HE<']1NH;[?J/V'3[V'ZC=0WV_4?L.GWL/U&ZAOM^H_8=/O8?J-U#? M;]1^PZ?>P_4;J&^WZC]AT^]A^HW4-]OU'[#I][#]1NH;[?J/V'3[V'ZC=0WV M_4?L.GWL/U&ZAOM^H_8=/O8?J-U#?;]1^PZ?>P_4;J&^WZC]AT^]CU+34.UL MPKW\9V!O%$['+%!L6<*IQMJN?F1U%PM@Y!O.FVA:>4K-"27VF9)4@_A%76FF MF&D,,-I;;;22$(27"4I(N"(B^8A^P``````````````````````````````` 4```````````````````````'_]D` ` end EOF /tmp/uudec << 'EOF' begin 664 doc/gawk_process-flow.pdf M)5!$1BTQ+C4*);7MKOL*-"`P(&]B:@H\/"`O3&5N9W1H(#4@,"!2"B`@("]& M:6QT97(@+T9L871E1&5C;V1E"CX^"G-T/=(6Y772VI1":4#L)WMY3S>3WK5=@<*P'63:N44G/5*QT=69"<.W$E>R=%P,(/_`,L M2FO%`;6-P4;!)\%JD1)8)V M7=098K2T&:=Y;;45RH3?I'!H4HT`FJ9U%^TXIQUKI- MVO3J-`(VD7S'WD(,R`(?:(@#G@<&T`9P^XRI,6PA/)R*O)X*+,V=L355"8"1 M96Q:1$>A4H-@2!CP**Q*F!X`U@)HEPX'E(F2YQ?L^9ZWI^PMY7AN=6D*0(MT MI3H^8$_\_(U92GG=7RW)O30\N><:,.7R'6V9>,1+VL`;\RJMT@%+E)H/W=)#Y="#0K\E>X&A#BS`>\,Z8D]SG`P-5 M?KQPOK4`"=)SX^B`AC4[NUO(12IIN&.SSYO5RVHYK?XN7U;;S7QX9)C'Z_2H M#+?L>O9^FH.<_5IN^(_?\YOA@BT`I]%;*75Z?4@R\2[G=K9])B[19$H;8TR_ MH$3XD-:6+\NR&L!%]"VOSMZEQ`O`EB-%T?PN_95DMR.)[W8D@,UH;Y"*%P&2 M/4GERY9D-#Z*BF0L#0J)_)R'M)LV?QS8%?L',1>4MPIE;F1S=')E86T*96YD M;V)J"C4@,"!O8FH*("`@-S(R"F5N9&]B:@HS(#`@;V)J"CP\"B`@("]%>'1' M4W1A=&4@/#P*("`@("`@+V$P(#P\("]#02`Q("]C82`Q(#X^"B`@(#X^"B`@ M("]&;VYT(#P\"B`@("`@("]F+3`M,"`V(#`@4@H@("`^/@H^/@IE;F1O8FH* M,B`P(&]B:@H\/"`O5'EP92`O4&%G92`E(#$*("`@+U!A7!E("]'3_G M7%Z2HAX4GWK0DB]Y24H6+R59U-.6E2M2U%N19,DQ:Q\G#CSDZB MU$X::,O6N0E29&F0IATZ9$%W:"=9.@Q98G1%L*U#6K38'TV#("NV`=V&&.E0 M()VI_+7_^$ MD,KW"&&'5K_PD%+SO/Z7A-1HD/K1L;6[3O[<_=./";&C6_G<7?=^\=CR$> M=V_,Z2V-@&8["\OT6X6OTKZ[8]$NN\UF[PDWJDUU5KFR>F_`[';;[7@++\MG MNC_]6*Z]]C,]UK/'$JVLKJY=]MK/9Y:NYM0,@^L/V&7 M@=&EUQ)*TU-@'"+3CEIF\T9BJB/VDPL7,$X@.X.?:TPA3C*OVVHIE2HIH6QR MBM?.I707/I:6H)LD+4\Q:DSBT^N(Z&+(M"13DRE7'DGKU9C221P.E^HRV^HC MQ.MQJ`ZANMD"(E;7&Z/?F5WW*_Z>AO53MO@1IAR8+CQ.3W2$=[44OL((#6+9^V7U@N_'M+P(V9&%&Q[G_#1CO@\82NUU$F M>;%B,Y5-9HE)1#9-`IT)QE@EC$E+L$]NRDRO(VEJ:@HU!4.J&FRUV!HB06^= M)1QN,9=C(%8,CY;>6)?'8^[K40,>X*,_=GE\T0&[;[YK=OF1A^(=W7OV-Z\> M_OMOAGK.A4,GFZP'3&JXM>70Q!U+S;%=.PZ&W_A@:/C$YK MC=K'AMF]-=?/ M#Z[-G+XP>/_,@P/BZ6?*LU]:>&STV?,+CXYFW[@S?>CPX;302:P=85=((^G6 M=R.8I1H)OW;*J#0I`A`X)"DK(IXM`TD;W)F>7EV=:A\)!Z(GYH8WKVJ0/L2C`TVW7NB?./-.^8"W8N?O/! M^U]>-&(-6.@F[.!!M,7T3BNL6P$@L+`,J#+)$I.I%&';\#B#H6#`(4*=6/S> M$HRR3;J\GI9ND8,QNBD57K,D^M4AM2=U[Q?/]]\S<>KW'KNKHT=^CU:VS<3K MZB?&GEF??WSBZ4=#OY^<%K89@VTF4"N'SM]'?UCHG1@?GZ!_1PQ=9S;#3(6NM<1' M3NCN:BK1AGIFDJQ()FG25L'(6+$.U1,1#3)#V"XCL4RF\OH^?0<1/(PS%"/& M&%W>O MKUF:Y]OT6&QGGSLTR)2+%_8_-K[G5S7L%\.MK878&RL'6OS_V5?,B78H\R%L MY"*M>LAAE24H@HH@$8F2-1$[Z7*)=#J\GEH9)<"O2M@8)%4"%(NDNF(N5XQ] M^+BSXM%'GF1FQWK?*VI7Z_V0I6*BE5^.!I4SAG]GEP@[Z\U+-_C+;B4WP MQ!1WPC[V*N2@!>9!)B(HQGVZ'8VTQ94FTT5!D<1LR20QHU0:2>K3O<3HE0,] M5QI(ZU5$;+0U*.=&F!>CO%3)$=NGZKWU=1V]M>NGJESC'6RGY9PY,5KX5^8X M/K#/\"_V(788=K$B>F[(Z>LQ!)M45!!2X:QP5-D@:`ENY;2*=>`?(YF1S2^\ M\];%OWXE/)S*Q1;VL,L7O_?VU]GEU8+KY-,K)\+%>/(B=ZX@CW>05C*H#S0V M,&B"#*8F!-2:D2XB1K)&C!A)M"*A-A/2U-K4HOKQG:_-5PP0(T(L9K/'HXH< MZBMOX2TW[MZTYW#GCE9E5^O#3:U*8&>T9:Q_X>"3K+,SX.]H#[`KVJ36.A#T M^MK#@9;H;2%O7<#G#\6'[[KVPXZ`O[/3'^@HVZD'=K+!3IUZ%.@$9K*Z%=7I MDDLJ*W'*<58Z:FL@6^$(;@6SJGI@+2=`@HK1E[_ZS-GY"_\P.OY'8V/L\GWW M/?C@503/-_:.GRV4ZAW]1^1=PV^J=[G/U+L&4A]40UOU+ES&MC1H0Q,9:;7!@?7IIC2K,RXG:\OSSO=\_L2YQ87'Q\3..S`\0YP MA`0.%#K)@[@D;A&Z-^!`""^1\H85(L%@9'M``H:WSEMR2DM?J?R'6\J8CLQW MC0R'VYP=[7R1WG5'\"I#^=M\A+=3S,8?Z0T[L+XP-;X MK1^*-=ZGS],7Z(OX>ZGT]WW\O4O?-<#_+H^CU%9`C^LK%I\:[-3BT%M^JDJM M]S-S8/?&_B!N.L5',G[-1.2_E8B#LYVX<;^X_EA^)\S_WY\G\'D M/KFUW/;9I*9M'D0"J95I2I-TG-_!0W+QQ*\6X?;TUGCBD;!U*%#EUJI+9%< M3>Y?2OE5OV\CI?"YN92?ZVF?POL%U9].*_FB4#;'6\$J]13>*<8[A>3;0?5F?)ET.NWC-)).JYS,I8ZFTU$N:0KF,86R`"0G MYE)<5N/E-LQ3:UA$@466,6ZO":1438R"J^!T:*\5IM:3.5-N9%TD%*G&C^< M>N$)*327R@OC0=OX!MPKEFWSJ_BL3/N*X^(3Q+[@I*')&/"/@7NCJV[AP#SJ MK0IK)3@9NH3-S/"52R-YPI*+*6Y7XTJ25R(H;2KB+:YDL/SKM;44%3T>W\CD MG>8(/QWQ!6`F-W1S1:+'H[S-(.Z/\HA!/!#ES1KAU9'?`N-.8&S&W`HP MBM8/C*(-`*-H56`4;1`811L"1M&&@5&T+<`HVE9@%*VF*8-&J$4U+%N;41+P M3R9AN`/IHXEX:]=X-,*CR*0.!/&8<@M/J-E^592QWRB!4(KRSBWW4"_O:,O+ MU)-,H0P)!7=OM\SGA[LTI-QCEO?^;*()P%>)]<`GQAI1V94PD+TPYL;$QIHXA MVU,HZRB+R.A>2CUNK-^/*N-%@N"?(<(K$I&C&^VJH@QN8*Z!Z\-*>W$.;L*< MD%)X1N2[/I^ZS!1)\5UF8:DQ'1(24Q%8RB8WA]";V+[[%AUULP@N>4858;ROA"!1 M=DU&;,^?5;'LRB%-5=J%U491F`?3[?EVZD8"WK;%GMO.UF^4OJG,L,;[(S>= M-*[Q@<@&%A;!`K2?EX%;VGD[1!-;$5:VK@@N%:'>CB0I3C>"HH$:_EN$XMC_ M5?0)^**^#*HH(=O\[4^7,":%,@\J>8G)B=T<>NMIY M-W)Q_!;\"=1HP9D#87#FA4P2Q'XA(X@%(2.(12$CB`-"9AC$'4)&$`>%C"!20D80 M:2&3`'%(R`AB2<@(8EG(".*PD!D%<:>0$<01(2.(C)`11%;(Q$&L"!E!K`H9 M0>2$C"".:GS/EIF/B0X?`G670=T&ZK@13^CHZ-RM\;U;TO>(CB%]PJ"$]+T& M)41/:GQP2_0^T3%$3QF4$%TS*"%ZO\;W;8D^(#J&Z(,&)40?,B@A>EJ[7&%B MY<-3/,*M1[D4G#M3WE.BQ1N>R1<8F#HZ<\0^^%]$DOY-[!$_E: M=>%%>)V=IF,RS))FAC620 M/DQD%B`J;2'C]!WB9.,DPOKQMI((^10WB*^0,;9(9J1&TDXWR`Q[BLS3?R)> M-HOV`Q*A[Q,[>PGS#6T6,-\,;AO#I;6^A?<]@,KA/8?WEYCMSXK73RF%]\=0 M,H/WX^(K3^-2ZL9[`2II>%\@Q+J(]WNX_F*L`M_;T-J>P?NV^#\W0[L&^K>X MW=YI6"%(NLG#X#U7^1SNLY3@4O/N?ASXZ!]BARL6TK4\,W"8Z M>M5!:\*ZVZ+*=2;96F)ES3/F/7(;[DL&JS+^EA=W\:KU"G%OEDD%>+7QMXB^ M]6?P)#*2#]*GYE$CGDKEI=Q(/BQZ?V5=)]2D/[6*`RU$<&5)ZU5I:](:LX3D M!I-?@ZC8S&:P@_,(/?9"[Z7EIPN-R+ M#J]Z!IDE\W&P.#]M^Q%M?QF?>P!9IG'!6S*+A35H`U'["PB5Y[U4SO4"O/TW M5Y9L.3OSK:-0]2.FYCD&H5I(&@-JYBWQKDX:`_*">4':L#:4HSE'$W?,<0.J MKGC]BGC#O$%=YDEC$*IAWA#OF'?$:\M>2[QD7A+G_=2TGXIK552K86]#WI;K MME2W8]V1KOF,-9VQX3-BH$;=.D(MH[N]WX6YQHC7D!Y`ZC]U?O)P?R-A">1* MWR\CJJ)3"F5N9'-T7!E("]#871A;&]G"B`@("]086=E')E9@HP(#$T"C`P,#`P,#`P,#`@-C4U,S4@9B`*,#`P,#`P-C$B)$*3L<'1\!8E4U1B MDM+B\1X9[1IW'H_-:X;AEESJZ6>2OI6SLY8FP\C4:O=NZ;???R?&!R'LR7R M5?4`/9DODJ^H`>S)?)5]0`]F2^2KZ@![,E\E7U`#V9+Y*OJ`'LR7R5?4`/9D MODJ^H`>S)?)5]0`]F2^2KZ@![,E\E7U`#V9+Y*OJ`'LR7R5?4`/9DODJ^H`> MS)?)5]0`]F2^2KZ@![,E\E7U`#V9+Y*OJ`'LR7R5?4`/9DODJ^H`>S)?)5]0 M`]F2^2KZ@![,E\E7U`#V9+Y*OJ`'LR7R5?4`?F:7ID((GS2?P5\L;5<[;J.Y M$W`C3A]XB>E)XFL)J=0-+:K3J>T4EREM4CJVDAIY/"(XXY'(C55=TY9F=OY_ M>`DWV9+Y*OJ`'LR7R5?4`/9DODJ^H`>S)?)5]0`]F2^2KZ@![,E\E7U`#V9+ MY*OJ`'LR7R5?4`/9DODJ^H`>S)?)5]0`]F2^2KZ@![,E\E7U`#V9+Y*OJ`'L MR7R5?4`/9DODJ^H`>S)?)5]0`]F2^2KZ@![,E\E7U`#V9+Y*OJ`'LR7R5?4` M/9DODJ^H`>S)?)5]0`]F2^2KZ@![,E\E7U`#V9+Y*OJ`(PS'B-Z4?!=:,2T% MO]5ITS+,VIWU-JCBI(7P.8WK-^>3?9B^LO\`]GO@2?[,E\E7U`#V9+Y*OJ`' MLR7R5?4`/9DODJ^H`>S)?)5]0`]F2^2KZ@![,E\E7U`#V9+Y*OJ`'LR7R5?4 M`/9DODJ^H`>S)?)5]0`]F2^2KZ@![,E\E7U`#V9+Y*OJ`'LR7R5?4`/9DODJ M^H`>S)?)5]0`]F2^2KZ@![,E\E7U`#V9+Y*OJ`'LR7R5?4`/9DODJ^H`>S)? M)5]0`]F2^2KZ@![,E\E7U`'.ZBY[TN6EN"7W47+)-,8[-CM#+<*YT$4$DB0Q MINY6M3VR[>0#U-)]4.EHUHT\LNI^#S:9RV._POGHWU,,$4BL;(Z->9B]J>,Q MP'6^S)?)5]0`]F2^2KZ@![,E\E7U`#V9+Y*OJ`'LR7R5?4`/9DODJ^H`>S)? M)5]0`]F2^2KZ@![,E\E7U`#V9+Y*OJ`'LR7R5?4`/9DODJ^H`>S)?)5]0`]F M2^2KZ@![,E\E7U`#V9+Y*OJ`'LR7R5?4`/9DODJ^H`>S)?)5]0`]F2^2KZ@! M[,E\E7U`#V9+Y*OJ`'LR7R5?4`/9DODJ^H`>S)?)5]0!Y^$OB7XL[[QB9/PR M\2=3C+ZC'<:?!RQ*DK?;)U55VI[Z_$!?D```````````?)RW M*;'@V+7C-,GKFT=HL-#/(32;'M7,.26.WWZG61:>9466EG8Y630/V[.9DC7-W[E1$5.Q4`D`"H'$KQV MII3Q$Z9\.FG5MM5YO.19+:;=E=36,DDCM5'6U#(V1,ZM[=JI['ND3F54:UK5 M5CN?Q0M^!G1TP-C?>/X!^2H;%UF734/:W?99O!]G?-U?=\8&BX`````````` M``````````````````'BJH5J*:6G1W*LK',W][=-@*_\#_"W)(^5SG*JIU"KOO_2^("PH```````````````` M````````````%==5.%6YZB\66F/$G3YE2T5)I_0RTDMI?1N?)5J_K_&;*CD1 MG\^G>U?:_&!8H````````````````````````````#@]=]-:C6+1K,M+*2[1 MVR;*;/46ME9)$LK8%E8K4>K$5%]N@'S>&?1^KT"T+Q+2"NOD5XGQJEDIW MUT4"PLF5TTDFZ,555OM]N]>X"3@````````````````````````````,]]+Z M5?PS.KTW.G_P-32[;?\`5+.S;_\`4#0@```````````5HZ26XUELX(]4JF@> MYLCZ&CIW*WOZN6OIXY$_,K'N0"5>'BWT=LT`TTMM`UB4M-B%GBBY4V16)11( MB_.!6GHGG=1H=J#8X';T%EU/O=#0(B;-;`D-(Y$:GD3=[E^<";>*[B$_@!T^ M@EQZVMO6>995ML>'61%3FKKE+LC7.3=-H8^9'ONS8XV-CBUUI+'JKJ?9,9KZ^G\+IJ>OF5CY8>96\Z(B+VQS5^-%`T@```````````$?Z_ MZ5T^M^BV9Z3SU+*9V36B>B@G>BJV"H5.:&1R)VJC96L"L?&Q^[T8V*-7-:Y%< MQRINBH!TMTT5TWXV=*L'RKB7T3N%JNE/#/5QX_5W2MII[5+*Y&R,>Z)8'/56 MQ1KX[$V\B>^%5N*3HW-%<:R31VGT2T+O=1;[MG=!19BM#77.M;'972,2=TKG M2OZB/E5V\B*U4_K(!H%I7I9@NBN!6O3+36RK:<!4:U,M0L76S/FD]LA>K5:JMW>J>UG4=MQ*5ZYCED_H99(X6\\K%54229K?*K4?9C5@,/R M;7])7NI^N?OSS#M3N3;&6=K,YF]F$?$\/'+NS.Z)X\FF9Z)TF9_1IJ]".Z+0 M+C7GH8*BJXG8Z:HDB:^2!8G.ZIZHBJSF1FR[+V;I[Q'4Y7G4TQ,XG25PO;=] MS.W=JHMY'-5,3,1.L1K&NZ=)G=KQT==P@:SY3F5!D&E>JE4]^>X36RP5CIMD MDJJ?K%1).Q$1RL?NQ51-N58U[>8V\@S"[B*:\+BI_G;<[_3'NX=BO=UO8_`Y M/>PV?9#3\1Q5,33IPIJTUT]'*CX41._7E1S+&%B=.``````````````````` M``````````````````````````````````````$8ZJ\,V@^M]WH[]JQIE:$Z4]+-JE@NG>.TMBL%NP&)U M+04W-U<2R,M,C]N957M>]SN_O4#2(``````````````````9_P#2R_B"\X$7 M[,#0```````````````````````````````````````````````````````` M``!XJFIIZ.FEK*N>.&"!CI)9)'(UK&-3=7*J]B(B(JJI\F8IC6>#G;MUWJXM MVXUJF=(B.,S/"(4\T3IJCBBXCKSQ!7F![L/PJ3T+Q6&5JHV29NZMEV7RM1RR MKY4=+%V^(5#+HG.LQJS"O^CM[J>OI^OKF.AZ+VSN4=S/8RQLCAI^-XJ.7?F. M,4SQIUZ)TY$5TT78E1`Y$ M8U[O)XS/6]U[$>R%>\J6>6J\MQ5&:V8W<*XZ8^^[KT>ANY=CL/MID.*V`S*K M2J8FO#U3\FJ-\Q'5/PM(WS3-<<%K;!?;5E%CH,DL58RKMUSIHZNEG9W21/:C MFK^A>XM-J[1>HBY1.L3&L.A,?@<1EF*N8+%4\FY;JFFJ)YIB=)A]`R-0```` M`````````````````````````````````````````````````````S_TO]V2 MU>\W]-]A9P-```````````````````!G_P!++^(+S@1?LP-````````````` M``````````````````````````````````````````````%<^/'/*O$=":FP M6B:1MSS"MALL+8E7K'1.W?,B(G>CF,ZM?\[MY2N[3XJ;&!FW1Y5MW M'W#&L;J>R9Y4?V4L:-:$QS MQ,PKEP#9'=*7#\LT;R*HK^,2[D[NV76+N8X/:/!Q_-8VU35KTU1$;YZZ*J.R5IRT.B0```` M````````````````````````````1CH1JY7:OVS*Z^NLT%N=CN4UV/QMBE5Z M3,@;&J2+NB;*O6+V=W81F68^K'TW*JJ=.35-/9IO]J[[<;)VMDK^$M6KDU]_ ML6[TZQ$:37-4S'+;%6U%UIZILD+YG/1KH&HU-EY4A=LWV&QV1[/8;/L=K1-^N::;MF$4ZW^Y-[VM MF[)D:Y/*BI%2M[?^=4J68_'\ZLX7Y-OX4_3]4=KT)L=_LIW-,SSR=US%SWFC MTQY&L=7*N3_=6[+:\]@`"HD'^"#C^EA_F;1JG9N=ODC2K1N_ZRR4SOI'QE2C MXAG^GR;L>W^,>UZ$K_VM[DL5<;N7W-/3R-?HBFN/U%NRVO/8```````````` M`````````!!G&)J3EVF6D]/:!\3-\U`FCK877:AOE_96VZLI5W63D M1O,D3O(B=JIOV.16]NE1@L31R;^`Q,W-\:Q55K$QS]2SXG:C)<3W_*MK,DMX M.)IJ[W5:LS1U5;(;A-4\SD;`QV_,QJ-1J\R=GC.W1=D0D,QP^,Q=^FW;KFBUIK,Q.DZ]' MH5+8[.-F\@RN_C,9A:<5CYJBFW;N4S5;BG2-:ICA,S.L:<=T:::RBW'[U>-' MN(_!].\,;Q:GLM!7U;Z!Z)4PMY(T6. ME/();MF93=_'[,8[9*WMIB(P]N9BY&MN-*8FJY51NY5=M M1M%=?Z/0?-LZN698YEMMFN&.W.ZOZRMIYH4UZT5.7=R&WA M+F(R['Q@;]U>686G"XC#5TT7J+>ZW5 M35,13533PC?,?]T3KI$N3T5U*CTAT(UPU$?3,J9+1J!>%IX7JJ-DJ)$I8XFN MV[>7K'MWV[=MS5R[&1@,#BL1IKI*N3%S"6=9YX MII[Y55,>GDQ.GIT>S9--WG;`^E M:J(Y&[HURIMW+V+MV\K>#O8BS%^YC)BY,:Z15$4QZ-&'&[1Y9E&8U97@]G+= MS!6ZIHFJJU55>KB)TFN+DQNF>,<>N.:8.%W5>\ZNZ4P7O)^H6_6FNJ+-=GP< MJ1RU,"IZXU&]B;^"J9)GF8;.8VG,"XIIMQA:FXAA-H;;+11X[;W04S99)$8KVP/=X MTCG.7=SE7M7RE;RO#6L'F]^S9C2F*8W=G2[HV[SS'[1=SK*LQS.YWR]5>N:U M:1&NDUQ&ZF(C=$1'!;$M;H$`````````````````,_\`2_W9+5[S?TWV%G`T M```````````````````&?_2R_B"\X$7[,#0````````````````````````` M````````````````````````````````#\O>R)CI)'M8QB*YSG+LB(G>JJ)G M3?+[33-4Z1Q5(X,(WZD:H:L\0U4QSX[Q=5M%KDCPS%8C,)^5.D=7'Z.2]!=V*J-GY8'D$,JN3LVADZV&)O\`XBE6VHMU6[=K M&T<;=4=D^^([7?7<(QEK%XS';,XJ?YO&6:H]=,3&[T\FJJ?[L+/V*\T.1V.W MY#:Y>LH[I2Q5E._^M%(Q'M7YTMT?CL'=R_%7,'?C2NW M5--4>FF9B?;#WCFU0````````````````````$2<2VHU3IC@U+?JO`:?*\;G MN$-'D5/-'UJ4]`_?FF6-45KT141-G=F[F[D3G&+G!V(N3;Y=&NE7HCIT=@]S MC9ZC:7-*\);QG(QO)S>*B-W79%16\Q5L?.6:1VZ:LLIHJ[Y5?[W.FD3I--43RIG73?,SI&LQ,3H M[36"JQ6X<3-'8N*6[5-)A,>-05%EI7SS16NIN/B=91;S2=+?)CDQOY,SS\/7[%;V2M8_#[$UXK82W%6-F_5%VK2F;M-O M?R-.5S3')X=-4Q&NLQSF29GP^8]KUI'D.F%BM]BPNQUMQCN.206YU-0U51)` MUJ1]YA:8IMTS5K5II$S,<->?3ZTSEV3 M[78_93.<'GEVJ]C+M-J:+,UQ55R(F8IBOFC=,\GAP31@:HO'#J6J+ MV+BML7_9"3.%_P"-W_[%/U.M<\W=R_*__?N_ZR/_`(_DVL6L]FU$GFM%DO&<7*2AO#Z>1]*E6RHE22G>]J+RN5BQN;OV;([?R;Q MN69G:P.,Q-&(W4U5U:3S:ZSK'8O&V^Q&8;5;.9)BSG`HJBJPO3.VU<TL3-%NW,5W;5#AFUYPZP1+-B[*JHB;ISYG6*IGC&D<8TF9T^#KNUL9PPVUM)I3271-,+?@* MWNIEN/H-2*_Q&.1K&22(_M1[F,8NW9V M:RE?%17#95\&E7N?LGO&OBK=R[9JHLUIWXR/A6?42 M?W#Q3G'YT?R@=SC^H?;'VGJ=^,CX5GU$G]P\4YQ^='\H'IWXR/A6?42?W#Q3G'YT?R@=SC^H?;'VIY MT9Q/4'#,,2RZF9QZ:[RE5+*MPY5;O$[;E9LOO;+^DG1B:^75KQ=4 M[89KE&<9EX3DF%\'L\F(Y'IC76?6[LWE6``````S_P!+_=DM7O-_3?86<#0` M``````````````````9_]++^(+S@1?LP-``````````````````````````` M```````````````````````````````(DXKL[73S0#+[Y#-U=74T2VRD5%V= MUM2J0HYOQM:]S_\`0(G/,3X)@+E<<9C2/7N][L'N69'^$&UN"PM4:T4U_W.7=6SS\(-KL9B*9UHHJ[W3U6_@[O1,Q-7K2^2[KP``<3 MK9@K=2])LKP?JT?-=;9,RF1>Y*EJ<\"_-*UB_,:68X;PS"7+'3$Z=?-[5FV, MSN=G-H,)FFND6ZZ9J_LSNK[:9F$8\"FHFLDZ.]LC8U1\ M2;>\D4D;?]%2,V9Q/A&7TTSQHF:>SA[)7CNWY)&3[7WKMN/@8B*;L=<[JNVJ MF9]:PA8'4(````````````````````#\O8V1JL>U'-GQJU$53%18M6YUHIB)]$-[$YICL; M1%O$WJZZ8X155,Q'JF7L7:R66_4Z4E\M%%<8&NYTBJZ=DS$=[^SD5-SE7;HN MQI7$3'IWL.%QN)P-??,+V-'CJ\=Q^OH(;776*WU-%3JUT--+2L M?%&K>Y6L5-DV\FR'RJU;JIBFJF)B.;1SM9AB[%VJ_:NU4UU<:HJF)G7CK,3K M.KZ/<9&F``(*T$TMON/WC5QN?8O`EOR?-ZZZV^.JZF>.JI'O562^8?"V[=)L;&_F:U$1":IHIHCDTQI#K*_ MB+V*N3=OUS55/&9F9F?7.][!R87S)\7QFJN;+W4X[;)KC&J*RKDI(W3-5.[9 MZIS)^DQ39M55HS/&VK$X6B]7%N?DQ5,4]FNCZ9E:(````````` M```````````#/_2_W9+5[S?TWV%G`T```````````````````&?_`$LOX@O. M!%^S`T`````````````````````````````````````````````````````` M````J7Q\SS9.W3#1JCDJW_T-_(53:B9O=XPMY#ZX@``!4CA,_D'Q#ZVZ0/];B2X)>Z M"'NY(%D=W)_FZBG_`$%3R+XKF&*PGIY4=7\)AZ"[JOX]V/R+:*-\\CO5<]-4 M1'^JBOM6W+8\^@``````````````````````````````!\7&,SQ;-(:ZHQ2^ MTETBME;);:MU._F2&JC1%?$[WG(CF[I\:'*NBJC3E1IJPV;]K$1,VJM=)TGK MZ'VCBS`'Y>]L;5>]R-:U%555=D1/?!P?"M&H.!7^XNL]AS>P7*O9OS4M)\W]-]A9P-```````````````````!G_`-++^(+S@1?LP-`````` M````````````````````````````````````````````````````*D93_A%Z M0?&[*GKE'I]8%K:B/O1LSF.>UWQ+S5--^JA4[_QO:"BCFMTZ^O[S#T%E?^SW M=K'QM;\?C14GZ2IXGXIG]NYS7*=)Z^'U0]!9)_M#W),;@^->#N\NF.BF9B MJ9[*KBVY;'GT````````````````````!PFL^L&.:(X4_,LCIJNLZRICH:&A MHV9% M#N+#.\1N=EDUKX>;OA&.WZLCH:>\^C$-"45Q/>J]9CFT1GCJ_8JI\,L3115.FNL3VQS.RUEX@UTTRBRZ=8C@5RS;-;_ M``/JZ6T4<[:=L=,U51999G(Y&-56O1%Y53Q';JG9OBL8?OM,UU3I3'.V\?F? M@ERG#VJ)KN5;XB-V[IF7R,%XELBKM2K9I1J[HY<\`OE^@EFM#WW&*X4M8L35 M<]B2QM:B.1J*NR;]NR+LJIOSN86F+.-%3F>Y M5[7-1$[>SY1A>5;B[55I!B,X[UB:L);MS57$1I$<^OT1'2YFW<9=XBR&X::9 M7H1D5MU'B=&VVXW25D=8VX(]JNYTJD:V.-C6HKG/5%:C4545=E1,DX*.3%RF MN.3T^YKT9]7%RQ,X3$VIM MUZ:QOUB8ZX?`?Q@UMZRK)-.].-&[UE>6X[>ZZUR4,-='!!X/3/2-:N6H>WEB M:]ZJC6*BJJM7=4[-^?@<4TQ7PW>J8N4SK3/.VL!FL8N[5A[M$T7*=^D[]W3$\[@^#V^VC&,`U?R._U MT5%;;9J)?:JKJ)%\6*)D5.YSE_,B+W=IFQM,UUVZ8XS3#1R*Y19L8BY7.D1< MJF>R'F9Q;:DW>SRY[A_"]DUVP2-'2LO#[I#!53T[57>:.CY'/>W9%5-G*BIY M4/G@=NF>15,ZK85:\]Q"J?/; M+K$LD?6-Y9(W(JM?&]NZ[/:Y%:J;JFZ=BJFRFI=MU6:YHJXPFL)BK>-LTW[4 M[I1GQ5X+J3JC8,7TZPJ"I;8[S?8&Y95TU5%"^"UM5.=-GN17HO,KN5J.55C1 M%39=ESX2Y;M3-=?&(W=:.SG#8C&448>SY-54ZT-1)%4>$M>U(V*]7;R.>J[;KNY%7=%38SX7$WKEV*:I MUB>,(_-\JP6%P=5ZU3R*J>$QQU^M8K22\WW(M+,/O^3L5EWN5BH:NN16\J]? M)`QSU5O]%5557;R;[&C>IBFY5%/#64_@KE=W#6Z[GE33$SUZ.L,;:``````` M`````````&?^E_NR6KWF_IOL+.!H```````````````````,_P#I9?Q!><"+ M]F!H```````````````````````````````````````````````````````` M`!4CA`_EWKEK7K$_UR&INJ6BWR]_-`V1Z[;_`.;BIBIY!\9QV*QG3.D=7\(A MZ"[K?XCV7R+9R-TTV^^5Q^E,1'^:JXMN6QY]````!4WC_I:C'[7ISK!01*ZI MPW)XG;M[T8_EE3?XN:F:G^E\95-J:9M4V<93QHJ]_P!3O[N#7:,??S/9V[/P M<58GMC6GZ+DSZEK*2JIZZEAK:25)(*B-LL3T[G,F.+S'UC````````````````````AWB?P[3_4'#+1B&;9 MXF(UU5>J>;';BCDYV71J.;$C6JJ9J]NZ*FQLX6NNW5-5$:[M_4B< MWL6,59IM7J^1,S')G]+F19G6:<3_``^X^F3:OPX5J=@M!40,KJJ*G\%N4+7R M)&R18U:D6_,]J;(CEW7M5J;J;%NC#XBKDVM::O8C<3B,RRRWWS%% M71U?2Z7,M6\TRG7"/3?0G#<2?D%)8(;G<O8SP?!44\J*8F:JN:)YMV_G<%F%BU2L_ M%1H7-JGJ1;,DK:JHNZT]%;K6VC@M[&T[=U1>9SY.L5>]VVW5;)Y3-15;JP]S MO=.G!HW[>)MYGA9Q-R*IGE;HC2(W>W7ZGH MW3Y]D_08;G^YT=^HTCQ[_A_6_6<(GJ[M-UV[5P^X]OSSBW_`+I7UP^XC_C5G^Q/UOF< M'DUF_A5XA*>-8DNWI[JWS)V3O;1K#/U/6;>3GY]M_*J'RU_NE> MO#6-'+%Z3G6'Y''DU:]6DZ>U"CV7)_!SQ#);$>KTU)K5EY._J4J:!9/FY=]_ MBW-O=X5:U\W[4/,53E.+Y/Y2>S6E.6"XOQ53X-C]3C&L>GS;*ZU4KJ!&X](K M6TW5-ZM-^?;L9L:=RK#\N8JIG77I36&LYG-FB;=VCDZ1I\'FTW<[[W!MB5'A M^EURH[=GUFRZCKUZ]G9XVWD.&-KFNY$S&F[ MG9LAL18PU44UQ7$U3.L<.;DT8Q>DN$-FFOE_OE=':;#9X''L3?JTUTB-\RV\QQ\8"W%41RJJITICIE'5@X;+OTX/PF_P"GK/P@?_9WSW_4_P#L M'B[].#\)O^GK3[HKJI_#%A29CZ4[ICN]7+2^!7)NTWB;>/W)V+OV?F-._:[S M7R==4YE^-\/L]^Y,T[]-)=Z86Z`````!G_I?[LEJ]YOZ;["S@:`````````` M`````````#/_`*67\07G`B_9@:`````````````````````````````````` M```````````````````````Y/5G+$P73'*LP23DDM%GJZJ%=^^5L3NK3\ZOY M4^>83+M-8N7**9ZIJCE=D:RA_@&Q-<:X=+7 M<)8^6?(J^KNLF_>J*_J6*OYV0-5/SD/LO8[SEU-4\:IF?J^IV)W=LU\8[8W; M-,_!L446X[.7/9-XGZ<>'/-;>R+GFHJ#T4B5$W5JTS MVS.V_.QCT^=2'SZQX1EUVGHC7LWNQNY-FOBC;+`WIG2*Z^]S_B1-$>V8GU/= MX6,M].O#Y@]Z=+UDL=J903.5>U9*95@CN(: MWX<[#KO7$QQB>F$6-X/),@J**EU7URSG.;#;YV5$=EKZE(Z:9[%\7KU3= MTJ)^=%^/M4S^&\G?;HBF>E&^(INS$8J]573'-/#U]+IM3>&N@S7.*74[#L\O MV"97!1I;IJZT*Q655,B[M9+$[L=MLFW;MV-W1>5NW"UBIHH[W5$51Z6SB\II MQ%Z,3:KFW7IIK'/'IAS%YX,K7<[A9LPBU3')GF:US(::ZJ;L7:N^1\J=\]6G"(^^]*U MGTCQRR:K7S6&FKKF^]9!;H+950R21K2MBBY>5S&HQ'HY>1-U5ZIW]B&O5>JJ MMQ:YH2=O`V[>*JQ<3/*JB(GHW>KZQ-),;36%VMJ5MR]''6+TOK3]9'X)X/UO M6\W+R<_/S=F_/MMY/*._5=Z[US:ZG@-OPOPS6>5R>3Z--=>CCZRZZ28W>-6; M)K'4UMR;>K#;9K7301R1I2OBEYN97M5BO5WCKLJ/1.[L41>JIMS:YI*\%;KQ M5.+F9Y5,3'HW^KZU5]&]#J;4K4/6C*K-G&0X;D]JU#N])3W:S5'*Y].^9SG0 MRQKXLC.9.9$[%W\OD)"]?[U1;IF(F)IC=*M8#+HQ=_$W:*YHKBY5&L=&O"8Y MUA=&^'/&]);U=V)%77Z\S=94+$FWK3$_H,\5NZ;JOBM3?9$1- M.]B:KT13II3'-"=P&56\%75>FJ:ZZN-4\>I]C`]#<(P'',JQ2D\-NMLS*[5M MWND%S?'*USZIC62Q-1C&>M\K$V1=U[5\93A,<(W(L]1OFH=GPFI5Z/Q^"M:YC(GJJOACE5-VQKNJ; M*U=]UWYMU5=CPW6>551$U=*-\0(Z^38_/E&29-:9,;DGEHGV6KB@=SR]7NYROB>NZ=4G*K=MMW=^_9EL M8FK#Z\F(G7I:>8Y5:S*:)N551R==-)B..GHGH1YZ@W!ORSZO?_[%#_\`\YG\ M/K\RGL][0_!NS^6N?K1]BPF*X]3XEC%IQ:DKJVMAM%%#0QU-;*DE1,V)B,1\ MKT1$<]43=5V3=57L0TJZN75-4\Z=LVHL6Z;43,Z1$;^.[I?5.+*````````` M```````,_P#2_P!V2U>\W]-]A9P-````````````!\_(L@LV)V"Y93D5?%0V MJST>&LK, M@CI[O<**%RI)4Q4R(JHB,OBWT9L=-JAKYPA MTEIT\=+"VXU-FR6*LN%HBE*RT0 M.5)LDN=':VHWVRHCEG=M^=(-E_M;>4KFU-_O67S1'&J8CZ_J=S]P7*XQ^V%& M(JX6**Z_1PY$?Y]?4FS3/%6X/IUC.'-8C5LUII:)^WE?'$UKU_.KD5?G)K!V M/!L/19\V(CV.LMI,TG.\XQ68S_S;E=4=4U3,1ZHTATQLH4````'J76VTMYM= M99Z]G/35U/)33-_K,>U6N3]"J<:Z(N4S15PGG=]P]N_FF"SRQ'P,38IGKF-_^6JE:TM3H0``````````````````````` M````!\JR8KC.-SW&IQZP6^VRW>K?77!]+3LB=55+UW=+(K43G>J][E[5.55= M56G*G@Q6[-NU,S;IB-9UG3GGIE]4XLH````````````````````````9_P"E M_NR6KWF_IOL+.!H````````````*U])!=JVR\$NJ=902.9+);J6DKGK MJ>&1/S*R1R+\2@2=PZ6>WV?AZTTLE%#%X)38?:(6M:WQ7-\#BW7X]^U5]_=0 M*W=$](ZFT)SO&HG\U#CFIEZME`B*O*VG;%2O1K?BYI'K\X%I=2M'].-7X+'3 M:CXS'>HL;NT-]MC)*B:)L%=$BI'+M&]O/LCG>*[=J[]J*!2_I"M8>(*IQ#+= M)J_06IQS2FX5-/;[MJ3X1Z+)%;EDB=)4-H84:^+9RUW,E511TS&0R[_`.4QK5[O*!2OI<*NEH*70FNK MJF*FIJ;/&3333/1C(V-2-7.Q$1$555>Q$0"X6.<1?#YF-[I<:Q'7;3R^7 M>O@=M/QWW,,FS2-]5BJ;4^B-*J?_CI[86V+8\_```````` M``````````````````````````````````````````````XW-]:-'=,Z^GM> MH^K&&XI6U`0I3W&U5L572S*R*T,?R2Q.G&;0:U89:(\=I\3CL-1*^[5%-&D--+%,QJL=%(C8U<[??MG*K@DGA6P7+N#S@KK;[F.*5]ZS!S:_,KU9*%.:IFK)]E2F;RH[>5(F1-=LB M^.CD3=$0#UM>=3^(;+-`=-N)+1#%,IM57:+S37O)\&1G\>N%G214GIGL5G,Y MWK;?%:U'SU./P6)V/2Q.H7U43 MH7R5+U\1J1M>YV[5>*1K&O; MNU45-T54W147W@+":<]']PBZ2YM:M1=/M)?0K(;)*Z:AK/1ZYS]2]S',5>KE MJ7,=XKG)XS5[P+#````````````````````````````````````````````` M`````````!4E/Y>](JO_`"D.GV,?G:U[XO\`UWK_`-+?B*G_`+UM#_[=/U?O M/0/_``+N.]$XR_Z](J^C2S[?2ML6QY^```````5)UA_D+QU:59FGK=-E%NDL ML_D227UV)-_GGI_U4*GF'Q;/,/>YJXY/TQ]\"F_"WI3@.B?2LZG:;:8V'T&QRU8"QU)1>%35'5K*VU2R>N3/?(N[Y' MKVN7;?9-D1$`TL``````````````````&?\`TLOX@O.!%^S`T``````````` M`````````````````````````````````````````````!4G@X_EEK/K?JN_ MQXJR]I;:&3OWA;+*[;?^PVG*GL_\8QF*Q?35I'5K/U:/0/=>_%&S60Y!&Z:; M7+KC]*::8_S36ML6QY^```````5.Z0:FGLN-Z?:IT<:NJ<1RB)[5;WM:]O6[ M[_VZ:-/SJA5-JHFW;LXJGC15[_J=_=P.Y3C,;F.17)^#B;$QV3R?HN2M92U, M%;30UE-(DD,\;98WIW.:Y-T7]"EJIJBJ(F'0EVW59KFW7&DQ,Q/7#RGUP``` M``````````````````````````````````````````````````!G_I?[LEJ] MYOZ;["S@:```````````````````#/\`Z67\07G`B_9@:``````````````` M````````````````````````````````````````!SVHF2MPW`,DRUST;Z#6 MFKKT5??BA<]$^=41#7Q=[P?#UW?-B9[(2^S^73G&;87+X_YMRBC]:J(^M!?1 M]8TZR1M M3<*NBC5::U>"R))*YSD1>L5K6N:[;9K4?2 M-_W^AN[)[=9ELWM#9G9JS%_&5:VZ:9UY,U5Q-,1.DQKI,Q/&(UC?,/EZ*.[=SQ,\W.A=IME-HL%G&(M9[B.]XKEFI$7T0L5V;,Y\L/8J]7')+(KE[% M[6/;)W(B.W5#;IO87$?`KIY/IA7KF"S?+?YZS>F[$<:9U]D3,^R=>M,>@7%7 MI[KLQ;-3]98,MIFN\,L%>[:9KF^W6)RHG6M39=^Q')MXS4-7$82O#[^,=*7R MW.;&8_`CX-<<:9^KI^GT)J-5+@`````````````````````````````````` M````````````````#/\`TO\`=DM7O-_3?86<#0```````````````````9_] M++^(+S@1?LP-```````````````````````````````````````````````` M````````@7CCR;TM<-F3MCDY)[NZFMD7;W]9,U7I_JVR$%M)>[SEMSIG2.V? MLU=K]Q3+?&.VF%F8UIM\JN?[M,Z?]TTN^T&QGTG:+X3CCH^26DL=)U[=NZ9\ M:/E_\[G&_EEGP?!6K?13';IO]JI[U7ZW2#AAQ;2K1JZ:F::HGLW;G&='C?YJ_0NJQFLW94XS?:NA=$[O8Q_+-_\` MGDD3\Z*5;92[-6!FU/&FJ8^OZY=Z_P#B`P--C:FC'6]]-^U15KTS&M'T4T]J MT!9G1RL_%?P[5^2Q4^M>CD"6O4C%I$KXY**-&R7.-G:K'(GMY41/%WWYDWC7 M=')MOX3$Q3_-7=],^Q7[V:B]O5OV56K^=JKNU3#BL/.'KTYN9O93F=&9V.7&ZJ-U4= M$_9/,EHUDH`````````````````````````````````````````````````` M9_Z7^[):O>;^F^PLX&@```````````````````S_`.EE_$%YP(OV8&@````` M``````````````````````````````````````````````````5*X^'NR:;2 MG2.)RJN592QSV-7MY6*R%%7XOXTOZ/B*IM1/?IP^$CY=7N^MZ`[A41EM.;[0 M5?\`I[$Z>O6O_P"/VK9L8V-C8V-1K6HB(B)LB)[Q:^#H"9FJ=9?H/@````." MURU9M&B>F5XU`NO)(^CBZNAIG.V\*JW]D42>797=KMNYK7+Y#-8LS?N11#1S M'&T9?AJK]7-P],\T??F0[P5:-5]IL-7KSJ/&^LSK/7/KUJ*E-Y*:BD7F8U$7 MVJR=CUV[F]6W9.54-G'7XF>\T>32BMG\!511.-Q&^YN>F+O$CFN#;U21=W)$LKW=B?V*J%/F0J>1_%\RQ6&]/*CM]\/0/= M1_'&Q>09Y&^8HFU5/3,4Q'TVZNV5MBV//P!2SB#QRMX5M9[/Q-X!33,QK(*U M*#,;93IZVY9%W=(C>Y.?9SD[D25B=OKFQ*8>J,7:G#U\8X*AF=JU=XJVL1VSH]^Y>9S>J3_`"63N1>TE+?Q/#\N?*JX*AB/QYF48>/Z*UOG MTS]]W5JNFQC(V-CC:C6M1$:U$V1$3R(1:W\'Z`J3>OY"](G9JW^;@SW&5AE? MW(Y[(GM1J_'O1Q?K(5.Y\6VAIJYKE/U?NP]`X/\`'G<>OVN-6#OZQ'HFJ)U[ M+M79*VQ;'GX`YS43!;'J9A%YP/(X>LM]ZI7TTBHF[HW+VLD;_E,,-?%8:C%V:K%SA5'W[%<>";.KYBU;DG"SJ'-RY!@M1(ZV.>J_P`9 MH%=NJ,W[5:U7M>W_`*.9NR;--['6XKB,11PJ^E`;/XFNS57EN(\JCAZ8^^^/ M1/H6Q(Y9P````````````````````````````````````````````````&?^ ME_NR6KWF_IOL+.!H```````````````````,_P#I9?Q!><"+]F!H```````` M```````````````````````````````````````````````%2=`OY;\:6M&? M+ZY%8HH[!&O>C'(]D79]"?\`I7WRIY7\9SG$W_-^#]7^EZ!V[_$O$W MIF]/IC2:O_ECLA;8MCS\````"(>*K5]NBVBU[R>EJ$BN]8ST,LZ;^-X7,BHU MZ?V&H^3_`$-O*;.$L]_NQ3/#G165.Z.N?LXOF\'FCW\#^BMJI+ MC2]7?[^B7B[N>GKB2RHBLB"J[06JL)=MYG9XTSI5Z8^^[UPM9CM_M>56"VY-9*E*BWW6EBK:65/Z<4C4 M\W]-]A9P-``````````````` M````!G_TLOX@O.!%^S`T```````````````````````````````````````` M``````````````'KW"NIK905-RK'\D%)"^>5W]5C6JY5_0BG&NJ**9JGA#+A M[%>)NTV;<:U53$1US.D*L='E0U-PP',M1;@S:KRK)YY7N7^DUC&NWW_MS2I\ MQ5]E*9JL7<15QKJG[]LR[W[O]^BQFV"R>S/P,/8ICJF9F/\`+32M>6IT&``` M`"F>HG^^9XR++IG%_&,.TK8MQO")VQ3UB*U71KY%\?J8E:O:B-GV\I*6_BN% MFY\JK@J6*_&^;4X>/Z.UOGK^^D=JYA%K:``*W](#C7H]PY7&XMCYGV"Y45R; MMWIN_J%7]$ZK\Q7-J;/?O^7)"USD7XTV'6FTN6^)\ MYQ>7Z:1:N5TQU4U3$>QTQLH0`Y_/\+M&HN$WO!KZSFH;W12TLS?R9!IS<98( MF.7M?1ND<"+]F!H`````````````` M````````````````````````````````````````(OXGLE]*7#]GEY23D>MF MFHXW;]K7U&T#53X^:5",SF]WC+[M?Z,QV[OK7CN:9=XUVNR_#::QWRFJ>JCX M<^RE\C@ZQKTK\-V$TCH^62MHGW)Z[=KO")7S-7]1[$_,B&'9^SWG+K4=,:]L MZI'NNYCXSVTQUR)W4U11']RF*9]L2F^EC?W2U3MF0,7XEDN11TM/,,7&!PU=^>:-W7S>U$?`CII58 MGI$[4#(.>7(]0JEU[K:B7^<=`JNZA%7R\R.?+O\`],;./NQ7=Y%/"G7KF^WUK)FBL(``X;7/&O3AHWFN-MCYY:VQUC8&[?\LV)SH_\` MSM::.96?",'=M]-,]NF[VK1L3F7BC:3`XV9TBB[1K_9FJ(J]DRCK@7R7TQ\- MF-QR2<\UGEJK9*N_=R3.E@RCD39J^*C>=WO MJL2->B>_2_&2>&^,6*K$\8WQ]_OQ5+-H\69C:S"GR:O@U??J^A<=CVR-1['( MYKDW147=%3WR,6WB_0`````````````````````````````````````````` M`````9_Z7^[):O>;^F^PLX&@```````````````````S_P"EE_$%YP(OV8&@ M``````````````````````````````````````````````````````J[TA]] MFHM#:/&:/=]3DM^I*)L3>][&(^7_`//'&GSH5C:N[-.!BU3QJJB/K^G1WG_X M?\#3>VHKQUS=38M5U:]$SI3]$U=BQN*V*'%\7L^-4VW4VF@IZ&/;NY8HVL3_ M`&-+%8M19M4VHYHB.R'3>:8ZK,\=>QM?&Y757/75,S];ZIE:````4^XSZZKU M8U/TWX6[%4/1+S7-O%\=$O;%2MYD:J_V8VU,G*OE2-?>)/!1%FW7B)YMT*IG M]4XW$VQ;J@H:2V4-/;;?3L@I:2)D$$3$V;'&U$:UJ)[R(B( M1LS,SK*TTTQ1$4T\(><^.0``_CFM>U6/:CFN3945.Q4#[$S$ZPJ7P$N=B]5J MQI'*Y6KBN4O^5/9?^9G$82?D5>[ZGH#NZQ&9V\H MVAI_]18C7U:5_P#R3V+:EL>?@`!%O$WI2X?!3I+ M-$][GV6-5]YZFQA;O>;L5KTZ<)WM?(,9X9@:9GRJ?@SZ MN'LT3J:B:``````````````````````````````````````````````!G_I? M[LEJ]YOZ;["S@:````````````#U+O=K98+36WV]5T-%;[=3R5=74S.Y8X88 MVJY[W+Y&M:BJJ^\@%+UZ1/46^6"XZLZ<\'68Y+I#:Y9NLRWT7AIJB>FA96*UR(%L=+=3,0UCT^L>IV!W%:VQ9!2I54DKF\KT3 M=6OC>W^B]CVN8YODO+'! M$U51%>Y??5$1$5RJB(JH%:+EQ]ZX898*?4W5'@:S+'=-INKEFOD-_IZNLI*9 MZIRS34*1,?$G:F_6.8B;HF_:@%O\0RW'L]Q6TYKB5SBN-EOE'%7T%5'ORS02 M-1S';+VIV+VHJ(J+NBHBH!1?I9?Q!><"+]F!H``````````````````````` M```````````````````````````````*D\5G\M>)/0S2]GCQQ7!U[JXN_GB2 M5CNU/[%+,GSJ5///C&987"^GE3U:^Z7H'N7?B;8O/\\G=,T1:IGHF:9CZ;E' M8ML6QY^```#PU=734%+-75L[(:>GC=++*]=FL8U-W.5?(B(BJ(C7=#Y55%,3 M5/"%0^#JDJ=8-7]2.*.\P/ZBOK'62P)*G;'3M1JKLB]RMB;3LW3O5TGQDGC9 M[S:HP\=U<(C%K````!4G3S^0G']GV.+ZW29C9 M&7*G;W<\R-AD=R7+\9&^O"W9HGT4 MZUTQ[)MK;%L>?@```IQI9_O?N-7+-+)?XOCFIE/Z-6=J]C&U/CR(UOD:B+X5 M&B>7EC^)"3N_&,+3\W]-]A9P-``` M`````````!6[I&;[78[P4:J7"WR.9++;*>AJJ:R""1/S*R5R+\2@2+P MXXW:K'PXZ;8S34D"T4.'VJ!T?*BLD1U''SJJ=SN95]6>@3F56LIVQTTJ(BKY.:5Z_/\8%B->>'S!.(NPV'&M0IKJE MNQ^_4V0PPT-0R))ZB!LC6,FYF.YHU25V[4V5>SM0"$.,SBIPF/%LFX8]+*27 M435?-+95X]!CMFC\)\`\(B=%)-6/3Q(DC8]SE8Y=^Q.9&L57H$U\+^E-RT/X M?L%TJO59'57+'K3'!6R1N5T?A#E625K%7O8U[W-:O9NC479.X"IO2US0T\.@ MU142LBBBSV-[WO4"[UKU-TVO=?#:K+J#C5?6U"JV&FI; MM3RRR*B;[-8UZJO8BKV)Y`.E```````````````````````````````````` M````````````````*DV#^7G2(7VX_P`Y3X%C:4\,G>C9'QL:K4]Y=ZN?]52I MVOC6T-=7-;I^J/VI>@V2.]%\QF98:2./M>K)$59U1$[518DOC[-WK21H+IM#I)I#C&!-C8VHMU"QU:K?Z=7)ZY.N_E3K M'.1/B1$\A@Q%WOUV:TAEN$C`X6BQSQ&_KXS[7?F%O`````J3Q%_R'XP=$M1D M];CNZOQ^9Z=VRR+%XWS5WE_J_$5/-OBV;X7$>=\'ZO\`4]`]SW\=]SO/NS[?2ML6QY^```"JG'WB5RI<1QC77%F\E\TZN\%5UK4_\`EI)& M=KMNU4;,V'L[MGO^,DY%5-T5-_B`H?HQ>K/D'3!ZM7:PW:CN5#- M@%.D=31SLFB?RPVAJ[/8JHNRHJ+LO>B@:&```````````"+N*'2BIUQX?,\T MKH'1MK[_`&>6*@61R-9X8Q4EITMCCW7R)NH%6='^D3TBTMX=+1A.J2W M:TZL8'9XL;JL,FM52E?6U]+&D,+8]F*S:;D8NZN3E5R[^3<.UX0,:O?"'P3W M#.]5,>NC[Y4ON&=7ZTT<+5K&OFY>6%K'*U.MZF*+=CE3EJ;1[W6T6I.L6JD:R-R\LVS&M39W<]=G-=LJ!RFAG M&=P(\.F,MQO2[2C4>@=(QJ5UREQ;K:^XR)WR5$ZR`V74?&::X4]KOM.M331W"GZBH:WFZ\J[M7LW`HWTP%HHL@L MVB5AN37.I+EFW@=0C7Y98 M?U4*GLW\8OXG%^=5I'MGZX>@>[5^*?@ M```ISG7^'SCGQS"&?QC'=**3T5KT[V+6;LDV]Y?7%I6*U?\`FY/C).W\7PDU M\]6[[^U4\3^,LZHL_)M1K/7Q^G2/5*XQ&+8`````!5;I#[54LTIQ[.;:FU;B MV1TU2R3^HQ[7IO\`ZQL)5MJZ)C"T7Z>-%43]_7H[X_\`#_BJ)S[$Y7>\C$6: MJ=.F8F)_RS4LY9+M37ZS4%\HEWI[C2Q5<2[][)&(YO\`L5"S6[D7:(KIX3&O M:Z0QN%KP.)N86[Y5%4TSUTSI/T/=.;6``'Q,WQ.V9WA]ZPN\-WHKW0S4,R[; MJULC%;S)\:;[I\:(%4*_LS?JBS7@[GE6Y MF/5_'5:LCUF````````````````````````````````````````````$"<0W M!)H/Q09);,KU8M5WJKA::'T/IG4=R?3-2'K'2;*UO>O,]>T"HG"1H[A.@G2F M:E:6:=TU53V"SX"UU+'55"SR(LR6J9^[U[5\>1WYD[`--@````````````]. M6SVB>X1W::UT1ZINB?F4#W````!G_P!++^(+S@1?LP-` M````````````````````````````````````````````````````#D=7LF]) MFE>794DG)):[+65,2[[>NMA=U:?G5_*GSFIC[W@^%N7>BF9]BP[)9;XXS[!X M"8UBY=HIGJFJ->R-42\!.,>EWANLM8^/DEOM967.1-NU=Y5B:OSLA8OYE0B= MF+/>LNIGSIF?;I]$+_W=,R\8;9W[<3K%FFBB/U>5/955*Q!873X``^%G676S M`<,O>:WAVU'9*":NE3?97I&Q7(Q/C,N>5*MLU%I7N@3?YHD7YSCD5[O^76JNB-.S=]3GW5L MM\5;98^S$;JJ^7'^)$5_35*7B7=>@``!3K._\`G'1C><,_B^/:KT?H57KW,2 MLW9'O[R>N)2/5W_22?&2=OXQA)HYZ=_W]JIXG\6YU1>^3=C2>OA].G;*XI&+ M8`````````````````````````````````````````````&?^E_NR6KWF_IO ML+.!H```````````````````,_\`I9?Q!><"+]F!H``````````````````` M``````````````````````````````````5WX]\G]+O#=>J-DG)+?:VCMD:[ M]O;*DSD^=D+T_,JE>VHO=ZRZJ/.F(]NOT0[A[A66^,-L[%R8UBS377/ZO)CL MJKA+6D.,>DS2O$<5='R26NRT=-*FVWKK86]8J_&KN9?G);`6?!\+;M=%,1[' M7VUF9>.,^QF/B=8N7:ZHZIJG3V:.N-M7P`!5/C^RJY56&XOH?C#^:]:BWF"D M2)%[Z>.1G8NW:B+,^'M]YKR1R^B(KF[5PIA6=IKU55JC!V_*N3$>K^.BR6%X MK;<&Q&S8;9V51,51UQ.L*O='ES;_. M1S%9V4KFG#7,/5QHJG[]L2[S[O\`AJ+N=83-[/D8BQ3/7,3/^FJE:PM+H4`` M`*[\=FG$N=:#7"]VR-WHMALS+]221]CTCCW2=$5.U$2-SG_GC:;N`N][O1$\ M)W(':/"SB<%-=/E4?"CUYM7'O'.W M;R)UC'[?%L8,1:[SN1WW(TJJN/^K$U\42.5/>Y99_U5*GM) M_/W\-A/.JUGV1]@=O/QWW-LCS?C-F9LSV33O^:CMCI6 MV+8\_```!X*ZAI+G15%MKZ=D]+5Q/@FB>F[9(W(J.:OQ*BJA]B9B=8<:J8KI MFFKA*I'!)6U>F>?:F<,=ZG>LF.7-]UM'6+XTM(]6L<[XD5BTST1/^=-K+(WO:DCXU5%_.CJV/YV)[Q4Z_C>T,1S6 MZ?O_`)H>@L/_`+/]QZYU);50/=2H[N?5/\2!J_$LKF(OQ;F6Q;[]88J,%A:[\\T;NOF]J* M^`[3N?"]":/(KJQZW?-:F2^U4DG:]T3_`!8-U\J*QJ2?GE4V%G#X*+E7E5_"GZO9O]:QIHI\````````J1J]_@^XZM+\U;ZU29=;WV2H\ MB2S>N1)V_GFIOU4*GC_BN>6+W-7')GKWQ]E_('IV-Y-E;SO]]>ID;^F^PLX&@ M```````````````````S_P"EE_$%YP(OV8&@```````````````````````` M````````````````````````````!4C@R_EOJWK3K')ZY%R?'(````````JCTA-NJK=@^&: MG6QF]=A^2PS,=W+927>A?STU=!'4PN_K,>U'-7]"H6BBN+E M,5T\)WNB\5A[F$OUX>[&E5$S3/7$Z2]HY,````1!Q8Z9?PKZ#Y-CM/3];<:. MG]%;:B)N[PFGW>C6_&]J/C_\0V<)=[S>BKF16=83PW!5VXXQOCKC[>#U^$'4 MW^%30/&KS4U'6W*UP^@UQ55W=U].B-1SOC?'UKTQS<7'(\7X9@ M:*YXQNGKC[8TE,YJI<`````````````````````````````````````````` M`S_TO]V2U>\W]-]A9P-```````````````````!G_P!++^(+S@1?LP-````` M```````````````````````````````````````````````'(:OY7Z1M+,MR MYLG)):K-5U,*[[>O)$[JT^=_*GSFIC[_`(-A;E[HB9]>FY8=DLK\=Y]@\OF- M8N7**9_LS5'*[(UE$O`3BGI:X<;/6R1UG+MR\[/>7J6(Y4_ZRI)XK^8P]%CGG M?/W^_!4\H_&&8WL?/DQ\&G[]7TKBD8M@`````````B;BNQ3TY6/",ONT>C7LW_4O_'3"+F^7GEI;)=UX````"G7#G_`(#N M*W4;0&?UBS9+_*#'V+V,3L63JV)_FGO:J_\`523Q/\_AZ+W/&Z?O]^*IY5^+ MLSO8&?)J^%3]/T?0N*1BV``````````````````````````````````````` M````&?\`I?[LEJ]YOZ;["S@:```````````````````#/_I9?Q!><"+]F!H` M```````````````````````````````````````````````````K;T@.4NL' M#Q66B%ZI-DESH[8QK?;*B.6=VWS0;+_:V\I7-J;_`'K+YHCC5,1]?U.Z.X+E MD8_;"C$51\&Q177Z.'(C_/KZDVZ9XLW"-.\9P]K$:MFM-)1/V\KXXFMQUCM)F27FFJ.JN5TA]!K8SP/` MUUQQG='7/V1K+V.$W3'^"?0?&<=J:?J;E60>BMR14V=X34;/5KOC8WDC_P## M/F+N]^O35S.62X/P+!46YXSOGKG[."7S62H`````````]>X4--B]BM;(BQ[;?YRGE7YU*OLK5-NU=PM7&BKZ=WTQ+OCN^ M6*,7C\OSZS'P,58B>N8^%_EKICU+8%J=!`````J)QSVNNP+(=.N)C'Z=SJS# M[K'0W%&=\M(]RO:UR^1N_71K_GT)+`3%RFNQ//"K;1458:Y9S&WQHG2>K[ZQ MZUL+3=*"^6JBO=KJ&ST5PIXZJFE;W212-1S')\2HJ*1TQ-,Z2L]%=-RF*Z>$ M[WMGQR``````````````````````````````````````````9_Z7^[):O>;^ MF^PLX&@```````````````````S_`.EE_$%YP(OV8&@````````````````` M``````````````````````````````````"I'%S_`"YU^T1TB9X\4ES6\U\7 M?S0)(SMV_L05'Z2IY]\9Q^%PGIUGJU^R)>@NY1^)-DL]VAG=,4=[HGHJFF?] M5="VY;'GT``4XUY_P^\7.#:$P>OV#"F>C^0L3M8YZHV3JWIY45G41HOD\)<2 M>'^+X:J]SSNC[_?@J>9?C+-;6"CR:/A5?3]D>M<\>6H^(+ZW1YE:VWBF3NZR?:.5R[?G?5?H*G@OBF>WK/-7&L=>Z?M>@MI_ MQ_W*%N3;J]%/PJ8]D6UMRV//H````.-UBT]I-5M,,DT^J^1/1F@DA M@>_NCJ$\>&1?[,C6.^8RV;DV;D5QS-3'X6,;AJ[$_*CV\WM0YP$ZAU>4:-OP M2_<\=]P"M?9:J&7^<;!NJP\R>3E1'Q)_F39S"WR+O+CA5O1.S>*F]A.\5^5; MG2>KF^SU+*FBL(`````````````````````````````````````````#/_2_ MW9+5[S?TWV%G`T```````````````````&?_`$LOX@O.!%^S`T`````````` M``````````````````````````````````````````5&T_\`\)_'QFF6N]=H M-/;2EII7]_5U"HD3F_%XSZPJ6%^.Y]=N\UN-(Z^'[3T'GW^S7?`#Y65Y+:\-QB[9;>YNJM]FHIJZI?Y4CC8KG;>^NR;( MGE78Y44S75%,<[%>NTV+=5VOA3$SV*Q-73(:',^(K*XO]U]0;M-X,Y>WD MI(Y'*Y&+Y&K*KF;>]`TW\PJBF:;%/"F%=V;M57:;F/N^5K^$R]!]R[_:+8S.]F9WU13WVB.FJ(UW?WK=':MR6QY\``````IP M_P#WOG'HDAJ\VH;>UM*L<;MI)XHWJBO MB;LJJYSF;(GC(U=T0+88!GF*:H879]0<'N\=SL5^I65E#51HJ(^-WD5%[6N1 M45KFKLK7(J*B*B@=`!#5JXH<%R#B;J>&7'$9=+K;<:DR"Y7*FJV/@HY&SQQ> M!N:FZ];RR->O;XJ*U%3=>P)E`S_Z67\07G`B_9@:```````````````````` M```````````````````````````````?/R"]4>-V&Y9%<7Y?T-4QW;D6;=5RKA$3/8V\!@[F8XNU@[/EW*J:8ZZIB(]LJR]'S9:RJT_R MO5*\,_W1S?(9ZE\G_.1QJO;O_G9:@K6RMN:L/.:#XD[K,@U&ND-+U35[4I M62-]MMVM1TJQ)OW4D,OHB*IO5<*85G:7$53:HP5KRKDZ>K^.GM6+P+# MK7I[A5DPBS-VH['0PT42[;*_D:B*]?\`*%MWNF([>?VJ)M MAD_B#/\`&9;II%NY5$?V==:>VF8EV9N*V````"MG'IIU5Y9HQZ=K$CV7S`:M ME[I9HOYQL**B3\J^39$;*J_]"AO9?VDPLWL)WZCRK<\J.KG^W MU)?T8U%I-6-+<;U!I%9O=Z%DE0QG='4M\2=G^C(UZ?,:U^W-FY-$\R5P&*C& MX:B_'/'MY_:[0Q-P````````````````````````````````````````#/\` MTO\`=DM7O-_3?86<#0````````````5SZ1')*_%>"S52Z6V5T]SO?5R^^!`'1/U=3!P]97ADDSY*7#-0KU8Z%'.YD;`UL$VR+_;GD7YU7R@ M6PU%T]Q/5;"KKI[G5MDK[#>X4@KJ:.IEIW2L1S7;=9$YKV]K4]JY/>[E4"BN MA&A^F7#]TGMUP'27''62QKI0^N6E=63U2]?)70(]W/.][^U&-[-]NSN`T-`S M_P"EF5&IH&YRHB)G\2JJ_P#A@7YCKJ*5Z1Q5D#W+W-;(BJH'G``````````` M`````````````````````````````````````!`_&]F?I-XXMD_CC;+"\J-:;/*NS_`'8^ M#_WS2[?A^PS^#[13#,3?%U4U':89*EFVW+42IULR?ZR1YNY5A_!<%:M<\1&O M7.^?:K&WN<>/]IL;F$3K35#7JWU%OEW3 M?9DL;F*OZ'&*_9C$6JK57"J)CM2&4YA5:KIKCKIF)^I73H^,CJY M]([MI]=MV7#"[Y4T+X57MCCD7K$^M6=/F*[LK>F<)5AZ^-%4QV[_`*=7*M4U1/3-/P?\O([5HBSNC`````>M<;?17>WU5JN5,RHI*V% M]/40O3=LD;VJUS5^)454/L3,3K#C73%=,TU<)5'X-+A6Z1ZHZA\*^05+U2TU MK[Q8'RKVS4KN7FV_M1N@DY4\JR^\I)8V(O6Z<1'/NE5LAJG`XF]EESFG6GJ_ MAI/:N"1BU@```````````````````````````````````````\4U72T[D;/4 MQ1JJ;HCWHBJGS@4"TKEBFZ9#5Z2&1KV+@%-LYJ[HOK%G\H&@0``````````` MB7BRTJN&MO#AJ!IA9V-?<[U9I$M['*B))5Q.;-`Q57L1'2Q,3?R;[@5XT/Z0 M;03".%JR-U(RR*S9Q@=BBL5VQ.J8^*ZRW"BB2!(XX53F7K71M7?VK.?9ZMY7 M;!]7@HM=7PJ\$MSU3UBME?0U-RJ;EGU\HHH-ZJ".9&(QO5N5/'6&&)W*JHJ* M[9=E10+/:2ZGXUK1IQ8M4,=G?44D5PN5+)3NN0W*[>BURB[_`.+M>C$=M\4;:LJ>T/QO%X;`QSSK/5_#5Z#[ MC_X@V>SK:FK=-NWWNB?TIC73]:;:W);'GP`@OC-U8=I3H7>)[?4+'>LA_P!Q M+8C%\=))FJDDB;=J*V))%1?([D]\V\%9[]>C7A&]"Y]C?`L%5-/E5?!CU^Y] MWA?TG;HUHKC^(U%.D5TEB]$+MV=JUDR(Y[5]_D3ECW]Z-#ABKW?[LUBGR(_RVNU;DMCSX`````!4#C2ME?I5J)I[Q48Y2O=)8:YEIOC(D[9J1_,K= M_P`['3QJY?*^-/(A)8&8O458>KGWPJN?T58+$65R)LU.S;O[P-0`````````````YJ MNTSTWNF1Q9A<]/L:J[]"K71W6>TP25C%;[56S.8KTVV[-E`Z*:&&HB=!/$R2 M-Z;.8]J*UR>\J+W@?R"""FB;!30LBB8FS6,:C6M3XD3N`_/@E*E3X:E-%X0K M>3K>1.?E][F[]OB`\P&?_2R_B"\X$7[,#0`````````````````````````` M````````````````````````"HFE*KK!QP9WJ/OUMJT\HO0*WO[T;.O-"NR^ M5%5*Q>S^LA4L#^,,[NXCY-N.3'7P_:>A=J8_!'N89?DW"[C:N^UQ^CNK[8_F MH]4K=EM>>@"F5W5>*'C0IK(W^,X1HZBS5/EBGN*/3=J^1569C6[+V*VF?[Y* M1\5PNORJ_H^_TJC7^.,WBCC;L\?3/\?9$KFD6MP``````````````!47C%;) MIAK!I-Q$4[5;3VVX>@EVD1.ZF-%+_H2-8[_1,E MFY-FN*XYFKC<+3CMDM<\$J^/ MX+SN2/\`/R.;)'V=B(QGOFWC[<17%VGA4AMF\5578JPEWR[KF[.'8L\:" MQ@```````````````````````````````````````S_TO]V2U>\W]-]A9P-` M``````````````````!G_P!++^(+S@1?LP-````````````````````````` M`````````````````````````2YU,YJ+9K;-40H[N?/R[1,_T MI%8WYS4QV)C!X:N_/R8F?7S>U8-E?&-"H,FN;7.N>95T]XGDD[7NC5>KBW7RHJ,61/\`.J1&S&&FS@8NU>57 M,S]4?;ZW8O=TSNG,]J:L%8_H\+13;B(X:^55V3/)_NK'EB=-(LXF=7H=$]'; MYF4C$1TBIY4C4V,+9[_=BGFYT;F^.C+\)5>Y^ M$=<_9Q]3F."[2&;2K1BBJKS"],BRMR7NZOEW65%D3>*)RKV[MC5%5%[GO>9, M;>[]=TCA&Z&MD&!G!X2)K\NO?/KX>SVZIZ---@``````````````$1<6&G_\ M)&@6662&#K*VCI%NE$B)N[KJ9>MV;\;FM>S_`$R)SS"^%X"Y1'&(UCKC?[G8 M7M[N^-S&L?_IGS(L5X7@+=<\8C2>N-WO?>ZKD/X.[6XS#4QI175WR MGHY-?PMWHB9FGU)?)=UX`````!3/7Z.3ALXG\5XBK=&Z+&,Q5+)E+6)XC7JB M(LBHGE5C62HB=JNIW[^V)3#_`!K#U6)XQOA4LSBU'-X3@;6&QV-VFQMF,V MJ/JZ*TT<-#3M]Z*)B,:GZ&H66S:IL6Z;5'"(B(]3I+,<=>S3&7<=B)UKN555 M5==4S,^V7T3(TU+U6/:CFN3945-T5`^Q,Q.L*B\'SG:6ZS:L<.U4Y8Z>BK_`$$3RHZOX3#T'W6XC:?9O*-L:-]5='>KD_ MI1K/LKIN=L+=EM>>P`````(_UYTJH=9]*;]@%4D;9ZVG62@F?_R%9'XT+]_( MG,B([;O:YR>4S8>[-BY%<-',L'3C\+78GC/#KYD8<#FJ]9FNE\FGV4NDARO3 MZ;T%KZ>?LEZABJV%SD]]J-=$OQQ;KWH;&/LQ1C=G<;.(PW>+GEV]T M]7-]GJ6/-%8```````````````````````````````````````S_`-+_`'9+ M5[S?TWV%G`T```````````````````&?_2R_B"\X$7[,#0`````````````` M```````````````````````````````````%0;%(FN/'?<+[#O46#2>W+1,? MWQK6^.Q4_M=;),J+_P!70J-J?&6>S7&^BS&GK_C,]CT/C:?P)[E5O"U?!OYC M7RICG[WNGLY%-&O_`+DK?%N>>$,<66MK=$-)*^[VZ9$R*\*MLLD:=KO"'HN\ MJ)[T;=W>]S+"J]_K;51J]NW.KU3VQ]QE_O]S6.$;H?,CR_Q?A8 MBORZM]77T>KZ=4VFHF``````````````````J#Q*O31CB>TTU^Y5ALUUWL%\ ME3VC4V%J\J/_)`NZ^.2F'F,58FQ5QC? M"HYG3.48^C,;?D5[J_O[>N/2N/15M)BHJ*BD9,3$Z2MM-45Q%5/"7G/CZ``````````````````````````````` M``````,_]+_=DM7O-_3?86<#0```````````````````9_\`2R_B"\X$7[,# M0````````````````````````````````````````````````.`UYU,@TATF MR/.WO8E30TBQT#'=O65BM+?[PQZWS-)5OM;))VR M+'(GK#55>U?6]G]O]*5Q';-X.<+@HN5^57\*?J]F_P!:X=VG:2C/-IJ\)AI_ MF,+'>J8CAK'ES'][X/53"?:RLI+=23W"OJ8J>FIHW3332N1K(XVINYSE7L1$ M1%55+#$3,Z0ZAJJBF)JJX0I?IQ!7<8_$9+K#=H)4TUTYJ/!L=IY6*C:VK:J. M1ZHOE54;*_WD2%B[]JDI=TP5CO4>55Q5'"15GN8>%U?T5OR?3/WWSZH76(I; MP``````````````````1;Q,Z6-U@T8R'$8($DN3(/#[7V=J5D.[HVI[W.G-' MO[TBD7G."\/P==J./&.N/MX>M>NYOM/.R6TN&S"N=+\8-G\;X;@: M9J\JGX,^KA[-$MW7]F(V8VIOTVHTLWOYVCHTJF>5$=57*B(Z-$X$VZO````` M`Y35/3JR:L:?WO3[(&?Q2\4SH4D1N[H)4\:.5O\`E,>C7)^;;N,EJY-FN*Z> M9K8S"T8VQ58N<)C^$^I7[@EU+O%JBO/#)J2]:?+,"FDBHFRJO\9H$=V(Q5]L MC.9%:OEB?&J=B*INXZU$Z7[?"KZ4%L_BZZ(JR[$>7;X>F/=]&BUA'+,````` M````````````````````````````````,_\`2_W9+5[S?TWV%G`T```````` M```````````&?_2R_B"\X$7[,#0````````````````````````````````` M```````````````*@<5,\VMNO&GW#+;)7NMT$[;[DBQJNS(D:JHU53VKDA23 M;XYXRHYW,YCCK.6T\/*J^_5KVP]#]R^BG8S97,=M[\?SDQWJSKSSK&^.F)KY M.OHHJ6[@@AIH8Z:GB9%%$U&1L8FS6M1-D1$\B(A;8B*8TAYZKKJN5377.LSO MF>F52N+S4B_:C93:N$G26J22]Y'(QJ=R*U.L>G?R(UO;UF MQ)X.U3:IG$W.$<%4SS%UXJY3E>%GX57E3T1]]\^C=SK(Z9Z=X[I3@UIP+%J? MJZ"TP)$CE1.>:1>U\K]N][W*KE^->SLV0T;MRJ]7-=7&5@PF%MX*S38M<(^^ MOK=08VR```````````````````!3W!?][SQIWW`W_P`7Q?56#T2MJ=T<=9N] MZ-3R)ZYX1&C4\DD7Q%0PWXJSFNQ\B]OCK_CK'KAZ*SO_`&_[FF'S6/A8K+YY M%?3-&Z-?3\'D53/Z-:X1;WG4``````!5?C*TIR"W3VKBYY-7TJUGV"N433F.%_I*./IC MW?1JG+1K5;']:=.[5J!CKD;%71\M33*[F?25+>R6%WQM7N79-VJUW>';&)N```````````````````````````````` M````&?\`I?[LEJ]YOZ;["S@:```````````````````#/_I9?Q!><"+]F!H` M``````````````````````````````````````````````.7U.U"L6E6"7C/ MLBDVH[33K+U:.V=/(O9'$W_*>]6M3\^Z]AJXW%T8&Q5?N<(CMZ(]:=V:R#%; M49K9RG!Q\.Y.FO-$<:JI]%,:S/4@+@LP'(+NN0<2^H:*_)-0)7NHVN3;J+?S M(JYB=JHCEV:W;QW[(FZ(Y4N>$PW?ZM:O)CB\X9SFD9?;BBWON5;J8^O[.F7 MK\*7#M)H_8*K+\VE6Y:A95O57JNF?ULD/.[G6G:_R^,O,]R>V?Y51K3[B\3W MZKDT>3'!\R7*_`;GU-FF&NEBS#`YEO%JD@_G7L:K72QM\O-ZVU[?+S1HB>V(#:#`58O#Q M>L_TEO?'U_;'4[<[C^UMC9_-ZLLS+2<)C([W$3.L4S/HWS35Z*IGF=MP[ M:R6_7+2ZV9G`Z-EQ:WP2[4S%_F*QB)SIMY&NW1[?\EZ>7CCP MF.B?OOA6>Z#L?>V)SV[EM>LV_*MU>=1/#UQOIGTQ/,DPDE)``````_,D;)6. MBE8U['HK7-J7=?% M1.Y6)NJ?UXD5O:Z-%):-,?:T^73[5-JBK9O&GGA>CXY8W(BM>UR=BHJ*BHJ>^14Q,3I*X4U4UTQ53.L2]@ M^.0``````````````````````````````````#/_`$O]V2U>\W]-]A9P-``` M````````````````!G_TLOX@O.!%^S`T```````````````````````````` M```````````````````%-=:ZZIXI^(:T/U3W8;ALOHEE55"[Q))F]CHN9 M/*U'=4GE1\DB[+R%.S&J<[S"G+[<_P`W1OKGT]'U=%6G1.G+GIIIIC7X29N(#B`PSAMPJF8RDAJKU40I2V"PT_B MK*K41K55K>UD+>Q%5$]YK>TO.$PDWIBBG=3'L>8,[SN,)RK]^>7=KF9W\:IG MC,^OC*/N&KA\R^MRJ3B0X@YGUV=79O66ZWS-V9:(7)LWQ.YDB-7E:Q/YMJKO MN]5Y=C%8BF*>\6?)CVHO*:C'OW\B)%,[OZLIM M7X@S/E<+-WLB?=/LGT/2=K_[N[#=Z\K,LOC=YURC3VS5$:=/+ICARESVN:Y$ M,ZF8AV1B_P!%[7(CFKY%1#G;N56JHKIXPP8G#6\7:JLW8UB52M&]2\W]-]A9P-```````````````` M```!G_TLOX@O.!%^S`T````````````````````````````````````````` M`````*V<4^OU]L%71Z%Z-LDN&HN4#+NZV0/3^<5>YLBMW5%7;D:BR+LB M-WKF=YI^]7TD.E]"W/\`63(7L6Y-I&NF:VL5%Y6RJWQE:S=W M+"FSE3F<[DYMUF\@V?IP%C6N>.^JKIZO1#K?NK=U:_MAFNMFGX-&M-JW'"BG MIJT^55I$SIT1&ND0D#07A?U/++2TCU:^GM/\`5VV\19&I MV-1J\V(TI^EUYEN3W(N^&X^>5=GA'-3[_9'M6>-!8P` M```````````````````````XG6'27%M:L%KL&RN#UFH3K:6I8U%EHZAJ+R31 M_&FZHJ>5JN:O8JFEF&!M9C8FQ=Y^$]$]*S;([58_8W-;>:8"=].ZJGFKIGC3 M/HGV3$3&^$`<-VK>5Z59FO"OKK/U=SH=H\7N\CEZJOIEWZN)'N[T5$];5?>6 M-=G-1%@.\J/)GICFC[.SB[:[HNRF`VHRW\/-E8UM5[[]N.-%7R MJM(X:?+CJKC6F9F+:EK>?P``````'$ZO:0X9K7AE5A>:T"2T\OCTU2Q$2>CG M1/%FBV)Z85>TUUBSCA#R:' M0[B)?4UN(/=R8SEC(W/C9!OLD;^]5C:BINWM?%W>,Q6JDA=LT8RGOMCRN>%; MPF/O9'<\"Q^^CY-7H^SVQU+GV^X4%VH:>YVNM@K*.JC;-!402))'+&Y-VN:Y M.QR*G:BH1;)M.M4L. MQ/(JEM+:=BP9*K"-':REN^0)O%4 MW=-I:2A7N5(^])I$_4:O?S+NU(N]=QV._F]TQOIPU'PL1L:IS*U$=(UJ\IO93D6&R.9OXFKOM^ MKC/1U?;/'H0'=`[J6;=TJFWE636/`LLM;J*(XSINB:M-(UTX4T[J=9^%,[UX M]!^%_370.C=46"EDN>05,?)67RN1'5,N_:YK$[HF*O\`1;VKVT7B)F\E-)Y6NV5%=&Y43=-T5%1%1=T[8K- MLJMYI:BF9TJCA/1[E_[G^W^-V$QU5VW3WRQ1$1R;IUC47=Q#X M3.+^778P>:QIT5\T]?V]L<[L7:#N;Y3ME@JMH]@*N5'&YA^%5,\9BF.:?T.$ M[^15,:4K:T=;1W&EBKK?5PU5-.Q)(IH9$>R1J]SFN3L5%]]"V4U17'*IG6'G M^]9N8>Y-J]3--4;IB8TF)Z)B=\/,?6,`````#G\[P'$-3,:JL1S>QT]UM=6G MCPS)VL=Y'LF_8YJHJ>^<[=RJU5RJ)TE@Q.&M8NW-J]3K$JBR8EQ"<$] MPJJ[3JEJM1M)WO6>6URN5U9;6JN[E:C456*G;N]C5C7M5[&KLI)/OTQNZ86%T5XE]*-=J)JX??4@NS&<]19J[:*LB] M]4;OM(U/ZS%/O\`4E4UTF`` M`````````````````````````````&?^E_NR6KWF_IOL+.!H```````````` M```!2KI2)IKWI[I5I4Z1[:#/=3+/:KDUKU;UU+N_>-?B5[HW?G8@$Q<:&"V# M*.$#5+&JFUTW@=NQ&NKZ*!L:-9#+10.J*?D3N;ROA9MMW(FP'FX)\KN&:\)N ME60W6=\]7)C5)332O7=TCH&]1S.7RJO5;JOOJH%;.EE_$%YP(OV8&@`````` M``````````````````````````````'J5%WM-)NM5$2Q58JQ3Y5<=L/@U_$%H3; M-_#=9,*8YO>Q+[3.=^JCU7_8%,]C!5F>"H\J[3^M#DKMQH\,=EYDJM M6+?,K?)24M34[_F6*-R&2,%B*ODM6O/\NM\;L>J)GZ(1]D'21Z`VKF99Z#*; MV_\`HNIZ!D4:_G661KD_54S1EUV(UKF(CK:D[3X2JJ+=BFJNJ>$1''Z_8X1W M']K!J)5/MNAO#Y45TJ.Y4FJ.OK]OC>R!K$C^=ZI\9K\K`6YY-=Z*IZ*?A3[- M9]B7C!;3XBB+MO+ZK5$\*KTQ:IGJFY-$3ZIEYUX>^,7B,9UNN^IS,.L$RKO9 M*%&O\Z61[V^5#GW["?)M:_VOLW_5+6\#SFW.E6,BB?_P"K M6)Z)CE_!GLFJF4TZ4<%6@^E+XJ^#&UR*[1*CDN%\5M2YCO?9%RI$S9>Y4;S) M_6%W&W;L::Z1T0QX3(<'A)Y.$QT M51.L51Z)B>GBK'6\,&O&@U5-?.%W4J>OM:O663%KU(U6/\JHQ7;1.5>[?UIR M)_352M59+CLLF:\LN:T^;5]]/HGTN[[/=+V5VYMTX7;G!11=TTB_:B=8],Z? M#B(Z/ATZ_)A[,/&]FF`R,HN(#A^R3'-E1CKA;V*^G>OOL;+RM5/[,KCE&TE[ M"SR/\;G#3D",: MW41ENF=_R5PH:B#E_.]6QW]KUNT:O:-]"=5\0JG.[F1WJF5_SMY]T_0;]&98.YY%VF?[T?:J6 M)V+VDP?^\9?>I],VJ].WDZ.FI,@L->B+0WN@J$=W+%4L?O\`H4V:;MNKR:HG MUH2[@,78_I;55/73,?3#WT5%3=#(U']```($U=X+-%]6;F_)/`:O&+^YRR.N M-C>V!99-]T?)&K58YV_:KD1KE\KCNZQ$1.[Q96?F,_?\`"WOZ2C2? M0C_%V<8'_=KW+IZ*O?K],/(G$[Q:8`O5:J\*]5K\(;_ M`.9OS=Q\\%PUS^CN=OWA]\;YIAMV*PVOII]W*>S1=(]I533I19G@.;8]5?TF MRT44C6_GWD:__P`A\G+;D[Z*HERIVJPT3R;U%5,]4?;]3L;3QZ<+]TV27/I[ M>]WY/3#2(OZ% MDW.,X>]'R)[)9HS/!3PO4_K1]KZ5/J]I/5[>"ZH8E-OW=7>Z9W_H\X]YN1\F M>QDC'86KA765R=VZ7")?_W'SD5=#[X19GY<=L/,S*L7D5$9DEK=OW;5D:[_`.T< MBKH?>_6Y^5':\GIBQ_\`Q[;_`*4S^\^V_.CM/3%C_^/;?]*9_>.35T M'?;?G1VGIBQ__'MO^E,_O')JZ#OMOSH[3TQ8_P#X]M_TIG]XY-70=]M^=':> MF+'_`/'MO^E,_O')JZ#OMOSH[3TQ8_\`X]M_TIG]XY-70=]M^=':>F+'_P#' MMO\`I3/[QR:N@[[;\Z.T],6/_P"/;?\`2F?WCDU=!WVWYT=IZ8L?_P`>V_Z4 MS^\.35T'?;?G1VGIBQ__'MO^E,_O')JZ#OM MOSH[3TQ8_P#X]M_TIG]XY-70=]M^=':>F+'_`/'MO^E,_O')JZ#OMOSH[3TQ M8_\`X]M_TIG]XY-70=]M^=':>F+'_P#'MO\`I3/[QR:N@[[;\Z.T],6/_P"/ M;?\`2F?WCDU=!WVWYT=IZ8L?_P`>V_Z4S^\ M.35T'?;?G1VJ&Z3U$%5TQNKE12SQS1/T_IN5\;DV;9$\C>=DCE\C8W+W(H'SN++C+T*R3A+R2GTVU#L^3W_4BR/Q^Q6&V MU3)[G--7LZA6/I6*LD;F-EU-G(C?;.:BA8'AETVKM(.'W3[36ZM:VXV& MP4E-7M:J*C:M6(Z=$5.]$D<]$7RH@%3>EF79'[[?$<[=SWH_Q-:_+WOG/W7T/P96+?EAR/Z)'^\/ M#*O,I[/>>)K7Y>]\Y^Z?@RL6_+#D?T2/]X>&5>93V>\\36OR][YS]T_!E8M^ M6'(_HD?[P\,J\RGL]YXFM?E[WSG[I^#*Q;\L.1_1(_WAX95YE/9[SQ-:_+WO MG/W3\&5BWY8SWGB:U^7O?.?NGX,K%ORPY']$C_`'AX95YE M/9[SQ-:_+WOG/W3\&5BWY8SWGB:U^7O?.?NGX,K%ORPY'] M$C_>'AE7F4]GO/$UK\O>^<_=/P96+?EAR/Z)'^\/#*O,I[/>>)K7Y>]\Y^Z? M@RL6_+#D?T2/]X>&5>93V>\\36OR][YS]T_!E8M^6'(_HD?[P\,J\RGL]YXF MM?E[WSG[I^#*Q;\L.1_1(_WAX95YE/9[SQ-:_+WOG/W3\&5BWY8SWGB:U^7O?.?NGX,K%ORPY']$C_`'AX95YE/9[SQ-:_+WOG/W3\&5BW MY8SWGB:U^7O?.?NGX,K%ORPY']$C_>'AE7F4]GO/$UK\O> M^<_=/P96+?EAR/Z)'^\/#*O,I[/>>)K7Y>]\Y^Z?@RL6_+#D?T2/]X>&5>93 MV>\\36OR][YS]T_!E8M^6'(_HD?[P\,J\RGL]YXFM?E[WSG[I^#*Q;\L.1_1 M(_WAX95YE/9[SQ-:_+WOG/W3\&5BWY8SWGB:U^7O?.?NGX M,K%ORPY']$C_`'AX95YE/9[SQ-:_+WOG/W3\&5BWY8SWGB M:U^7O?.?NGX,K%ORPY']$C_>'AE7F4]GO/$UK\O>^<_=/P96+?EAR/Z)'^\/ M#*O,I[/>>)K7Y>]\Y^Z?@RL6_+#D?T2/]X>&5>93V>\\36OR][YS]T_!E8M^ M6'(_HD?[P\,J\RGL]YXFM?E[WSG[K])T9&&K[?5O)53R_P`6B_O/OAUR.%-/ M9[WR M57>G_$I__6_2=&%IJO\`.:E90[W]HZ=-_P#RCQCB8XS4;.9%1QLUU==S[*(>W M#T9&B;=NOS/-G^_RU-(W_P#CJ8IQ>,J_YLQU13]<2W;>4Y#;_P#0TU?VJ[O^ MFNE].DZ-GA[I]NNN6856W_.W*%-_U(6F&J[C*N.(J[*/V&_;LY#:WTY58U]- M6(GV3?F/8Z6U\`W##;MEJ,'J[@J>6JNU5_Z1O:AAJMW*_+NUS_?JC_+,-^WF MEG#?[M@L-3__`)[5?MNTUR[S'^&K0'&.5;1I%BZ.9[62HM[*E[?C1TR.BHO>A\F(F-)ZENU6GZ$=(YJ?H-&O9G+*^%O3JF?M6S#=W#;?#[JL7%C^#=P>]_':5=OT4Z&/\$,''DW*^V/L;7_`-16T5?]+AN,?EFSSZ3'^Z/P4M?EJ^V#^7['?U;A_U9^T_!ZXQ^6;//I,?[H_!2U^ M6K[8/Y?L=_5N'_5G[3\'KC'Y9L\^DQ_NC\%+7Y:OM@_E^QW]6X?]6?M/P>N, M?EFSSZ3'^Z/P4M?EJ^V#^7['?U;A_P!6?M/P>N,?EFSSZ3'^Z/P4M?EJ^V#^ M7['?U;A_U9^U^)>COQ.9O)-K%G,C5\CIXE3_`&M.5.R]%$ZTWZXGK8KW=WQ. M(IY%[*\-5'1-,S'ME\^;HSM-*AW-/J-E,B^^]M.J_P"UAN6\HQ%KR,9=C^]* MO8ONE93CO]XV>P-7IFS&O;Q]KQKT8NEB_C`R?]2G_<-VBQC[?#&5^ODS],*W MB<^V7Q?])L]A8_LS=I_RW(?S\&'I9^4#*/U:?]PV::LRI_\`5U?JV_V4/3E M%-/5>O\`UW)/P86EGY0LI_5I_P!PR1BL?'_._P"VEIU99LQ/#+M/\6Y]K^?@ MPM+?RAY3^K3_`+ARC&8Z/^;_`-L,564;-3PP,Q_BUGX,+2W\H>4_JT_[ARC& MXW\I'ZL,,Y'LY/#"51_BU?8?@P=+?RB93^I3_N'WP[&^?'ZOOU;=JE?H&(GC)-10RJJ^^BHK=OT#P[&^?'ZOO/$.S MWYM5\[/[*(^$;3*GT:Z4/4+3&CN\MTI[%I\C8ZJ6%(GR),ZV3KNU%5$V694[ M^Y$,5=RY=GE79UGL;%K#87"4]ZP=$TTUB*Q5W7=6[*NZ[@2(!G_TLOX@O.!%^S`T```````````````````````` M```````````````````````````````````````````````````````````` M```````````````````````````````````````,_P#2_P!V2U>\W]-]A9P- M```````````````````!G_TLOX@O.!%^S`T````````````````````````` M```````````````````````````````````````````````````````````` M``````````````````````````````````````,_]+_=DM7O-_3?86<#0``` M````````````````9_\`2R_B"\X$7[,#0``````````````````````````` M```````````````````````````````````````````````````````````` M````````````````````````````````````S_TO]V2U>\W]-]A9P-`````` M`````````````!G_`-++^(+S@1?LP-`````````````````````````````` M```````````````````````````````````````````````````````````` M`````````````````````````````````#/_`$O]V2U>\W]-]A9P-``````` M````````````!G_TLOX@O.!%^S`T```````````````````````````````` M```````````````````````````````````````````````````````````` M```````````````````````````````,_P#2_P!V2U>\W]-]A9P-```````` M```````````!G_TLOX@O.!%^S`T````````````````````````````````` M```````````````````````````````````````````````````````````` M``````````````````````````````,_]+_=DM7O-_3?86<#0``````````` M````````9_\`2R_B"\X$7[,#0``````````````````````````````````` M```````````````````````````````````````````````````````````` M````````````````````````````S_TO]V2U>\W]-]A9P-`````````````` M`````!G_`-++^(+S@1?LP-`````````````````````````````````````` M```````````````````````````````````````````````````````````` M`````````````````````````#/_`$O]V2U>\W]-]A9P-``````````````` M````!G_TLOX@O.!%^S`T```````````````````````````````````````` M```````````````````````````````````````````````````````````` M```````````````````````,_P#2_P!V2U>\W]-]A9P-````````````!_'. M:QJO>Y&M:FZJJ[(B`51OG2<<*EDR"MM3;WDESM5LJ_`:[)+;8IZFST\VZ(J+ M4-[7)NO8YC7(O>U51450L_8+_9J61VBH?!5K94MS)6+LYB5DT=*YS5\BHV==E3M10/H\ M-6D.%67A&P;2RHQ^DFLUTP^D;=J1\2^615_/\0$1]%->; MG-PUWC![E5RU#<`S:\8U2ND7=R0,ZJ=$_-S5+_S=P%J-0\,34/"[KABY5D6- MI=8DA6ZX]7>!W&F1'([F@FY7Q50"A/#MH9CW#_TGE^PS'<"+]F!H` M````````````````````````````````/XYS6-5SG(C43=55>Q$`\5'64EPI M8JV@JH:FGF:CXIH7H]CVKW*UR=BI\:`>8````````````/!25U%<(W34%9!4 MQLD=$YT,B/1'M79S55/*BHJ*GD4#S@`````````````````````````````` M``````````````````````````````````````````&?^E_NR6KWF_IOL+.! MH```````````1SKAH+@?$'C=#BNH+KRVAM]"S$L4X1-7M+='8+_65F36UMQCI[C=)J^6>JHW-GBBB615 M5JO6)&HB=BJY`/K\./%IHJG![BFHV0Y]9Z!N*8Q34-\I)JR-M5!6TE.V*6'J M55'J][XU6-NV[T>S;?=`..Z.R.'1?@VNVL6JLRV"WY3>[IGE;)/&]RTU'*D< M;)%:U%=XGJ;B%LSS!;PRZV&\P^$4-8R-\;9H^9 M6\R->C7)VM5.U$[@*F6[W6VZ>9UO_P!?$!=(#._IAK7->[!HK9::X2T$M?FB MTL=7#OST[GL8U)&[*B[M5=T[4[4[T`D?17@(U/THU1L&H5\XS]0\PH;+.^:: MQW'PCP:M1T;V(U_-5O39%_Z[NBHJ(H'7:H:]:(<)MKPC$\SG?CMCN<ENT,L]JOF9XXZVVZX1L3= M7Q/5ZOY53;97,1.UJ+LJHBA^K5TC^BE9F>/8O?L%U/Q6V9=5LH\?R?(<8=0V M>YN>J)&Z&5[^L5CEB]MSZZUKIFU+K MA?X;=#;T:C>K>YDBM6='*KO%:]JIR=_:@%?>BLO^;Y/IOJU>]2*E9LGJM4[L M^[>.CFLJ_!J3K6,V56HQK^9$1J\J(B;=@%V@`$'ZO<8VC&B&H?\`!?G55>69 M!-C\>045+16]U2ZO9)5.I8J6G:Q5?+4OE:[:-&^U17*J(BJ@1_9>DLX?9;A? M+#GUBS_3B_V6E95LL>78\ZDN-Q:][61LI8(WR.DDOM&/UDJ,\QW1K3NGHJ*PVJD=46RDR&LE8JRU*S;(E0U MCF2)NQ5Y4=$B*W=W.'Q<6Q:[\%W&QIOHMIMGN17K3C5JWW%:C&;Q7NK76BHI MHGR)44[G=K&JK6I[ZHDJ.5VS%:$N8[L6)ZXVF?*K53[^)3Y' M1HC;@D;?(D].DW66M=2OO5VJF->QLTC>U8VMLV8Y0[!+#DU5BN%8[:;K)14T,-,C5=6/1GMY'H^)=_ZW.B[M:Q&A(? M!ADN;:8ZZZK\&.;9E<\JHL(CI+]B-TNDRS5GH34-8JP2R+VOZM9H6HO9L[K$ M1$;RM0(BX;M$+/Q\2ZB:O<2.?9?5WRVY;6V*AQB@O,E%3XY3PHQ8VMA;VM?X MSDW5-E6-57FQ5^O&D>6:@7#,<.T;OK::QY)<9O"*A:-6U"RT M\DW_`"BPI3M[NY7JB;-Y&H'`Z*:)VWCHP^LXGN*/4/)J:ARVZ5D&&X_17U;? M16:WPS/ACY&IV/G5\;_&7VW(CE1RN[`GG0W#>)CA^T;U+Q7+;LNHK\72OJM- MZB6J=4W*XTK89'4U)4[HGC\[(T3QE_G5:BHUK40(CTFZ/2'5C3"CU&XHLWU) M?JWD3)J^MK/1Z2GDLDCGNZJ*&)-XV545J+NC4:U$1`^]P33W[BIX0\P MTKUQR:Y9'1VS)+AAS;_#4JRJNE!3I!+',DZ[JYV[U;SKNJM:FZJNZ@Q=P M[G'.C?LF5:86_-K[K7J-)K%=;;'=/3BW(I]Z:X21I(B,C1=E@:]4;MOS*U%V M5$Y5GVKVH-GU'PJUK>4R:?(Y7.N- M3%LYTB>1'(!GKQ"Z]9UK[Q+:'Y;B=1+2Z+V?5^S8[8IVOOV\:@;.[:6I;[RM3E:B][>LYD[6@1-EW1\>DVRQY1PQZY99#K?8)*>K=VMB5'=L2SMYN55D:CXT1JKMV?G`I=Q,\`F@>'7G#M$]%9\NJ]4M0J MU&T"5M^?-36FV0KS5=QJ6(U%5C&(YK6[ISN5=MU:K5"V>H?1\:%ZJ6#!K#FE MPRR9N`X[38U;IJ2[+3NEIH6HB/E1&JCGKMNJ]G>!4CB!X`=";9J/A7#OH;6Y M=)J#ELJ7.XU=;>W5%/8+!"_:>MEC1J7<)8X\<*Q#(LZ MX8^&:]WZJMV)5%7O9V*H'U=$>"'@0K M,ZM.9Z-:LU65WC$+E2WB**VYQ!<6134\S9(UFCBW7DYVMW1=MT7;R@2KKKP# M:$\0^?2ZCZ@5&5LNTU+#1N2W7A::'JXD5&^(C5[>WM7<"H66G6M MG&SI]I3J[EKK#A.-X#<,EO%7Z+,MS(>NJ70QJZ=Z\K/7(HN_O39/*!(7#3P; M<&>.YW;=8-!-2:S++AC4DO5R4>7PW2EC?+#)$J2MBW3?ED?LBJG:F_D`]+4# M0+4GBKXJ MZC:\9QW),?JL3R"Q4%QLM=3K25-OJJ=LE--`J;+&Z-RPU7!S?\DN'5Q7C&[K::^PU*+RS0UC MJV*)RQN[T7J9)E[/>W\@'S\VK[I>^/GACER2-62,P:^W"-CD[&UTM&K9T1/( MJ-1/T`./:TVZ^:\\*%LNU'%54DNH+UDAE:CF/Y?!G(CD7L5-VIV+V*!X^DYL M=HO]NT#MUXM\%73UFKUEH9XY6(Y'T\S94EC7?^BY$3=/+L@'M]*K3P/X=L:E M?"Q7T^?V-\+MNV-V\K=T][L54^<"Y@%+>C`_^$=;O/%?OLJ8#[W$1E^7V?4^ MMH;/TB^G>D5,VGIU;BUZL5HJJJG58T59'25,[)%23VR(K=D1>S=`(W@U"U!6 M:-%Z872"5%/76Q6>Z])UP[37&W05#XL:OD[5D8CO7(8*E\3NWRL M>Y7-]YW:G:![?%W!"SC:X0:MD36S273)XWR(GC.8VFI%1JK[R M>*G+[1J*O#IPTX%'G.JKZ1E97NJI.JM&.4S]E;/72(J*JJCFN2)JHJHYO;NK M6N#]\//"5?,'U`K.(+7W4234/5NYTBT25Z1=3;[+2KOS4U##LG*WM5%>J-W1 M5V:U7/5XY-MP+?@4JU5SC M-Z#4?(Z*@Z4G2_!:>&X2LBQJX8[9)JFU-1>RGD?-4MD:ZTL^_W.H1OMFTW4,=N[WDVIY43X]P+L`4GZ)9JV_AQR3&*I$9_LNWS?$!\_&+Q#0=*'K7F<<+YJ#$-**>&X]2FZK,JT52UG]I8 MV.V3X@(\X;>$NQ\;>-W;B^U=S._X[=M2:RM93VK"*B&U04M'!/)3HV=S8G.J M)5=$Y5?(NZILKN95[`^SH32W[1ZGXD>`>D6BN])B&(5M[QF[TU#%35=1%746 M_55?5(B2S-6>%$D5.9>5W;R\B-#X?`7P-:'ZZ<+^*ZD:YTMRS>MN<5;26JEG MO%5!36.CAJYHD@IXX)&(CG/8^5RKOXTG=WJX.[X/=0X^'3,>(?0C.\ZKZW3? M1BJHKC9[I<5?52VRWU+'O=3N5C7.55.+0W"U4#*.*XT[7R(V9\3/%2971R.>Y.U>9JNW= MS.<'K:]2IQ&<96`<,:N2HP_3RD34/-($[6552UR,M]))Y%1'/9(YB[HYDO\` MD]@6%X@]-<$U?T:RG3C4JY16W'KW1I#4UTDS(DI)$D:^&9'/\5',E;&Y-^Q5 M1$7O`K'C.CO2$V;`Z;25_$/I9%I]26]M%#F]/153\A9:FLY6N8U=J='I$B(D MBO5439W6*[M`KOH#JC>.&GHP,MS;%;337&7,,ZKK985N].V:G6"H;#2K--&Y M.21J-II_%JCI(45&QK4JLS);S1I07:T33U$-.R5T:/SMU16 M+NBKV!TO$[P#:$Z*Z#9!K)HC%?,-U"T_HG7^AR6&_5Z!:C5VHV@.":I95U-)67W&:&[7%RHD<397T[7RO3R-8J M\SD]Y%0"`N!N.;7#-M2.-3(HGR/S&YS8UAB2M5/`\;HI.5O(B^U669JN>G]> M)5_I*!;6^7JV8W9;AD5[K&4ENM=++6U=0_VL4,3%>]Z_$C6JOS`53X`;5,7-*5R9!JY=YO0IDJ>-;\?I)%AI*9J?T=UC(&15%*^156>>D1/"'LY^7M1R,7D1'(J;HH M5UX_=#M->&+&L,XGN'O$[?@N:8KE-#2-BL<24D%TIID?STTD+-F.5W+LJHF[ MF+(UW,BIL%Y=7M2;-H]I=E.J.0*BT.,VNHN+X^;99G,8JLB1?ZSW\K$^-R`0 MMP!:=WC']%$U:SI?",[U@JW9GD-6YNSE2IW=2PHB]K8XX',Y6=S5D>B=@'[S M/A1X5M;^)"NU+SNX4N9YA8;736^KQ6INE//26^)$YHI)J)C>M151[E1)7*Q> M??E[E0(+XB]),(X4^)WA_P!5>'VQ4V(56:Y=#AV066TIU-'[N3;FZIVR*W=0MQ7Y5I?Q"T.H>BN.:A7."YV%6V?(W6666BN%IEEY^3J MYGLV1R]4_9S>9.Q0*?XEI@W@/XU-/L;QO(:S-+!KM%76VKK6&3D=V2,YF(CF*J887B5? M'$ID>T:2=:SJD];]ML_O[@/UQ(\._J@VZ>-].'H!Z0LUM^8?\` MV?X5X;X+S_Q?^=9U?-S^W\;;;VJ@.*GAW]4SIS0:?^G#TM^`WZAOGA?H?X9S M^#JY>JY.MCVYN;VW,NVW">"> M$MB;X/MULG6WW;OO[5-NT.UR?1/1G-KO)D&9Z1X7?[I*UK)*VZ6"DJJA M[6ILU%DDC5RHB=B)OV(!\IO#1PX,$=;V?SO+R=6O=OS=NR`S/AW]-W$WI[Q M&>G#P3TAVJXVST&]#^L\-\*BD9S]?UJ=7R]9OMU;M]N]-P&KW#O_``K:TZ/Z MO^G#T+_@HK+I5>AWH?U_HEX9%"SEZWK6]3R=3OOR/YN;R;=H0/=^`'7&FU>U M"U8TRXTKGA,VH5V=P/42S9;G?')?\YL5ODD?68_4XO'2QUS71/8UKI4JGJWE>1>][Y'QJYSE\JJJJ!^;5P]Z! MV*YTEZL>A^`6ZXT$S*BEJZ3&J*&:"5BHK9(WMC1S7(J(J*BHJ*@$6ZZ\+.:9 M+JY;.(SA]U+I\#U'H[:MEN+JVWI66Z]T'-S-BJ8T5%1S5VV>B.79C$V16M<@ M?W0CA:S+%M6;KQ%<0&I<&>ZDW"W)9J&2CH$H[=9;>CN98::/=557+NJO5&KX MSTV57.9DCEB65Y#5TS84 MK'HCD9#'$BJC(6(]Z(W?^DO:J(G8G-S.WZCYY4,J M2"&)%5(HF[KV(O;LWL:UK&-"+*3@ZXD-%+Q?K;PD\15JQ7! M%Y=> MZS.KUJ:Q-D0)ZX8N&[& MN&7`:C$[3>Z[(+O>;A+><@O]P_X3=;A+MSS.3=>5O8B(W==NU55SG.GHY MPX2:7ZTZM:V7C-4R*ZZH5U)+'&MM\&]"J.F;(R*F1_6OZWQ'1HKMF;]4U>5. MY`D;4K3W&=6,`O\`IMF-*^HLN1T$MOK&,=RO1CTVYV.[>5[5V.L2]^A6W+X$DRKXK>3UOFYUV;V;DPZGMT5#1K#(GA--)&Y)&537JFRS=:G6.54V7JUDYO;\GB]9UO/Y>90)+R M7@8TBO7"W0\+-LFN%JM%F6.LM=WC'*O8CI'/DDYD3E3ED#OBUUCM-)IEQ$\5]#=].89H77&DL5@91W&]Q1.1S(ZB;9$9 MNK4553G3=$54]&\(NT6(P7#'I<1SW\O,[;FVW7O`_.ONF-TUHT;RS2FT9=Z6)\IM[K8^Z>!>%]1#(Y$F3 MJNLCYN>+G9[=-N??MVV4/JZ3Z?6_2?3#%-,K74)44N+6:DM#)^JZM9^HB:Q9 M5;NO*KU:KE3=>UR]J]X$/\2W"?=M7,WQ?6S2;4NHT[U2PZ%]'0WIE&VKIZNC MU-I'HK7;IRAQMGX/];M4,_QG,^+_72WYK:<*KF72S8M M8K0VAMTENQ*FNM;2 M3U]8VW>&NFIX)4EZE&=;'R[R,C7FW7;DVY5W[`EFW6^CM-OI;5;J=L%)10LI MX(F)LV.-C4:UJ?$B(B`5HUQX1\VO^LL7$APZ:N_P=:A2V]MJO'A-N;6VZ]4S M>5&)/&J]CD:UB.*O6.GU`R+$XY&8Q:+9 M;&T5IM$DB;/J$9WRRKLFSE:BHK6JJNY6<@?S5?A(U1@UING$+PN:RT^`93DU M)#29+;+G;&UMLNW5-1L;2#A'U"AUEHN(GB; MUA9J'FMCHY:#'J2AMK:&UV:.1'-D?'&G\Y(YKG)S*UNW,N_,J-5H6D`````` M````````````````````````9_Z7^[):O>;^F^PLX&@````````````````` M``S_`.EE_$%YP(OV8&@``````````````````````````````#B;MHWI[>]5 MK'K9A?;'9\GL MEPQO(+=!<+7=::6BK:2=O-'/!(U6OC<"+]F M!H`````````````````````````````````````````````````````````` M```````````````````````````````````````````````````````````` M`````9_Z7^[):O>;^F^PLX&@```````````````````S_P"EE_$%YP(OV8&@ M```````````````````````````````````````````````````````````` M```````````````````````````````````````````````````````````` M``!G_I?[LEJ]YOZ;["S@:```````````````````#/\`Z67\07G`B_9@:``` M```````````````````````````````!\ZNR3';9R62DI)Z MIDF1RS4%KOM+ M5U,:-]LKHXWJY$3R]G8!S/%%K/5:%Z/W++;'01W')KA44]BQBW._^=O%6](J M:/;^DB.59')V*K8W;+N!TN"SQ8/C^*Z0VRCN=TYDH:*>KCCGJN7M=U4;E1 MS]O+RHNP%*\9UCXO^+[,LWN/#CF^)Z;:;89>I\>H;K<;0ERK+U5PHBR/Y7HK M61[.8[L1JHDC4\=>;E#N^&+B"U@R#5?-^%/B2H+3%J!B5M9=Z6]V#FCI;O;) M%8SKVM7^;D:LT7:B(GC*G*U6+S!V?"QJ=E-^].^BVIUU=<[75NZ2Q11N16-C8K53=$WV5KMUYT:T.\X2>(;4K.,NSW MA^X@+9:J/4[36>!:JIM2.;27>@F;S0U<3'=K=T5BN3L3:6->5JJYK0G[.^+-58[B=39/"UFI62.9'X35/:Y[%?R>V;WHJ.Y6;\J!.O!;Q'WCB6TB MJ,HR['8+'E>-WFJQO(J*G55@;74[6.@DE;&ZEA;4L23=_/S.>C&*WD;RJ MO,NP7ZVBMII8'4]5$]6/5C941W5OV1[=] MUY7HBJJHH%9ND2XY\IT)?1:8Z'5#%S%LE+79#=/!&545DHI'HV&)[7M=&DTZ MKV(Y%5&(J[;O:Y`L_P`0&-ZZY3A-/;N'K46TX7DK+C%--<;G;V5D3Z-(Y$?$ MC'QO1'*]8EYMNYB]O:!4O5JU](SHMIS?M4,YXS\!I;-C](ZJG5N)4ROE=W,A MC1:9.:21ZM8U/*YR`2/9^(K5SA^X'Z37#B>C]'<_K&(^DM45-'22SSU.D\TYP5->+Q?\"R1M%''<;KIM;[&])8 MJ5RHKX8:AJ++)-&UW:G.Y$Y7;+)LB."2.)/BWR;`-'-.;YI3AW7Y[K#7V^TX MU:;Y$^+P&HJF-+4^N.I^HV#: MH8905E+#DMEH[*ENGHX9Y6Q(^FF:UJOV>]K$<_?M)W4R@Q M/(.%O6G'\)MM11255?Z+6:.L=6MF;$^GC6PPHZF1.Q-W.H6G?'A?L>P9NG/$%B>,7:BQVF@RQ:NPP53:^[HU.NGBW@9\CO% M:BMW5-T`T+L2W6T8G;ES.[4L]RHK=#Z+5[4;%#).R).NF3L1&,5R.=W(B)[P M%+]"N-[,>(#CAK=/<75:32:/&*VKLJR43&OO3Z>I;"MQ;*YO6)&Z1)F,:U4; MRQHKDYMT0.NXR-4>(&CUJT:T#X<<\MV*WW/6WNIN%;7VV&LBC@I((Y8U6.YZF\3^&7[%::K9)=K928U!!-54Z>V8R1M. MU6JO9VHY`/6XA->]=[YQ$V?A*X97X_9LBEL2Y+D&3WR!:B*VT76'WB?ON-9O:-2X*I<;RFST'@,\-73M MYGP5$#41FW:Q/%;V+*Q>9?&:T/(C(>&SA6N&/8Q!@5)3U&7YE> M:/PWJ*B=J.BI::!=VN=LJ[JY%W5DB;LY/'#V=(];N(33+B'MO#'Q3UV/9#)F M%MJ+EAN7V:D\#;7/IVJZ>EGA[&MD1C5*F[^=%:'1\67'3I3PNTEPQV MZ+<[GG#[0ZX6RT4MNF?&]7\[87RU"M2)D?/&O-LY7HUJKRKNFX=;P::CY?JY MPQX#J/GMS;<+_?+?)/75+8(X$D>E1*Q%Y(VM8WQ6M3L1.X":```````````` M``````````````````````S_`-+_`'9+5[S?TWV%G`T````````````````` M``&?_2R_B"\X$7[,#0``````````````````````````````````*`U45J2PLDB7;R2*![G'/PD: M.:8:`5NMFA>&6S3[-]+Y*2\VBZV*%*61Z,GC:]DW+_.[ML.;SZOZV<$E#70MCHLKDK,\J:9$5&-JJ:U15--MO_`%'2R_'VH!]3I*+' M<,0QS3GBKQJD?+=M&O9V@>AQLW"CX MB<\T)X6,9K4K+/GUSCS3(9('+L['Z1G6-W7R-FWDY5_KQ,_,H78BBB@B9##& MV..-J-8QJ;-:U.Q$1$[D`ICT37_%BNO_`'WO/[("5-3-:^)_%,XN>/Z?\&M; MF]@I%B2COT>=6VWMK$=$QSU2GF3K(^5[GL\;OY-T[%0#X5HX@^,.MNU%1W/@ M'N%OHYZB.*HK%U(M,J4\3G(CI.1K=W;2VE]4!TAFH6KU0G7XWHA;&8/87+[1U MVE1ZULC?)S1\U1$[R[/C][8#N-4>(S0GA-DBT@TJTX9?,ZO$KJNAP'![9&R> M6>1J*L]2V%O+`UR(U5>Y%>K=G(UR(JH'H<*6A&K5/JEF7%?Q&,M]OU`SJBAM M5'C]NDZV&PVF-6.2G=(BJCY7+%$KN551%8J\RJ]4:'S9JM^(=*1%0T"-U_4TN^_S;?I`8PO4=+AES+?ORU&DL+JY$[N M9*ND1JK\>R1I\X%T:VBH[E1SV^XTD-52U,;HIH)HT?'*QR;.:YJ]CD5%5%1> MQ0(+XC<7XLEL5KM/"#>].\9IJ6DGCK(KU2O;*UWB]2E(C(GPLV3GW1[=MU;Y M-P(ZZ,JXX93:,9'@5LLEYM.:XME5;3Y]3W>J94U$M]YO>D;[I M2->GYE:JHOYP(TTYT@X^,WTXG+1I_4^@-'+CF$4F+T]104](V!G@T- M552[R+(Z-&YVT4/5JDS^9R(U&O:CE[%4*T<2<>BN'<%E5;Z77O`]0-6LTS&V9'FE M?:LCHZZJJZM72*YK&Q2*Y*>!'&9_@FH]I??]/,UL.46 MR.=U,^MLMRAK8&S-1%=&LD+G-1R(YJJW?=$M#+M4) MJ9;ZJ"W2KM%65444O40O7L['JYS>_N50/-J=@_2%Z2:?W;7YG%39SN`IKQ\8WQ9S62\WS5NMQV M_P##I;[[%6WFP8A.M)?9;2RI18.ODJ(5:Y6.ZISTB?VJF_BHG.T+[X%?<;RG M!L=R;#5:M@NUII*ZU(6XJM1A6D M5148/@D+O&BEN.R>B5Q;Y%.:;';'//@^F\+^UD=%"[^.7!B=W-/(O*CD[4;SL7=$0#Y/&UK;CV M8:BV;@R?J?9<`M-\I6W74'([M=H+:V"R[]EOII)W-1\]3W*C=^5B]J.:KT:$ M<6'5/ALPOI',>N&):IZ>V[3^QZ/LL-'7T^0T:6RGDCJW\E*E1UG5]8C-EY5= MS*B[KW[@31Q#\)>KFN?$QA^K^%ZS08-BUDQ>2T25UHYDS7[-=3=+,SR.GQ:_VO-*U:^LH)JA M'+'403KVILUDKN5$:F\?*[FYT5H.).GS34GCFLMEX152R:OX-8&^F_)[C4-2 MS0VB=$?%15-.L4CIY7=K?!MQ7:CZ MRV31G*M2]-=7XZ*KKTQ2E\,N=IN%,UR;.IT5%>Q5DF7?Q6[2-\;=BHX(PU0U M0U=UBXWN&/+LATDO>GF-^C5PI\=MU_1L5YJFM;"ZNJ:BG:JK3L5CHF-8Y55> MK>NZHO8%^.(W_B]:H?\`\W]-]A9P-``````````````` M````!G_TLOX@O.!%^S`T``````````````````````````````````#/OI`: M+4VMXO>&K^!OT/=F5(R_U]KAKY5CIZI]/%%.^FDN=JM3M0/ M/K7>N,+C-QJ'AWI^&FZ:2V"\U=-Z<,DO=UAJ8XJ2*5LCHJ5&(U9MWL:J*W?F MV1JHUJN<@=UQ<8E;M),CX:-7[5`Z#'M*J[MHK3>C>I&AFA-PPW5/'/02\3Y3&4]3O3R]7U;^>![V=O*O M9ONFW:B`=!J9PA4&IN<7/.)N(C73&GW-8E6UXYFKZ&W4_)$R/UF!(U1G-RH,DD$W(Y'H6K&FV.Y/HO;8JS4G3G)J#)L;B?/%!USXY$;+"LDKV,1JM5)%1 MSDYNI1-^W90^YP8Z*W_0/A[M6.Y=2K+FMVEJKW151=P*@T"V8%6WJQXF$W7?9-19-OL@.QTF MX4:'27,H,S@U]UKRM\$,L/H;E.8ON-O?SMVYG0K&U%N"? M5K4A*Z1_5Q*Y$\L>Z MHBO5K0^]06#B&U[PK6K2KB`PRS879[H^KL^&7.TU#99JFA?US8JR5&5,JI(W M:G?RJD6ZJJ\ZO&*4C+/:\ALM^A]#KC3Q)R4 M\DCW,9P>OQ=Z-:DZH:J+&CG=G=W`3!KQI/;-<]'#S]CH9>7^ER2M8_;R\NP%4<)UKXZ])M.:#1&Y<'M=E68X]0LLEJR> MBO4"66MCB8D<%5,Y=E9LU&JYJN8KMEWZM5V:$D<-?!3BF$.VM\[ZQU!:J9D$;YW-:CG\J;)S*C&INOO(!!?`GH[J7IMBV?YIK7CGH/GF MH^9U^0W&G6M@JG14SMDIXNL@>]BM;O*J(CNQ'[;)W`=)QH:!7WB$T:]`,*N4 M%OS'&KM29/C%34+M$VXTJNY&O79=D]$=O MMN'P=8-0N,3BPT]N&@6.<)%VTW9E+8Z*^Y)DMXB?24%)SHLO5-:QKIE&2?3G1JAGO&0XSAJ6+&XUGBIY)ZJ&D2"GD<^1S6, M7F1KU57(G8O:!\;@MT:N>@O#/A&FV06YM%?:2B?5WF%)62N;75$KIIFNDC5S M7JU7\G,URILQ-E5-@.CXEJ/4BYZ!YW9](;+)=OPMZ52:)QG?#3P_P"I^0297J)H]BF17F6)D+ZZXVV.:9T; M$V:U7.3?9$[@*Q5'`)A"\;%-D\7#UBG\#;<%6DEB2"C2D]&_"7+OX+S=8K^J MY?7.KY=NSF\@'<:[VKBJTCURM6MVAEHN.H^!U%G;9K_I[Z,^#I2/8J.+43`:34?1"MTFTHP*_0917QWJOCGN5 M[KH$5(861,1%CC1'O:Y53;E>Y4^'WBJR#BFT2TV34S'-0+3 M2V[*\;IJYE+<*6>F9''%4T_/NCTY8F>*B.55=(BHB*CT#X]7BO$9QH:UZ:Y- MJ3HM4Z2Z9Z77IF2I!=Z^.>YWFXQ.:Z%B1L1%C8BL:B[HBO\`4ZHZ?X?=]7-+<"+]F!H```````````````` M``````````````````$+ZEF4=VC?:UHED6O\-I^I14 MEYTZOD[_`&KM^[L[P)H`YG4S3K%M6\`OVFN:T/A=DR*BDH:N-%V1S6KY`/WISCN08C@EBQ;*LK=DUUM-#%15-X?2^#/KG1MY4F?'SOV M>Y$17>,J*[=>S?9`Z,````````!XZAL[H)&TLK(YE8J1OD8KVM=MV*K45%PRP5^599>J.T6>UP.J:RNK)FQ0P1-[W.<[L1`*XV/I,>"R_P"20XU2ZQ1T M\E3-U$%96VFMI:*1^^W\_+$UC$_RGJUOQ@6?CDCFC;+%(U['M1S7-7='(O>-W*^)]7+'2H]JIW.;U^Z+Y%1%`]'AJX?M-;;P; MXAI)<<4H*BT9'BE+/?87P-WK*JKIVR5$KUVW5_.]>5R]K4:Q$5.5-@C_`**S M([Q<>&6MPJ\UDE5)I[E]VQ6&23VW4Q+'.U/S)X2K43R(B(G8@$E\9?#QD_$[ MIE:=,+'E-)9+:[(Z&XW[PCK/X[;H>=7T[>3^DKUC>F_9O&@'-<==5H%IYPBY M5B.>VVPT=MDL=1;L4LS88VO6XI"K:1*.)$W:Z.16.YF)XC455[-]P[G@TL.: MXOPL:8V#4*.IBOU'CU,RHAJ45)H&;*L,3T7M:YD2QL5J]J*U47N`K+TLOX@O M.!%^S`T````````````````````````````````````````````````````` M```````````````````````````````````````````````````````````` M``````````,_]+_=DM7O-_3?86<#0```````````CO6S1:V:XX[18W=,ZS;% M8Z&M2N;58I>G6VIE8;G&H& M:5U[MC+I"W*;V^Z5"243V5#8:=5:BMY^IVY4[W*@'?<-6OVF]RX.,/U;N.4T M-/9\=Q2EAOD\D[?XG4TE.V.HB>F^Z/YV+RM7MK MVHM5%8+9E^37?-9JBN?U;*>CDZN))'JO^*?`M6M5GLLH'T5NE[^2AI.MZN)C%]HJINBINU(]^5` MNS8K_8LHM%-?\9O5!=[76LZRFK:&I944\[=U3F9(Q5:Y-T5-T7R`9_=,-05U MUL&BMKM=Q?;ZRLS18*>K9OS4\KV,:V1-E1=VJJ+WIW`2/HKPA<66GNJ-@S+/ MN-O(LSQ^USOEKK%4PU*15S%C>U&.5]0YO8YS7=K5]J!F'2>ZC M83J5J35Y[D5!@6]7?ZMKVRU:2>AWO':*HQJLHO0V:U]6C*=U+R\O4HQNR-8C41$1-MD3L M`XG(^%SA^RW![!IMDFEEGK\8Q97+9[9*C^IHU=OS*Q$=OV[KWJO>!Q_X/[@T M^#YB_P"I+^^!-.&89BVGF+V_"\*LM/:+':8NIHJ*G14C@9S*[E;NJKMNJKW^ M4"C/2R_B"\X$7[,#0``````````````````````````````````````````` M```````````````````````````````````````````````````````````` M````````````````````S_TO]V2U>\W]-]A9P-```````````````````!G_ M`-++^(+S@1?LP-`````````````````````````````````````````````` M```````````````````````````````````````````````````````````` M`````````````````#/_`$O]V2U>\W]-]A9P-```````````````````!G_T MLOX@O.!%^S`T```````````````````````````````````````````````` M```````````````````````````````````````````````````````````` M```````````````,_P#2_P!V2U>\W]-]A9P-```````````````````!G_TL MOX@O.!%^S`T````````````````````````````````````````````````` M```````````````````````````````````````````````````````````` M``````````````,_]+_=DM7O-_3?86<#0```````````````````9_\`2R_B M"\X$7[,#0``````````````````````````````````````````````````` M```````````````````````````````````````````````````````````` M````````````S_TO]V2U>\W]-]A9P-```````````````````!G_`-++^(+S M@1?LP-`````````````````````````````````````````````````````` M```````````````````````````````````````````````````````````` M`````````#/_`$O]V2U>\W]-]A9P-```````````````````!G_TLOX@O.!% M^S`T```````````````````````````````````````````````````````` M```````````````````````````````````````````````````````````` M```````,_P#2_P!V2U>\W]-]A9P-```````````````````!G_TLOX@O.!%^ MS`T````````````````````````````````````````````````````````` M```````````````````````````````````````````````````````````` M``````,_]+_=DM7O-_3?86<#0```````````````````9_\`2R_B"\X$7[,# M0``````````````````````````````````````````````````````````` M```````````````````````````````````````````````````````````` M````S_TO]V2U>\W]-]A9P-``````````````@W(>.#A,Q3-)=/L@UUQFDOE/ M.M+/"LKW0P3(NSF25#6K#&Y%['(YZ0,_^EE_$%YP(OV8&@``````````````````````````````` M```````````````````````````````````````````````````````````` M```````````````````````````````!G_I?[LEJ]YOZ;["S@:`````````` M``"$>-C4:[:3\*>I6=6"KDI;G1V5U-1U,;MGP3U,C*9DK5\CFNF1R+[Z(!PW M#CPC:)>H\Q33G(=/[-7-RO%Z:MOE7-11NJIZRKIVRR3=WR-;4(QJ>1K&IY M`)&XQ.'?(N)W3VQZ:6O*Z>RV=N24-SR%DJ2*MPM\/.KJ9JL[E5SF/15[$6-J M^0"NG2`7?A%GT6OG#WB5FQ>NU0IY*2WXMC>.6ILESHZ_K8U8QC8&;PIU:NYD M54YFJJ;*JH@%U=(+;E=GTFPFT9W.Z;):'';;37F1S^=7US*:-L[E=_259$>N M_E`HETPUZJ[3_`1X,R)W)E=16ISHJ^N0^#;FF?NO-MLB=GOA9X``````````` M`````````````````"KFL?$[J#I_QJ:1\.]DMUBEQG.[?-57.>IIY75D;V^$ M[)$]LB,:GK+/;,=WK\P6C`````````````````````````````CCB.U$OFDF MA&=ZFXS!1S77&;'57*CCK8W/@=+&Q7-1[6N:Y6[]Z(Y%^,#Y/"7JSDNN?#MA M6K&84UOI[QD5'+45<5OB?'3MD>FB[O)X'9W?^H&A(`````````!' M>MFE%YU=QVBL-DU;S'3Z:DK4JW7#%ZME/43M2-[>I>YS7(L:J]';;=[6@5YX MA^&?+[#P6:RX4_5[.]2Z^Y6R.[4[\FJV5,\"4,C*ET4'(U/;)"O9LJJNVP$N M<-.KF&7KA'P75&HO])#9K9A](^ZU;Y4Y*22DIFLJFO7R*Q\4B+^;XP(7Z,-( ML1X5]4:QN],]>95VV7?N4"7== MN+?$-%;-IUFD-%1Y-A>>9'3V";):"[1+0VQDRKM5.D:U[98T1DJKLYO\VO:! MQ/'AHUPZ5G#SJ-JGE6&XM;_P!?C='/5SU*JLT^[/6Y9%7M5[X^1ZJO M:JN55[P(EZ0G@[S[BUL&%0Z=959+)=<1KZFK1UVDF9%(V9L2=CHHY'(YJQ(J M=FW_`.@0W0<*'2MP5</[0S&IL/TGXK,4QVSU%8^ MX2TE/32O:ZH>QC'2;R4SEW5L;$[]O%`[3U,?2F?#9QWZ%]T`>ICZ4SX;.._0 MON@#U,?2F?#9QWZ%]T`>ICZ4SX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ4SX;.. M_0ON@#U,?2F?#9QWZ%]T`>ICZ4SX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ4SX; M.._0ON@#U,?2F?#9QWZ%]T`>ICZ4SX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ4S MX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ4SX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ M4SX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ4SX;.._0ON@#U,?2F?#9QWZ%]T`>I MCZ4SX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ4SX;.._0ON@#U,?2F?#9QWZ%]T` MXG(>CYX^\KU&L&KF0\56)UN7XO$Z"T71]-*DE)&[GW:UJ4R,7^ MICZ4SX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ4SX;.._0ON@#U,?2F?#9QWZ%]T M`>ICZ4SX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ4SX;.._0ON@#U,?2F?#9QWZ% M]T`>ICZ4SX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ4SX;.._0ON@#U,?2F?#9QW MZ%]T`>ICZ4SX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ4SX;.._0ON@#U,?2F?#9 MQWZ%]T`>ICZ4SX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ4SX;.._0ON@#U,?2F? M#9QWZ%]T`>ICZ4SX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ4SX;.._0ON@#U,?2 MF?#9QWZ%]T`>ICZ4SX;.._0ON@'R,OX->DISW%[IA>7\8N,W*RWJF?1U]')2 M.:V>%Z;.8JMI45$5/>5%`\&!\$_2/:8XC;<$P3B_QBT6&T1NBHJ**D>YD+%> MKU1%?2JY?&U5[P/O>ICZ4SX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ4SX;.. M_0ON@#U,?2F?#9QWZ%]T`>ICZ4SX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ4SX; M.._0ON@#U,?2F?#9QWZ%]T`>ICZ4SX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ4S MX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ4SX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ M4SX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ4SX;.._0ON@#U,?2F?#9QWZ%]T`>I MCZ4SX;.._0ON@#U,?2F?#9QWZ%]T`>ICZ4SX;.._0ON@#U,?2F?#9QWZ%]T` M>ICZ4SX;.._0ON@#U,?2F?#9QWZ%]T`^5=^%7I5ZN9CZ;C1QV1K6[*O7U%+V M[_U8Z)47\Z]H'5\'_!+Q%Z2<2=]XA^('53'5L5,C.SM[&_&!>H```````````?Q41R*UR(J+V*B^4"KE[Z-?A4O=^ MK+JN,7V@MESJ_#J_';=?JJFL]5/OOS.IF.1&INB>*Q6M3N1$0">[_I?@.2Z< M56D5UQJF])]9;?0>2TTSGTL247(C$A8L*M=&U&HB)R*BIMV`?!DX=M&)M&HN M'ZJP2DJ<`@I4HXK/4SS3MCC1ZO;RRO>LJ/:]>9K^?F:NRHJ;(!"^.]&+PGV& M\T-SK,=R#(*2V2I-0VB]WV>JMU.Y.Y$@541S4_JO5S53L5%0"UL44<,;(88V MQQQM1K&-39&HGR)CI)'M8QB*YSG+LB(G>JJ!SN-:EZ<9G75%KP_4#&[[6T M:;U%/;+K!52PIOMN]D;E5O;[Z`=(```````````````````````````#@;QQ M`:#8]=*JQW_6W`;9R:&C>V.IDL]T@K6PN,T%\G5J16RJNU/%5O5VW*C87/1Z[[I MMLG;N!TP````````````````````````````'*YAJOI;IY54]#G^I6*XS4U< M:RT\-XO--1/E8B[*YC97M5R;]FZ=FX'J8SK=HOFMXBQ[#=7<*OUUG:YT5#;+ M_2551(UJ*YRMCCD5RHB(JKLG8B;@=J```````````````````````````#YU M9D6/V^\6_':^^V^FNMV;,^WT,U4QE15MB1'2K%&J\TB,1S5=RHO*BHJ[;@?1 M`YFVZGZ:WG(9<1L^H>,UU]@5R2VNFNU/+5L5OMD="UZO3;9=]T[`.F`````` M``````````(++[1D67-P"G?)4V=KV44-.^II'10PL>QBM:U M'=J%ZR7RJM%-K)E:4%\J:1_),MHIEB6IB1? M>=U[%V\O5\J^*KD4.#XUN%+2OANT3I>(KANQ:#!LSTJK[?7TU7;Y9=ZZF?41 MP20U/,Y>N1>M1SE=NKFM[#,EIESJ=3]1>+FJL%; MD^7:EWVMMD4]+75D\%M=(Q8^9E(UW5M5[IMN=$W1$VW`T7X8L0X9;'A$V2\+ M=!C\>-9#,V6>HLT[Y(YIHT5J(]'N5S'M1RHK%1')OVH!,8`````````````` M````````````1AQ/:GUFC'#YG^IUL5B7"PV.IGH%>U'-;5N;U<"N1>]$E>Q5 M3RIV`5?X>^CYT'U'X7;)?-6<:=D&=:D65F177*JNIEDN4-571]?&^.17>*L: M2,[.Y[FJKT=NH$@]&GJ7EF?<.3\>SJYR7&_:=Y#7X;55DSU?).VFZM\3G.7M M=RQS-C15[52/MW7=0+7````````````````````````````S7XJ,AX:;OT@L ML7%37VEF#85IC"QM-7I-(D]SFK5D8UD4"++(_J9E=LU%V1FZ@3GPFV#H[\MR MAV=<*MKQ9^262&1'OI6U=-74T4K5C>Y:>IY7\BHY6\_(K>W;?<"VH``````` M```````````````````?)RU,K7%KNF".M+.L7 M/R\W)XVV^W:!GCBMJXE+5TF^F"<2F:XO?+E58I=ZBU4^-1S1T%#2K!4MQ55RJY53E17;(B($\=)3J=EFGO#DVPX)=);;?]0\@H,.I*R%ZLEIVU M/.^5S7)VM58X7LYD[4ZS=-EV4"/.(/H]]!=.^%R]WG2G&76'.=.;))D5KRJE MJ)67*:KH8^O>^21'>,LB1O[.YCG(K.7E0"SW"]J?6ZS\/6`:G716+<;]8Z>: MO#62.@9#4V^NQ6*YOEJDDD5TR2OU6JOE`JKIO[JUJUYM;=]I1 M`>#CG3TM\3O"9J1<')#:*#+ZZRU=1)V1PRUJ4S8>95[$WY)5W7N1JKY`.RZ3 MK(:&P<%&H,55,QL]V;;[;1QK[:::2N@7E:GE5&-D=^9B@3IHQCU=B.CV"XI= M(W1UEEQJV6ZH8[O;+#2QQN1?G:H'9````````````````````````',ZDVG. MKYA%UM6FF6TN,9+41L;;[M54#:V*E>DC5*<2 MNGETN^4<0/$)9EL]0_P*W8DRWRT\S7,?X1SPJY[T;$R9O5HBJJO14[40 M#^<+FG?"5#ILNR)VHF MSMU"#>#JQVK3[CEXEM,],HHZ?3^C;:+BM#2_\$H;I-"UTD<;4\6/QGU+>5NV MR1-;MLQ-@O0``````````````````````````$`U?>Y5`@;HK()[CI%J-G_(Y*',]2[U=K<[EV;+3*V%J/3XN=LC?]`"Z MH```````````````````````````($Q/&^$G-^)7.,IQ^S6FZZQ8Y#24F1RU MD-4^>BC6)K(5BCJ/66[QQM3K(&]R^,[Q_&""^*'%<>P#CQX:?JQSJ'#-2[+=KBY&[I M%3(V9BO7XN=T;?\`2`GGBKRJTX[PMZI9+4UL'@GI,NC8)>9%9+)-2OCA:B]R M\[Y&-3W^9`.9X`L)T2M=&Q(TD1 M_K+=U614[5[$[-@^AKEH?@'$/IS7Z8ZCT$T]KK7,FCFII.KJ:.H8N\=1`_9> M21JJNR[*BHJM5%:JHH0CCG`33U&6XWD.M>O^H&JUNPRJ96V"R7^>-**&H9_- MS3M:F]0]ODYU3KA>+Q=*CPBX76K=WS5$NR4/8T,X-L6TESRJU@S#/\JU,U$J:5:%F19/4I*^BIEWWBI8D[(45%5%[579 M7(BM1SD4+"````````````````````````````C#(.'S#,DU^Q?B-KKG>F9+ MB5HJ;+14L4T24,D$R2\[I&+&LBO3KG;*V1J=B=B]NX=9J)I]B.JV$7G3K.[1 M'<[#?J5U)6TSU5.9B[*BM M.""!C8HHHVHUD;&ILUK43L1$1$1$0#R@```````````````````````````` M```````````````````````````````````````````````````````````` M```````````````````````````````````````````````````````````` $`'__V0`` ` end EOF /tmp/uudec << 'EOF' begin 664 doc/gawk_statist.pdf M)5!$1BTQ+C4*);7MKOL*-"`P(&]B:@H\/"`O3&5N9W1H(#4@,"!2"B`@("]& M:6QT97(@+T9L871E1&5C;V1E"CX^"G-T\X_JP MBD21^CCX4J`H$*"'M'M+<@B:)D"0!9(&2/]^AY3T].S8VQ:&[15%C2ARAM+& M+>#G'/%'2MC^N+JO+ICMMU^V%^_"]O&;(T^R_0WS2_Q^*ZZ; M5%^H'"`>[Z$A!,_EZ/,\,&?V(=,"GH8%O%PF\/)Y'CBU:'@[\#0LX.4R@9?/ M#>#8?*I'X&$X`.\N._#N\SPPA@6\7";P\GD>.!;V)1Z`IV$!+Y<) MO'QN``?RJ<@!>!@.P+O+#KS[W,@QJ)[:(<5]?,CP=-@3/#W^$X?[,/A8\BX" MF1,4/3W/`8K1$K[0EF4"3HMASL%MV)2;SX$.L,LR8:?%8.?@-JQ0]9'K@[-/ MRSI^MXP,],%MV*J3T$'5Q+QZ0=3.1!(]J&Z6F-DL M1:GJ8*J^YJ2FC-9K0-63-30J.$2(L!1/M9D%J4-&4Q3/5;LIU>0CB0*1YVC8 MM9ELBA=3`36QTU%KOF55<5+9$9MGL`A3J+TF)?F<$-=GVR,4.$D:QTBH&"L0 M%5^'!9\`%!LVZY;$/FJE<9J2R8`X>`%0!)V&$V>+J+'/4<^>=`_@9$'YNJ'U M?F\H,$`4V<))-'*1"EDT!T.U8/8UJ8K%LE#1TA&).VR,P#62%1L'-AJ/`Z@E M!E]*.AR241`5AEN98$I=@GNVF)!N[4A,B.23$JHQI1( ME(I/W0>/`;"&*/@&%]=%ID2BD+S4?HF@)BAHM;RKPO0RCB!4O^U58FK`-KG' M6YHJRN&9.).151K+$.[-4WAN$-34!F:G3-3ZSS&W:C=+B+B M05I420NAXF2K,1/WRQ3'[8\^QAW#E`$D//BC,M-<1)2V]&5H"3@X.#!:A8K, M*H%R#1Q<)T/2:?0&R,P+SD$\WQ,J-64F09*=4%RD5P(S8U7MST9'>(T,86%? M9::29AP?4K,7&UI*3[4JS9B)Q'2*"3J`EL.ET`8/15_G2BFT@JYBT629,G@T M(J$\;I\\U",IV37LE/71B@8^#F7,_B4L0QFS98CTMYE:>J<1Z0W6J6F$G7N+ M-8NE5HKUV$.G$?3EWE>F5+6)J%K<,ED7L?;PU\?MIPN>5OUK$?XCLR(!I14& M]':YNA3RP9W.T.#=Y1-6)_1!?!U(V^6]F>EID6JK>4Y2S8; M=.JL4I*F'>BX7#MH0K$=^0_?0^=;X-*91QI5*7TE5_>G*[Q M_DIO[NZP;3C=!Z49]%QQ&952YUZ=O[ZY?/O_9`XJV/:!NW26W-JCV M'GS,CK[%1B/.5^X?_9<8V@IE;F1S=')E86T*96YD;V)J"C4@,"!O8FH*("`@ M,3,X,@IE;F1O8FH*,R`P(&]B:@H\/`H@("`O17AT1U-T871E(#P\"B`@("`@ M("]A,"`\/"`O0T$@,2`O8V$@,2`^/@H@("`^/@H@("`O1F]N="`\/`H@("`@ M("`O9BTP+3`@-B`P(%(*("`@/CX*/CX*96YD;V)J"C(@,"!O8FH*/#P@+U1Y M<&4@+U!A9V4@)2`Q"B`@("]087)E;G0@,2`P(%(*("`@+TUE9&EA0F]X(%L@ M,"`P(#7!E("]'V<98^!&;1VQ>-A`>#H^!*"1EDK;II"3#C\YD0IG).K2-FS*==!J8 M3*$#DU*F4$*F4Y()+13:29M"8JGGK@2AS+33'_W5W3GW[KGWW/M]]]QSS^X" M`8`TF`49L,.;(E._6_M:'$"Y&X#I&Y[>QBKMJMAQ`BQN07UD4V3'%/D^0W6<#]BI+:-3:UZ>'$;] M`NHA2`$^OIU9D+%@A`+@H0B`Z#)D^81W.6MD+J>%-RGTO+/"46Z0Z7F77,-I MS)R&8S:8G2YSG]GE-/NK6CVK)S=&MIWNBYUEKBWL9)P+%QA526"%O9(M=9OK MR\JJ>4=M*+!U9GSA3^/C5V0_^&JU7U:`0%`"]T@!\:"G@.#LI.`OQ--"B0,# MUO@M\B5S%A:#'D"+9!SE&IV"-UF`U:@=Y14NZ](2WTKNLYG-6Z;)=.SFT8"? M](:/=)2I8T??^LE/R:]C'\>N'WL%*$X0RWD8ISANQ)D?QXNVLXCQ`#'0]\2D M4/)TF7J=@^ED8M_WS9P,%3! MU]M[M^^K=;I75[:_B7..X9S].*<*:TK1[=#P1/;:6$UVE4#NURXN"2VLI+[, MPT*%=FGH33!S+N+0./0\>D(C(\VQWY#ZNHD)X<;)->1G,6?7R?ND(O9+R6]\ M_!9#2Z['KN:M;!G;=V3#\B:[6:M)D0D% M6UJZ>YJ75Q6L\]9#TQ,O9B5N[R@-$LS([1W]>>;R7[DYHU;&`UCA`SJ MF6SD]0BE2*,U*71)'&_'RHWC.Y\9C?A>J@\&ZQM[NJ\QGW8-OGIPSRN=L;O, M&Y/SDY/AP2F0>+?&;81GKN)Z0>M0Z'79O(5Q5MQV/_>IS1FQF5N? M\OLI;PORA@3O;!Y732-0IUB3Y'U9HDU9`\YD3NZ-%I;",AQ,?6:RN)SN$HS4 M"LF%%N2<])_BD2?)X5V'/CRTLZ)XYLQ,\=:IA@:/N['R8&A574,WV5XU$]GU M3&2ZRN1;T;U^?7>Y[_?5CO)J;[GS=L?NSH[:FL2YE'!SP?SP7!JR^1)"`^'1 MUFF_1K9838[F6G[5AL7"HIJ2]E6D:F+MK@.C?_YK72A44QT,D(;!;X8QN:NQ,YXF'LHN<4#![2+#?(ND_:@7^5GP3"^@?0YF,RF78S(`M+S/4:O M_CUD=_<>,IOM#I$-3Y+K$)!73UU3/^5&.7W*I(,"@.-E#B-QD/S^^<&CWQID MTF.]Y$WIW".?\QA?F&/1ATMFE<#6Y&RS6SC6M3_]X M'1%D8PYOB2/8Z=\^?%YQO-1M-^>;TK2&AIK6WIZ.'FMA'I^NU395M?>=3N3- MI;@_BQ!O.3@?9AJ-SE'NUM/<640+S.Q*=PVI)HG3JRVOJ"89,IW!I;@0&;&G MIO*&9T!]#ZR:^,?1MPGSO3N-`+R1.OPSH&S@=4IA.K)?BS#+,+OL@ M3KI)A.P@>\E+S#GF.FMAR]@J]A1GBL?INQ%.D!`9POX]R7XM]E<^ZO_W%T&, MZ^15)Y'T.[P_(!]BO?<)>RL*/N%(?*$".;V(EYO%,9)L!FF1_^G_$ M_>\O?;+._I=6`RR2ZE2IU$EEUO\(\?_R8M*9,QBU(5B#=P#/5QAZH!'J\/NB M`+^?[L$'YA%0.(8!-!VR86!P4Q M,!T6@:_-$156H3HLM>T)LY=%HBW)L8O$QEX3TZUVD;&UA80F/LS919EM(H<5 M?4&!$WUANYABHT,YGMLE?&3\5=B(=L*"\4[8R'.BW"J(_NFPU!$.XWQRV^*! M/KNHL,V9R!%$9X\,#!A%P&F4MKE"JE9@1]8EIJ!VBRDR0K-1MCGJC_!1-LI+<#R=7/2A):Z/-HB^ M4:K@F`P)J?I*#L<9V2M1=`,.:D4VJY/<.,DLT\:S5Y+@/"NT=1LYD82%*"ZH ME8_R;+0URD?H@,006ME%-=V&+.2MH0N@#UE/+"!**SZR?NCQE="A6ALN(GJ8 MNBTPPD>5(AL4O,;WL$=G.PT^XJNO)VWS:A@&J:3&JP5:A@1^';+GZXU8$;X> M/>\+"6]CIFH8KG^;L`0KD1T6"L^4@A=M6F4V\#(M4([/%FPW MTS$H=*R%W,.,^``A[^#8`LRE5]!6CW7BPO\F^"[*392OT(I^N)]!09VAW[6S M*)=!2J2R$13\3Y+-`Z24H9Q`N00@Q_>/?"@IJ"O03C%+_Z^D5>60=V`$MB=7 MS]#WD+18%:3,D_@AD;P`;:(J*,P1\F)XSD^C653C0=6%\&$VG(]1-R"`F,(V MB3)K(Q'EB0=1P3:]"_)]<6"L)Q=DLUN@S`,Q^]Y"A^[0P4D+6DEA#1U%P[[T-@>@":F11HA"O3`VR^.JT[: M`?*+_?>'[&2GYJ5QPP+91YA,BPOT@[,!Y^D6#,(9+X,3A00[F.5^2W\S=EYD M,;A=YP7'QO63J"K(/J-S7L(*FV<[G?%)`$#V'BR&P5U@\WUJV=3>O/_!$=T" MN:AKL-C'=*^=?^M&A"P%;QL;_<.R;F/8G^)K]0@RW0MNR4P69]\9#)V[H*CR MO(:J[VN!SO[S2<4AY]YT(]N1[(KMBE@R2^*"N2#> M,>^(]\S[R)ISZI3SP#D/D4NN6Z:ZS(I8'EES)#OK%>E5R5P2:V9-S'I%>LT: M31K)=275U=R_IOY+[KFDGDO#;(BYYWC0T.[3H?'1GA][,;<0XDK28TB[H"T, M#A_OQ4^>HM+W"V%IHZP*96YD7!E("]&;VYT1&5S8W)I<'1O<@H@ M("`O1F]N=$YA;64@+UE50U5-6"M&2`H M1G)E95-A;G,I"B`@("]&;&%G7!E("]086=EVL5J9GN:T]"$A>F.$V6 M#;LDOV&FU7K=)?8((JK[M3G)>T3>CCMIE&#;27CU'40WI\O(.]7PD5 M5)MNP=?4Y3SB@HHXC+S""2D@JO'*TW;/$6"WSM<\<6!V?L0++6U50+)Y[I0L=9] MBDW(Z5GW!:;,:6F-K.LS#);:1(*0Y(8KFX,9A%041AA MH5(D:'A5177'7%4BY-4Z4&24&"GN?N?N](R#/\]B-4&70ZFNB5.4S8$:/&]' MJB2HBTRX(\J]*?-5XY53731ZNV/_`!)W5_/EG\[1ZNV/_$G=7\^6?SM(':`V M>8PG9'.,NQW=+=2/9U%%+F1'5SJS+H=!M5%>.^]Z:L&$;,[7;=2G;/$<*KXE MI(3ID6SHE)LI*?SICRF^[_N:Z7.T6"6N.8MA#BT3757UY^L=K,%R;M1Y!%S&B&X@66,U60L5LMYPX!V+#[\5Z0]%ZN MY?<1ENO$"<`E#NEZ53G5_``;`6VP$0%$$1%.$1$\D1-9:CFU-]1U>Y>^L>SN M8,1TL^AF@/R`;)1]%J).>"5%XY1?']VJ9Z7XG]Z*C\:U_P!:/2_$_O14?C6O M^M2WM393C$CLX[DL1\CJW77,:G"`!,;(B56BX1$1?%=6G4IW]5(1[;9$[X1Z MC<"J[XE\A^E@_7AS_5V:VG^4U5M>?\NVVP/=SM/3H.84PV;6+X+!+I^E/,]# MDV?*Z4Y:,554&&2JB^2&*^U-,OJH[`_<+_U)OSM/>$8#B6W-.=#AE3]7P''R MDDUW[KO+A(**74X1%Y"/ASQX:T+[9[:/*K9^^R?:W$+BSE=/?S9]'&D/N](H M(]3A@I%P(B*CU?=A?@C@/Y:A?+UB[V>-@'V MR9>V-V^<;-%$@+&82H2+YHJ*WXIKBKV=JC'/TVT&(0JR8DNI_M^KY M:.L-![T8%DO<2:5]SZ?M"VF`7F#95BE)FT*QBJ$>ZQ*0E9:PY(*AL2AKYSBL M&;3H-NIQ,3D@\`\>-8X/VS=N)%&Q3[J+8X;N/#BC]98A.J9;=A(DHJ@JU[*M M]:DTL<^/`6G"\W[!=P,4W(I3O<2L3DL,/E$E,OQG8TF')%!4V'V'1%UET4( 554#%"X(5XX5%5BT:-&C1HT:-&O_9 ` end EOF /tmp/uudec << 'EOF' begin 664 doc/lflashlight.pdf M)5!$1BTQ+C4*);7MKOL*-"`P(&]B:@H\/"`O3&5N9W1H(#4@,"!2"B`@("]& M:6QT97(@+T9L871E1&5C;V1E"CX^"G-TGW2.$%Z;0%%BC2.O_$X"JGG3NOE(ON(,M.1 MI%5W:]P_"5Z_2#A'G$BQJ4_OM#]`6/!,`0\X0ENWW157GFIW9I<]G'(2!Q6> M1/'Y@D=LZ8H(D24'J..4$V8,/7$*BE#+,<%Y#CG#KUI35P4^<5IIUP0?VMR. M#F7&9>C$6760%K?;FBB@/M1TSV/8,FS!VU7\FSO&V*S,\&=%^Z6/VTC?T7KF M9<2_D;K^V7V^^*U?H,O\(ZKI?Z`QJ4.+25OZ!CV:=U8*96YD7!E("]'$ MC=>I+TZ63!.0?'P17T+JGJIJT*ZRKKB"S9U,^--AR01QF1&=%QIT5\"$A54) M/FBZV=----0&:X%AFXU*6/9SC4"Z@*:.BU*:0E:<'\+C9?B;<%>HF"H0KU14 M75==D^FBU^TQV[#TM\\@OKBR)^9*=(G'3&&Q%;4S)27N^*K MK=[3@)#VI>S!KU96&V]5DK#B>()$FM&\B?(X_?M+_BX2:M5QMMULFG0$P-%$ MA).**B^**GMUZX;O;);?X[F&WDO`H5C@\C*LQ2MN7,2M)-,DZ.5;/?)'6XI@ MV9*XPT7.0J?J^/5>/>>CMC_Q)W5^O+/[VGH[8_\`$G=7Z\L_O:>CMC_Q)W5^ MO+/[VM?8)B?47N[6(R,DO;F%CF;,0:URYLGI\AF.YC]/*)OO72(U'OI+Y(BK MTYUX:FLNV`VCSJ^D9-E6)>764I`%U_R^4US(`H(^J#@BG`11.B>S4/Z*.P/N M%_U)OWM8=E"/#K-CJ?'(0B`8[87%$0(2ERE#LY,=>J]51>[YD5?%"1?;K8[4 MI([L/E-0/]V^"+01Q]I/SY;,1H4^:F^*:M;52;\S(D#(MGI4Z4S'9#<`.9QT MT`1_HUIXJO1-6)YWXG[T5'ZUK]VGG?B?O14?K6OW:>=^)^]%1^M:_=JN]D)D M2?GN^OFAB MDEZ+7\OY) M3+>NCC$JK&T90VXD<)LLFF7&63)9#AM*XO.U&0!/BYRVAYO=HW-O6R3.:#;J MO/@JPL6C):V2)[46?-;1@5X=%08:JB\>!^"Z\]?V8MEPE):Y3B09O;\%1;/, M7CNY"GH^["_!'`?IJ%]O3T?= MA?@C@/TU"^WKI\8P[$<)@.56&8M44$)UY9#D:K@M16C=41%34&Q1%)1$4X\. 0/`43V)J8TTTTTTTTTU__V0`` ` end EOF /tmp/uudec << 'EOF' begin 664 doc/rflashlight.pdf M)5!$1BTQ+C4*);7MKOL*-"`P(&]B:@H\/"`O3&5N9W1H(#4@,"!2"B`@("]& M:6QT97(@+T9L871E1&5C;V1E"CX^"G-T`_), M)Y*:?=CC[D7P_D/"*>!,BD,Y^J2G9P@+7LGC'B>C!18+/XR>71J1:AR<RU7*ULWAIV.;VM06MICOW M09C++:I=GO_.;Y.[_A5[L^F;V*5'1' M4W1A=&4@/#P*("`@("`@+V$P(#P\("]#02`Q("]C82`Q(#X^"B`@(#X^"CX^ M"F5N9&]B:@HR(#`@;V)J"CP\("]4>7!E("]086=E("4@,0H@("`O4&%R96YT M(#$@,"!2"B`@("]-961I84)O>"!;(#`@,"`U-RXW-2`R-2XS-2!="B`@("]# M;VYT96YT7!E("]086=EF4@.`H@("`O4F]O="`W(#`@4@H@("`O26YF;R`V(#`@4@H^/@IS=&%R 1='AR968*,3`S-0HE)45/1@H` ` end EOF echo Extracting po/bg.po cat << \EOF > po/bg.po # Bulgarian translation of GNU gawk po-file. # Copyright (C) 2021, 2022, 2023, 2024, 2025 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # Alexander Shopov , 2021, 2022, 2023, 2024, 2025. # msgid "" msgstr "" "Project-Id-Version: gawk-5.3.1b\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2025-02-28 18:58+0100\n" "Last-Translator: Alexander Shopov \n" "Language-Team: Bulgarian \n" "Language: bg\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Bugs: Report translation errors to the Language-Team address.\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #: array.c:249 #, c-format msgid "from %s" msgstr "от „%s“" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "опит скаларна стойност да се ползва като масив" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "опит скаларният параметър „%s“ да се ползва като масив" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "опит скаларът „%s“ да се ползва като масив" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "опит масивът „%s“ да се ползва в скаларен контекст" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "изтриване: индексът „%.*s“ не е в масива „%s“" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "опит скаларът „%s[\"%.*s\"]“ да се ползва като масив" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "%s: първият аргумент трябва да е масив" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "%s: вторият аргумент трябва да е масив" #: array.c:901 field.c:1150 field.c:1247 #, c-format msgid "%s: cannot use %s as second argument" msgstr "%s: не може да ползвате „%s“ като втори аргумент" #: array.c:909 #, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "" "%s: първият аргумент не трябва да е таблицата от символи, ако няма втори " "аргумент" #: array.c:911 #, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "" "%s: първият аргумент не трябва да е таблицата от функции, когато липсва " "втори аргумент" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" "asort/asorti: ползването на един и същи масив като източник и като цел, без " "да е даден трети аргумент, е неуместно." #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "%s: вторият аргумент не трябва да е подмасив на първия" #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "%s: първият аргумент не трябва да е подмасив на втория" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "%s: неправилно име на функция" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "функцията „%s“ за сравнение при подредба не е дефинирана" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "блоковете „%s“ изискват част за действие" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "всяко правило трябва да има шаблон или част за действие" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "" "старите версии на awk не поддържат повече от едно правило „BEGIN“ и „END“" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "„%s“ е вградена функция и не може да се предефинира" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "" "константата за регулярен израз „//“ изглежда като коментар на C++, но не е" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "" "константата за регулярен израз „/%s/“ изглежда като коментар на C, но не е" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "повтарящи се стойности за „case“ в тялото на „switch“: %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "повтарящи се стойности за „default“ в тялото на „switch“: %s" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "„break“ не може да се ползва извън цикъл или „switch“" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "„continue“ не може да се ползва извън цикъл" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "„next“ е ползван в действие „%s“" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "„nextfile“ е ползван в действие „%s“" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "„return“ е ползван извън функция" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" "обикновеният „print“ в правилата „BEGIN“ и „END“ вероятно трябва да е „print " "\"\"“" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "„delete“ не може да се прилага към таблицата със символи" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "„delete“ не може да се прилага към таблицата с функции" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "„delete(МАСИВ)“ е разширение на tawk, което не се поддържа навсякъде" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "двупосочните многостепенни конвейери не работят" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "" "свързване, защото целта на пренасочването на входа/изхода с „>“ не е " "еднозначна" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "регулярен израз в дясната страна на присвояване" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "регулярен израз в лявата страна на оператор „~“ или „!~“" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "старите версии на awk поддържат ключовата дума „in“ само след „for“" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "регулярен израз в дясната страна на сравнение" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "„getline“ без пренасочване не може да се ползва в правило „%s“" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "„getline“ без пренасочване не може да се ползва в действие „END“" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "старите версии на awk не поддържат многомерни масиви" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "ползване на „length“ без скоби не се поддържа навсякъде" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "недиректното извикване на функции е разширение на gawk" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "" "специалната променлива „%s“ не може да се ползва за недиректно извикване на " "функция" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "опит да се извика „%s“, което не е функция" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "неправилен индексиращ израз" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "ПРЕДУПРЕЖДЕНИЕ: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "ФАТАЛНА ГРЕШКА: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "неочакван нов ред или край на низ" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" "файловете с изходен код/аргументите на командния ред трябва да съдържат цели " "функции или правила" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "изходният файл с код „%s“ не може да се отвори за четене: %s" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "споделената библиотека „%s“ не може да се отвори за четене: %s" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "непозната причина" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "„%s“ не може да се вмъкне, за да се ползва като файл с програма" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "файлът с изходен код „%s“ вече е вмъкнат" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "споделената библиотека „%s“ вече е заредена" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "„@include“ е разширение на gawk" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "празно име на файл след „@include“" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "„@load“ е разширение на gawk" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "празно име на файл след „@load“" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "празен текст на програма на командния ред" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "файлът с изходен код „%s“ не може да се отвори: %s" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "файлът с изходен код „%s“ е празен" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "ГРЕШКА: неправилен знак „\\%03o“ в изходния код" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "файлът с изходен код не завършва с нов ред" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "незавършен регулярен израз свършва с „\\“ в края на файл" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" "%s: %d: модификаторът на регулярен израз на tawk „/…/%c“ не работи в gawk" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "модификаторът на регулярен израз на tawk „/…/%c“ не работи в gawk" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "незавършен регулярен израз" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "Липсва нов ред в края на файла" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "ползването на „\\ #…“ за пренасяне на ред не се поддържа навсякъде" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "„\\“ не е последният знак на реда" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "многомерните масиви са разширение на gawk" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX не поддържа оператора „%s“" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "операторът „%s“ не се поддържа от старите версии на awk" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "незавършен низ" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "POSIX не позволява дословен знак за нов ред в низовите променливи" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "пренасянето на низ с „\\“ не се поддържа навсякъде" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "неправилен знак „%c“ в израза" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "„%s“ е разширение на gawk" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX не позволява „%s“" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "„%s“ не се поддържа от старите версии на awk" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "„goto“ се счита за вреден!" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d е неправилен брой аргументи за „%s“" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "" "%s: низов литерал като последен аргумент при заместване няма никакъв ефект" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "третият параметър на „%s“ е обект, който не може да се променя" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match: третият аргумент е разширение на gawk" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close: вторият аргумент е разширение на gawk" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "неправилна употреба на „dcgettext(_\"…\")“: изтрийте първия знак „_“" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "неправилна употреба на „dcngettext(_\"…\")“: изтрийте първия знак „_“" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "index: не се приема константа-регулярен израз като втори аргумент" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "функция „%s“: параметърът „%s“ засенчва глобална променлива" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "„%s“ не може да се отвори за запис: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "извеждане на списъка с променливи на стандартния изход" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "%s: неуспешно изпълнение на „close“: %s" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "„shadow_funcs()“ е извикана повторно!" #: awkgram.y:4980 msgid "there were shadowed variables" msgstr "има засенчени променливи" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "вече има дефиниция на функция с име „%s“" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "" "функция „%s“: името на функцията не може да се ползва за име на параметър" #: awkgram.y:5126 #, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" "функция „%s“: параметър „%s“: POSIX не позволява ползването на специална " "променлива като параметър на функция" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "" "функция „%s“: параметърът „%s“ не може да съдържа пространство от имена" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "функция „%s“: параметър №%d, „%s“ повтаря параметър №%d" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "функцията „%s“ е извикана, но не е дефинирана" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "функцията „%s“ е дефинирана, но никога не е извикана пряко" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "константата-регулярен израз за параметър №%d дава булева стойност" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "функцията „%s“ е извикана с интервал между името и „(“,\n" "или е ползвана като променлива или масив" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "опит за делене на нула" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "опит за делене на нула в „%%“" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "" "не може да се присвои стойност на резултата на последващо увеличаване на поле" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "неправилна цел на присвояване (код за операция „%s“)" #: awkgram.y:6266 msgid "statement has no effect" msgstr "изразът е без ефект" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" "идентификатор „%s“: квалифицирани имена не са позволени в традиционния " "(POSIX) режим" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "" "идентификатор „%s“: разделителят за пространство от имена трябва да е две " "двоеточия, не едно" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "квалифицирания идентификатор „%s“ е неправилен" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" "идентификатор „%s“: разделителят за пространство от имена може да се ползва " "само веднъж в квалифицирано име" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" "резервираният идентификатор „%s“ не трябва да се ползва като пространство от " "имена" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" "резервираният идентификатор „%s“ не трябва да се ползва като втора част от " "квалифицирано име" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "„@namespace“ е разширение на gawk" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" "името на пространство от имена „%s“ трябва да спазва правилата за " "идентификатор" #: builtin.c:93 builtin.c:100 #, c-format msgid "%s: called with %d arguments" msgstr "%s: извикана с %d аргумента" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "%s към „%s“ не успя: %s" #: builtin.c:129 msgid "standard output" msgstr "стандартен изход" #: builtin.c:130 msgid "standard error" msgstr "стандартна грешка" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s: очаква се нечислов аргумент" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp: аргументът %g е извън допустимия диапазон" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "%s: получен е аргумент, който не е низ" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: буферите не може да се изчистят — програмният канал „%.*s“ е отворен " "за четене, а не за запис" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" "fflush: буферите не може да се изчистят — файлът „%.*s“ е отворен за четене, " "а не за запис" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush: буферите към файла „%.*s“ не може да се изчистят: %s" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" "fflush: буферите не може да се изчистят — страната за запис в двупосочният " "програмен канал „%.*s“ е затворена" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "" "fflush: „%.*s“ не е нито отворен файл, нито програмен канал, нито копроцес" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "%s: първият получен аргумент трябва да е низ" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "%s: вторият получен аргумент трябва да е низ" #: builtin.c:595 msgid "length: received array argument" msgstr "length: получен е аргумент-масив" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "„length(масив)“ е разширение на gawk" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "%s: получен е аргумент, който е отрицателно число, а не трябва: %g" #: builtin.c:698 builtin.c:2949 #, c-format msgid "%s: received non-numeric third argument" msgstr "%s: третият аргумент трябва да е число" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "%s: вторият получен аргумент трябва да е число" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: дължината %g трябва да е ≥ 1" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: дължината %g трябва да е ≥ 0" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: дължината %g, която не е цяло число, ще бъде отрязана" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "" "substr: дължината %g е прекалено голяма за индексиране на низ, тя ще бъде " "отрязана до %g" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: началният индекс %g е неправилен, ще се ползва 1" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "substr: началният индекс %g, който не е цяло число, ще бъде отрязан" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: изходният низ е с нулева дължина" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: началният индекс %g е след края на низа" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: дължината %g при начален индекс %g е по-голяма от дължината на " "първия аргумент (%lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "" "strftime: стойността за форматиране в PROCINFO[\"strftime\"] е от цифров вид" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "" "strftime: вторият аргумент е или по-малък от 0, или прекалено голям за time_t" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "" "strftime: вторият аргумент е извън диапазона на позволени стойности за time_t" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: получен е празен форматиращ низ" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "" "mktime: поне една от величините е извън стандартния диапазон на позволени " "стойности" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "в безопасен режим функцията „system“ е изключена" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "" "print: опит за писане към затворения за запис край на двупосочен програмен " "канал" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "указател към неинициализирано поле „$%d“" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "%s: първият аргумент трябва да е числова стойност" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: третият аргумент трябва да е масив" #: builtin.c:1604 #, c-format msgid "%s: cannot use %s as third argument" msgstr "%s: „%s“ не може да се ползва като трети аргумент" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: третият аргумент „%.*s“ се приема за 1" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s: недиректно извикване е възможно само с два аргумента" #: builtin.c:2242 msgid "indirect call to gensub requires three or four arguments" msgstr "недиректното извикване на „gensub“ изисква три или четири аргумента" #: builtin.c:2304 msgid "indirect call to match requires two or three arguments" msgstr "недиректното извикване на „match“ изисква два или три аргумента" #: builtin.c:2365 #, c-format msgid "indirect call to %s requires two to four arguments" msgstr "недиректното извикване на „%s“ изисква два, три или четири аргумента" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): не са позволени отрицателни стойности" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f): десетичните дроби ще бъдат отрязани до цели стойности" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "" "lshift(%f, %f): прекалено големите стойности за побитово изместване дават " "странни резултати" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f, %f): не са позволени отрицателни стойности" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): десетичните дроби ще бъдат отрязани до цели стойности" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "" "rshift(%f, %f): прекалено големите стойности за побитово изместване дават " "странни резултати" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "%s: извикана без или с един аргумент" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "%s: аргумент %d трябва да е число" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%s: аргумент %d не приема отрицателни стойности като %g" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): отрицателни стойности не се приемат" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): десетичните дроби ще бъдат отрязани до цели стойности" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: „%s“ не е поддържана категория локали" #: builtin.c:2842 builtin.c:2860 #, c-format msgid "%s: received non-string third argument" msgstr "%s: третият получен аргумент трябва да е низ" #: builtin.c:2915 builtin.c:2936 #, c-format msgid "%s: received non-string fifth argument" msgstr "%s: петият получен аргумент трябва да е низ" #: builtin.c:2925 builtin.c:2942 #, c-format msgid "%s: received non-string fourth argument" msgstr "%s: четвъртият получен аргумент трябва да е низ" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "intdiv: третият аргумент трябва да е масив" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "intdiv: опит за делене на нула" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "typeof: вторият аргумент трябва да е масив" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" "„typeof“ засече неправилна комбинация от флагове „%s“. Молим да докладвате " "тази грешка" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "typeof: непознат вид аргумент „%s“" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "в безопасен режим не може да се добави нов файл (%.*s) към ARGV" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "Въведете изрази на (g)awk. Завършете командата с „end“\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "неправилен номер на рамка: %d" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "info: неправилна опция — „%s“" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "source: „%s“: вече е вмъкнат" #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "save: „%s“: командата не е позволена" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" "командата „commands“ не може да се използва за точки за прекъсване или " "наблюдение" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "не са зададени точки за прекъсване или наблюдение" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "неправилен номер на точка за прекъсване или наблюдение" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "" "Въведете команди за изпълнение, по една на ред, при достигането на %s %d.\n" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "Завършете командата с „end“\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "командата „end“ може са се ползва само в командите „commands“ и „eval“" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "командата „silent“ може са се ползва само в командата „commands“" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "trace: неправилна опция — „%s“" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "condition: неправилен номер на точка за прекъсване или наблюдение" #: command.y:452 msgid "argument not a string" msgstr "аргументът трябва да е низ" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "option: неправилен аргумент — „%s“" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "няма функция с име „%s“" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "enable: неправилна опция — „%s“" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "неправилен диапазон: %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "нечислова стойност за номер на поле" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "номерът на поле не приема нечислови стойности" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "цяло число над 0" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" "backtrace [БРОЙ] — извеждане на състоянието на този БРОЙ рамки на изпълнение " "най-отгоре на стека (или най-отдолу, ако БРОят < 0)" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "" "break [[ИМЕ_НА_ФАЙЛ:]РЕД|ФУНКЦИЯ] — задаване на точки на прекъсване на " "зададеното място" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "" "clear [[ИМЕ_НА_ФАЙЛ:]РЕД|ФУНКЦИЯ] — изтриване на вече зададени точки на " "прекъсване" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" "commands [НОМЕР] — начало на списък с команди за изпълнение при това " "достигане на точката за прекъсване или наблюдение" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" "condition НОМЕР [ИЗРАЗ] — задаване или изчистване на условие при достигане " "на точка за прекъсване или наблюдение" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "continue [БРОЙ] — продължаване на изпълнението на трасираната програма" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "" "delete [ТОЧКА_НА_ПРЕКЪСВАНЕ…] [ОБХВАТ] — изтриване на зададените точки на " "прекъсване" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "" "disable [ТОЧКА_НА_ПРЕКЪСВАНЕ…] [ОБХВАТ] — изключване на зададените точки на " "прекъсване" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "" "display [ПРОМЕНЛИВА] — извеждане на стойността на променливата при всяко " "спиране на програмата" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "down [БРОЙ] — преместване с този БРОЙ рамки надолу в стека" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "" "dump [ИМЕ_НА_ФАЙЛ] — извеждане на инструкциите във файл или на стандартния " "изход" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" "enable [once|del] [ТОЧКА_НА_ПРЕКЪСВАНЕ…] [ОБХВАТ] — включване на зададените " "точки на прекъсване" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "end — завършване на списък на команди или изрази на awk" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "" "eval ИЗРАЗ|[ПРОМЕНЛИВА_1, ПРОМЕНЛИВА_2, …] — изчисляване на изрази на awk" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "exit — (същото като „quit“) изход от дебъгера" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "finish — изпълнение до приключване на изпълнението на текущата рамка" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "" "frame [НОМЕР] — избор и отпечатване на рамката за изпълнение с този НОМЕР" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "" "help [КОМАНДА] — извеждане на списъка с команди или обяснение за КОМАНДАта" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "ignore N БРОЙ — точка на прекъсване N да се прескочи този БРОЙ пъти" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info ТЕМА — source|sources|variables|functions|break|frame|args|locals|" "display|watch" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "" "list [-|+|[ИМЕ_НА_ФАЙЛ:]НОМЕР_НА_РЕД|ФУНКЦИЯ|ОБХВАТ] — извеждане на " "указаните редове" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "" "next [БРОЙ] — трасиране на програмата като извикванията на функции са една " "стъпка" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" "nexti [БРОЙ] — изпълнение на този брой стъпки от програмата като " "извикванията на функции са една стъпка" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "option [ИМЕ[=СТОЙНОСТ]] — задаване или извеждане на опция на дебъгера" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "" "print ПРОМЕНЛИВА [ПРОМЕНЛИВА] — извеждане на стойността на променлива или " "масив" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "printf ФОРМАТ, [АРГУМЕНТ], … — форматиран изход" #: command.y:872 msgid "quit - exit debugger" msgstr "quit — изход от дебъгера" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "" "return [НОМЕР] — рамката за изпълнение с този номер да се върне към " "извикалата я" #: command.y:876 msgid "run - start or restart executing program" msgstr "run — (наново) начало на изпълнение на програма" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "save ФАЙЛ — запазване на командите от сесията в този ФАЙЛ" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "" "set ПРОМЕНЛИВА = СТОЙНОСТ — задаване на СТОЙНОСТ на скаларна ПРОМЕНЛИВА" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" "silent — без обичайните съобщения при спиране при точка за прекъсване или " "наблюдение" #: command.y:886 msgid "source file - execute commands from file" msgstr "source ФАЙЛ — изпълнение на командите в указания ФАЙЛ" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" "step [БРОЙ] — изпълнение на този брой стъпки на програмата или до достигане " "на различен ред код" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [БРОЙ] — изпълнение на този брой стъпки (или 1) на програмата" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "" "tbreak [[ИМЕ_НА_ФАЙЛ:]РЕД|ФУНКЦИЯ] — задаване на временна точка на прекъсване" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "trace on|off — дали инструкциите да се извеждат преди изпълнението им" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "" "undisplay [ПРОМЕНЛИВА] — без извеждане на стойността на ПРОМЕНЛИВАта при " "всяко спиране на програмата" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" "until [[ИМЕ_НА_ФАЙЛ:]РЕД|ФУНКЦИЯ] — изпълнение докато програмата стигне " "различен ред или този РЕД в текущата рамка на изпълнение" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [НОМЕР] — изваждане на променлива/и от списъка за наблюдение" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "up [БРОЙ] — преместване с този БРОЙ рамки нагоре в стека" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "watch ПРОМЕНЛИВА — задаване на точка за наблюдение на променлива" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "where [БРОЙ] — (същото като backtrace) извеждане на състоянието на този БРОЙ " "рамки на изпълнение най-отгоре на стека (или най-отдолу, ако БРОят < 0)" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "грешка:" #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "командата не може да се прочете: %s\n" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "командата не може да се прочете: %s" #: command.y:1126 msgid "invalid character in command" msgstr "неправилен знак в команда" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "неизвестна команда — „%.*s“, проверете ръководството" #: command.y:1294 msgid "invalid character" msgstr "неправилeн знак" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "недефинирана команда: %s\n" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "" "задаване или извеждане на броя редове, които да се държат във файла с " "историята" #: debug.c:259 msgid "set or show the list command window size" msgstr "задаване или извеждане на размера на прозореца за извеждане на списъка" #: debug.c:261 msgid "set or show gawk output file" msgstr "задаване или извеждане на изходния файл на gawk" #: debug.c:263 msgid "set or show debugger prompt" msgstr "задаване или показване на началото на реда на дебъгера" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "" "задаване, изтриване или извеждане на състоянието на запазването на историята " "на командите (СТОЙНОСТ=on|off)" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "" "задаване, изтриване или извеждане на състоянието на опциите (СТОЙНОСТ=on|off)" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "" "задаване, изтриване или извеждане на трасирането на инструкции (СТОЙНОСТ=on|" "off)" #: debug.c:358 msgid "program not running" msgstr "програмата не се изпълнява" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "празен файл с изходен код „%s“.\n" #: debug.c:502 msgid "no current source file" msgstr "няма текущ файл с изходен код" #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "файлът с изходен код „%s“ липсва: %s" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "" "ПРЕДУПРЕЖДЕНИЕ: файлът с изходен код „%s“ е променян след компилирането на " "програмата.\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "номерът на ред %d е извън диапазона: „%s“ има %d реда" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "неочакван край на файл при прочитането на „%s“, ред %d" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "" "файлът с изходен код „%s“ е променян след началото на изпълнението на " "програмата." #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "Текущ файл с изходен код: „%s“\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "Брой редове: %d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "Файл с изходен код (редове): %s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "Ред Изв. Включ. Място\n" "\n" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr " брой попадения = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr " прескачане на следващите %ld попадения\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr " условие за край: %s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr " команди:\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "Текуща рамка: " #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "Извикана от рамка: " #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "Извикал рамката: " #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "Нищо в „main()“.\n" #: debug.c:870 msgid "No arguments.\n" msgstr "Няма аргументи.\n" #: debug.c:871 msgid "No locals.\n" msgstr "Няма локални променливи.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "Всички дефинирани променливи:\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "Всички дефинирани функции:\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "Променливи за постоянно извеждане:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "Променливи за оценка:\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "В текущия масив няма символ „%s“\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "„%s“ трябва да е масив\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = неинициализирано поле\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "масивът „%s“ е празен\n" #: debug.c:1184 debug.c:1236 #, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "[\"%.*s\"] не е в масива „%s“\n" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "„%s[\"%.*s\"]“ не е масив\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "„%s“: не е скаларна променлива" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "опит за ползване на масива „%s[\"%.*s\"]“ в скаларен контекст" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "опит за ползване на скалара „%s[\"%.*s\"]“ като масив" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "„%s“ е функция" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "точката за наблюдение №%d не е условна\n" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "няма елемент за извеждане №%ld" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "няма елемент за наблюдение №%ld" #: debug.c:1596 #, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d: [\"%.*s\"] не е в масива „%s“\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "опит за ползване на скаларна стойност като масив" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "Точката за наблюдение №%d е изтрита, защото е извън обхват.\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "Променливата за извеждане №%d е изтрита, защото е извън обхват.\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr "файл „%s“, ред %d\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr "при „%s“:%d" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "№%ld в " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "Следват още рамки от стека…\n" #: debug.c:2092 msgid "invalid frame number" msgstr "неправилен номер на рамка" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Бележка: точка за прекъсване №%d (включена, ще се прескочи следващите %ld " "пъти), също зададена на %s:%d" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "Бележка: точка за прекъсване №%d (включена), също зададена на %s:%d" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Бележка: точка за прекъсване №%d (изключена, ще се прескочи следващите %ld " "пъти), също зададена на %s:%d" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "Бележка: точка за прекъсване №%d (изключена), също зададена на %s:%d" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "Зададена и точка за прекъсване %d във файл „%s“, ред %d\n" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "неуспешно задаване на точка за прекъсване във файл „%s“\n" #: debug.c:2444 #, c-format msgid "line number %d in file `%s' is out of range" msgstr "номерът на ред %d във файла „%s“ е извън диапазона" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "вътрешна грешка: правилото не може да бъде открито\n" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "неуспешно задаване на точка за прекъсване във файл „%s“, ред %d\n" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "неуспешно задаване на точка за прекъсване във функцията „%s“\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "точката за прекъсване %d във файл „%s“, ред %d не е условна\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "номерът на ред %d във файла „%s“ е извън диапазона" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "Изтрита точка за прекъсване %d" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "Няма точка на прекъсване при влизане във функцията „%s“\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "Няма точка за прекъсване във файл „%s“, ред №%d\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "неправилен номер на точка за прекъсване" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "Да се изтрият ли всички точки на прекъсване? („y“ — да или „n“ — не) " #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "y" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "" "Следващите %ld достигания на точката за прекъсване №%d ще бъдат пропуснати.\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "Спиране при следващото достигане на точката за прекъсване №%d.\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "Само програми подадени с опцията „-f“ може да бъдат трасирани.\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "Рестартиране…\n" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "Неуспешно рестартиране на дебъгера" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "Програмата вече се изпълнява. Да се стартира ли от началото (y/n)? " #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "Програмата не е рестартирана\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "грешка: рестартирането е невъзможно, действието не е позволено\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "" "грешка (%s): рестартирането е невъзможно, останалите действия се прескачат\n" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "Стартиране на програма:\n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "Програмата завърши с проблем — изходен код: %d\n" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "Програмата завърши успешно — изходен код: %d\n" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "Програмата все още се изпълнява. Да се излезе ли от нея (y/n)? " #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "При никоя точка на прекъсване не се спира, аргументът се прескача.\n" #: debug.c:3091 #, c-format msgid "invalid breakpoint number %d" msgstr "неправилен №%d на точка за прекъсване" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "" "Следващите %ld достигания на точката за прекъсване №%d ще бъдат пропуснати.\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "" "Командата „finish“ е безсмислена на нивото на основната рамка на „main()“\n" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "Изпълнение до излизане от " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "" "Командата „return“ е безсмислена на нивото на основната рамка на „main()“\n" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "указаното местоположение не може да бъде открито във функцията „%s“\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "неправилен номер на ред %d във файл „%s“" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "указаното местоположение %d във файл „%s“ не може да бъде открито\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "елементът не е в масива\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "променлива без тип\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "Спиране в %s…\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "„finish“ не работи с нелокални извиквания „%s“\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "„until“ не работи с нелокални извиквания „%s“\n" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr " ——————[Enter] за да продължите или [q] + [Enter] за изход——————" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%.*s\"] не е в масив „%s“" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "добавяне на изхода към стандартния\n" #: debug.c:5449 msgid "invalid number" msgstr "грешно число" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "Командата „%s“ не е позволена в текущия контекст и се прескача" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "Командата „return“ не е позволена в текущия контекст и се прескача" #: debug.c:5639 #, c-format msgid "fatal error during eval, need to restart.\n" msgstr "ФАТАЛНА ГРЕШКА при изчисляване на израз, трябва да се рестартира.\n" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "в текущия масив няма символ „%s“" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "непознат вид възел %d" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "непознат код на операция %d" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "кодът на операция „%s“ не е нито команда, нито ключова дума" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "препълване на буфера в „genflags2str“" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" " # Стек с извикванията на функции:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "„IGNORECASE“ е разширение на gawk" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "„BINMODE“ е разширение на gawk" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "неправилна стойност за „BINMODE“: „%s“ — обработва се като 3" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "неправилен указател на „%sFMT“ — „%s“" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "" "опцията „--lint“ се изключва, защото на променливата „LINT“ е присвоена " "стойност" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "указател към неинициализиран аргумент „%s“" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "указател към неинициализирана променлива „%s“" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "опит за указател към поле от нечислова стойност" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "опит за указател към поле от нулев низ" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "опит за достъп до поле %ld" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "указател към неинициализирано поле „%ld“" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "функцията „%s“ е извикана с повече аргументи от декларираното" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: неочакван вид „%s“" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "опит за делене на нула в „/=“" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "опит за делене на нула в „%%=“" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "в безопасен режим разширенията са изключени" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "„-l“/„@load“ са разширения на gawk" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext: получено е име на библиотека NULL" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext: директорията „%s“ не може да се отвори: %s" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "" "load_ext: библиотеката „%s“: не дефинира „plugin_is_GPL_compatible“: %s" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "" "load_ext: библиотеката „%s“: функцията „%s“ не може да бъде извикана: %s" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "" "load_ext: неуспешно изпълнение на инициализиращата функция „%2$s“ на " "библиотеката „%1$s“" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin: липсва име на функция" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "" "make_builtin: името на вградената функция „%s“ не може да се използва като " "име на друга функция" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" "make_builtin: името на вградената функция „%s“ не може да се използва като " "име на пространство от имена" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin: функцията „%s“ не може да се предефинира" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin: функцията „%s“ вече е дефинирана" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin: името на функция „%s“ вече е дефинирано" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "" "make_builtin: отрицателен брой аргументи за функцията „%s“, което е " "неправилно" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "функция „%s“: аргумент №%d: опит за ползване на скалар като масив" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "функция „%s“: аргумент №%d: опит за ползване на масив като скалар" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "динамичното зареждане на библиотеки не се поддържа" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "stat: неуспешно прочитане на символна връзка „%s“" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "stat: първият аргумент трябва да е низ" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "stat: вторият аргумент трябва да е масив" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stat: неправилни аргументи" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "fts init: променливата „%s“ не може да се създаде" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "fts не се поддържа на тази система" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element: няма достатъчно памет за създаването на масив" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element: елементът не може да се зададе" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element: елементът не може да се зададе" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element: елементът не може да се зададе" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts-process: масивът не може да се създаде" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts-process: елементът не може да се зададе" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "fts: неправилен брой аргументи — трябва да е 3" #: extension/filefuncs.c:853 msgid "fts: first argument is not an array" msgstr "fts: първият аргумент трябва да е масив" #: extension/filefuncs.c:859 msgid "fts: second argument is not a number" msgstr "fts: вторият аргумент трябва да е число" #: extension/filefuncs.c:865 msgid "fts: third argument is not an array" msgstr "fts: третият аргумент трябва да е масив" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts: масивът не може да се сплеска\n" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "fts: неочакваният флаг „FTS_NOSTAT“ се прескача." #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch: първият аргумент не може да бъде получен" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch: вторият аргумент не може да бъде получен" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch: третият аргумент не може да бъде получен" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "fnmatch липсва на тази система\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "fnmatch init: променливата „FNM_NOMATCH“ не може да се добави" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "fnmatch init: eлементът от масив „%s“ не може да се зададе" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "fnmatch init: масивът FNM не може да се инсталира" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork: PROCINFO трябва да е масив" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "inplace::begin: вече има редактиране на място" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "inplace::begin: подадени са %d аргументи, а трябва за да 2" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "inplace::begin: първият аргумент трябва да е низ — име на файл" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" "inplace::begin: редактирането на място се изключва при неправилно " "ИМЕ_НА_ФАЙЛ: „%s“" #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "" "inplace::begin: не може да се получи информация за „%s“ чрез „stat“: %s" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "inplace::begin: „%s“ не е обикновен файл" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace::begin: неуспешно изпълнение на mkstemp(„%s“): %s" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace::begin: неуспешно изпълнение на chmod: %s" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace::begin: неуспешно изпълнение на dup(stdout): %s" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace::begin: неуспешно изпълнение на dup2(%d, stdout): %s" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace::begin: неуспешно изпълнение на close(%d): %s" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "inplace::end: приема точно 2 аргумента, а не %d" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "inplace::end: първият аргумент трябва да е низ — име на файл" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "inplace::end: редактирането на място не е включено" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace::end: неуспешно изпълнение на dup2(%d, stdout): %s" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace::end: неуспешно изпълнение на close(%d): %s" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace::end: неуспешно изпълнение на fsetpos(stdout): %s" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace::end: неуспешно изпълнение на link(„%s“, „%s“): %s" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace::end: неуспешно изпълнение на rename(„%s“, „%s“): %s" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "ord: първият аргумент трябва да е низ" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "chr: първият аргумент трябва да е число" #: extension/readdir.c:291 #, c-format msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "" "dir_take_control_of: %s: неуспешно изпълнение на „opendir/fdopendir“: %s" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "readfile: неправилен вид аргумент" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput: променливата „REVOUT“ не може да бъде инициализирана" #: extension/rwarray.c:145 extension/rwarray.c:548 #, c-format msgid "%s: first argument is not a string" msgstr "%s: първият аргумент трябва да е низ" #: extension/rwarray.c:189 msgid "writea: second argument is not an array" msgstr "writea: вторият аргумент трябва да е масив" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "writeall: липсва масив с таблицата със символи" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "write_array: масивът не може да се сплеска" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "write_array: сплесканият масив не може да се освободи" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "стойността на масива е от непознат вид %d" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" "разширение „rwarray“: получена е стойност по GMP/MPFR, но в компилата няма " "поддръжка на това." #: extension/rwarray.c:437 #, c-format msgid "cannot free number with unknown type %d" msgstr "не може да се освободи паметта за число от непознат вид %d" #: extension/rwarray.c:442 #, c-format msgid "cannot free value with unhandled type %d" msgstr "не може да се освободи паметта за стойност от неподдържан вид %d" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "readall: „%s::%s“ не може да се зададе" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "readall: „%s“ не може да се зададе" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "reada: неуспешно изпълнение на „clear_array“" #: extension/rwarray.c:611 msgid "reada: second argument is not an array" msgstr "reada: вторият аргумент трябва да е масив" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "read_array: неуспешно изпълнение на „set_array_element“" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "" "възстановената стойност с неизвестен код за вид %d се интерпретира като низ" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" "разширение „rwarray“: във файла е получена стойност по GMP/MPFR, но в " "компилата няма поддръжка на това." #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday: не се поддържа на тази система" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep: числовият аргумент е задължителен" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep: аргументът трябва да е неотрицателен" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep: не се поддържа на тази система" #: extension/time.c:232 msgid "strptime: called with no arguments" msgstr "strptime: извикана без аргументи" #: extension/time.c:240 #, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "do_strptime: първият аргумент трябва да е низ\n" #: extension/time.c:245 #, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "do_strptime: вторият аргумент трябва да е низ\n" #: field.c:321 msgid "input record too large" msgstr "входният запис е твърде дълъг" #: field.c:443 msgid "NF set to negative value" msgstr "„NF“ е зададена да е отрицателна" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "намаляването на „NF“ не се поддържа навсякъде" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "достъпът до полета от крайното правило „END“ не се поддържа навсякъде" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split: четвъртият аргумент е разширение на gawk" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split: четвъртият аргумент трябва да е масив" #: field.c:1138 field.c:1240 #, c-format msgid "%s: cannot use %s as fourth argument" msgstr "%s: „%s“ не може да се ползва като четвърти аргумент" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: вторият аргумент трябва да е масив" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "split: вторият и четвъртият аргумент трябва да не са същия масив" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "split: четвъртият аргумент трябва да не е подмасив на втория" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "split: вторият аргумент трябва да не е подмасив на четвъртия" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "split: нулев низ за трети аргумент не се поддържа навсякъде" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: четвъртият аргумент трябва да е масив" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: вторият аргумент трябва да е масив" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit: третият аргумент трябва да не е null" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "patsplit: вторият и четвъртият аргумент трябва да не са същия масив" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "split: четвъртият аргумент трябва да не е подмасив на втория" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "split: вторият аргумент трябва да не е подмасив на четвъртия" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" "присвояването на стойност на „FS“/„FIELDWIDTHS“/„FPAT“ е без ефект при " "ползването на опцията „--csv“" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "„FIELDWIDTHS“ е разширение на gawk" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "„*“ трябва да е последният обозначител във „FIELDWIDTHS“" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "неправилна стойност на „FIELDWIDTHS“ — за поле №%d, до „%s“" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "стойност нулев низ за „FS“ е разширение на gawk" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "" "старите версии на awk не поддържат регулярни изрази за стойност на „FS“" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "„FPAT“ е разширение на gawk" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node: получената върната стойност е null" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "" "awk_value_to_node: извън режим на многообразна точност с плаваща запетая " "(MPFR)" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "" "awk_value_to_node: не се поддържа многообразна точност с плаваща запетая " "(MPFR)" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node: неправилен вид число “%d“" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "add_ext_func: параметърът name_space не трябва да е нулев" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" "node_to_awk_value: засечена е неправилна комбинация от числови флагове „%s“. " "Молим, подайте доклад за грешка" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value: получен е нулев възел" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value: получена е нулева стойност" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" "node_to_awk_value: засечена е неправилна комбинация от флагове „%s“. Молим, " "подайте доклад за грешка" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element: получен е нулев низ" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element: получен е нулев индекс" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "" "api_flatten_array_typed: индексът не може да се преобразува от %d към „%s“" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "" "api_flatten_array_typed: индексът не може да се преобразува от %d към „%s“" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "" "api_get_mpfr: не се поддържа режим на многообразна точност с плаваща запетая " "(MPFR)" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "краят на правилото „BEGINFILE“ не може да се открие" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "непознатият вид файл „%s“ не може да се отвори за „%s“" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "аргументът на командния ред „%s“ е директория и се прескача" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "файлът „%s“ не може да се отвори за четене: „%s“" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "неуспешно затваряне на файлов дескриптор %d („%s“): „%s“" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "„%.*s“ е ползван и за входен файл, и за изходен файл" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "„%.*s“ е ползван и за входен файл, и за входен канал" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "„%.*s“ е ползван и за входен файл, и за двупосочен канал" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "„%.*s“ е ползван и за входен файл, и за изходен канал" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "ненужно смесване на „>“ и „>>“ за файла „%.*s“" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "„%.*s“ е ползван и за входен канал, и за изходен файл" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "„%.*s“ е ползван и за изходен файл, и за изходен канал" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "„%.*s“ е ползван и за изходен файл, и за двупосочен канал" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "„%.*s“ е ползван и за входен канал, и за изходен канал" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "„%.*s“ е ползван и за входен канал, и за двупосочен канал" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "„%.*s“ е ползван и за изходен канал, и за двупосочен канал" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "в безопасен режим пренасочването е изключено" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "изразът в пренасочването „%s“ дава число" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "изразът в пренасочването „%s“ дава нулев низ" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "името на файл „%.*s“ в пренасочването „%s“ може да е резултат от логически " "израз" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "" "get_file: програмният канал „%s“ не може да се създаде с файлов дескриптор %d" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "програмният канал „%s“ не може да се отвори за изход: %s" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "програмният канал „%s“ не може да се отвори за вход: %s" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" "get_file: тази платформа не поддържа създаването на гнезда за „%s“ с файлов " "дескриптор %d" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "не може да се отвори двупосочен програмен канал „%s“ за вход/изход: %s" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "неуспешно пренасочване от „%s“: %s" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "неуспешно пренасочване към „%s“: %s" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "достигнато е системното ограничение за отворени файлове: започване на " "мултиплексиране на файловите дескриптори" #: io.c:1221 #, c-format msgid "close of `%s' failed: %s" msgstr "неуспешно затваряне на „%s“: %s" #: io.c:1229 msgid "too many pipes or input files open" msgstr "отворени са прекалено много входни файлове или програмни канали" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: вторият аргумент трябва да е „to“ (към) или „from“ (от)" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "close: „%.*s“ не е отворен файл, програмен канал или копроцес" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "close: това пренасочване не е било отворено" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close: пренасочването „%s“ не е отворено с „|&“, вторият аргумент се прескача" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "код за грешка (%d) при затварянето на програмния канал „%s“: %s" #: io.c:1400 #, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "" "код за грешка (%d) при затварянето на двупосочния програмен канал „%s“: %s" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "код за грешка (%d) при затварянето на файла „%s“: %s" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "гнездото „%s“ не е изрично затворено" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "копроцесът „%s“ не е изрично затворен" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "програмният канал „%s“ не е изрично затворен" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "файлът „%s“ не е изрично затворен" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "fflush: буферът на стандартния вход не може да се изчисти: %s" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "fflush: буферът на стандартната грешка не може да се изчисти: %s" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "грешка при запис към стандартния изход: %s" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "грешка при запис към стандартната грешка: %s" #: io.c:1513 #, c-format msgid "pipe flush of `%s' failed: %s" msgstr "неуспешно изчистване на буфера на програмния канал „%s“: %s" #: io.c:1516 #, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "" "неуспешно изчистване на буфера на програмния канал „%s“ на копроцеса: %s" #: io.c:1519 #, c-format msgid "file flush of `%s' failed: %s" msgstr "неуспешно изчистване на буфера на файла „%s“: %s" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "локалният порт %s не е валиден в „/inet“: %s" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "локалният порт %s не е валиден в „/inet“" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "отдалеченият хост и порт (%s, %s) са неправилни: %s" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "отдалеченият хост и порт (%s, %s) са неправилни" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "не се поддържа връзка по TCP/IP" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "„%s“ не може да се отвори в режим „%s“" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "неуспешно затваряне на основния псевдотерминал: „%s“" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "неуспешно затваряне на стандартния изход в дъщерен процес: „%s“" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "" "неуспешно преместване в дъщерния процес на подчинения терминал да е " "стандартния изход (dup: %s)" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "неуспешно затваряне на стандартния вход в дъщерен процес: „%s“" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "" "неуспешно преместване в дъщерния процес на подчинения терминал да е " "стандартния вход (dup: %s)" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "неуспешно затваряне на вторичния псевдотерминал: „%s“" #: io.c:2317 msgid "could not create child process or open pty" msgstr "неуспешно създаване на дъщерен процес или отваряне на псевдотерминал" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "" "неуспешно преместване в дъщерния процес на програмния канал да е стандартния " "изход (dup: %s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "" "неуспешно преместване в дъщерния процес на програмния канал да е стандартния " "вход (dup: %s)" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "неуспешно възстановяване на стандартния изход в родителския процес" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "неуспешно възстановяване на стандартния вход в родителския процес" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "неуспешно затваряне на програмен канал: %s" #: io.c:2534 msgid "`|&' not supported" msgstr "„|&“ не се поддържа" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "програмният канал „%s“ не може да се отвори: %s" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "неуспешно създаване на дъщерен процес за „%s“ (fork: %s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "" "getline: опит за четене от затворения край за четене от двупосочен програмен " "канал" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser: получен е нулев указател" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "входният анализатор „%s“ е в конфликт с предишно инсталирания „%s“" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "входният анализатор „%s“ не може да отвори „%s“" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_wrapper: получен е нулев указател" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" "функционалността за обработка на изхода „%s“ е в конфликт с предишно " "инсталираната „%s“" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "функционалността за обработка на изхода „%s“ не може да отвори „%s“" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor: получен е нулев указател" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "двупосочния анализатор „%s“ е в конфликт с предишно инсталирания „%s“" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "двупосочния анализатор „%s“ не успя да отвори „%s“" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "празен файл с данни „%s“" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "повече памет не може да се задели" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "" "присвояването на стойност на „RS“ е без ефект при ползването на опцията „--" "csv“" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "стойност от повече от един знак за „RS“ е разширение на gawk" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "не се поддържат връзки по IPv6" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" "gawk_popen_write: файловият дескриптор на програмeн канал не може да се " "премести към стандартния вход" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "" "променливата на средата „POSIXLY_CORRECT“ е зададена: включва се опцията „--" "posix“" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "опцията „--posix“ е с превес над „--traditional“" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "опциите „--posix“/„--traditional“ са с превес над „--non-decimal-data“" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "опцията „--posix“ е с превес над „--characters-as-bytes“" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "опциите „--posix“ и „--csv“ са несъвместими" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "" "изпълнението на „%s“ със зададен флаг за изпълнение като „root“ е проблем за " "сигурността" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "Опциите „-r“/„--re-interval“ вече нямат никакъв ефект" #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "неуспешно задаване на двоичен режим за стандартния вход: „%s“" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "неуспешно задаване на двоичен режим за стандартния изход: „%s“" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "неуспешно задаване на двоичен режим за стандартната грешка: „%s“" #: main.c:483 msgid "no program text at all!" msgstr "липсва код на програмата!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "Употреба: %s [ОПЦИЯ_ПО_POSIX_И_GNU…] -f ПРОГРАМЕН_ФАЙЛ [--] ФАЙЛ…\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "Употреба: %s [ОПЦИЯ_ПО_POSIX_И_GNU…] [--] %cПРОГРАМЕН_ФАЙЛ%c ФАЙЛ…\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "Опции по POSIX: Дълги опции по GNU: (стандартни)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr " -f ПРОГРАМЕН_ФАЙЛ --file=ПРОГРАМЕН_ФАЙЛ\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr " -F РАЗДEЛИТЕЛ --field-separator=РАЗДЕЛИТЕЛ\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr " -v ПРОМЕНЛИВА=СТОЙНОСТ --assign=ПРОМЕНЛИВА=СТОЙНОСТ\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "Къси опции: Дълги опции по GNU: (разширени)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr " -b --characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr " -c --traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr " -C --copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr " -d[ФАЙЛ] --dump-variables[=ФАЙЛ]\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr " -D[ФАЙЛ] --debug[=ФАЙЛ]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr " -e 'ПРОГРАМА' --source='ПРОГРАМА'\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr " -E ФАЙЛ --exec=ФАЙЛ\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr " -g --gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr " -h --help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr " -i ФАЙЛ_ЗА_ВМЪКВАНЕ --include=ФАЙЛ_ЗА_ВМЪКВАНЕ\n" #: main.c:602 msgid "\t-I\t\t\t--trace\n" msgstr " -I --trace\n" #: main.c:603 msgid "\t-k\t\t\t--csv\n" msgstr " -k --csv\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr " -l БИБЛИОТЕКА --load=БИБЛИОТЕКА\n" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr " -L[fatal|invalid|no-ext] --lint[=fatal|invalid|no-ext]\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr " -M --bignum\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr " -N --use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr " -n --non-decimal-data\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr " -oФАЙЛ --pretty-print[=ФАЙЛ]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr " -O --optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr " -p[ФАЙЛ] --profile[=ФАЙЛ]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr " -P --posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr " -r --re-interval\n" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr " -s --no-optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr " -S --sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr " -t --lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr " -V --version\n" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr " -Y --parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr " -Z ИМЕ_НА_ЛОКАЛ --locale=ИМЕ_НА_ЛОКАЛ\n" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "За докладването на грешки ползвайте програмата „gawkbug“.\n" "За пълните инструкции погледнете частта „Bugs“ (Грешки)\n" "в „gawk.info“, което съответства на раздела „Reporting\n" "Problems and Bugs“ (Докладване на проблеми и грешки) в\n" "отпечатания вариант. Същата информация е налична на адрес\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "МОЛИМ, не докладвайте грешки през „comp.lang.awk“ или\n" "уеб-форуми като Stack Overflow.\n" "\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" "Изходният код на gawk може да се изтегли от:\n" "%s/gawk-%s.tar.gz\n" "\n" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk е език да търсене и обработка по шаблони.\n" "По подразбиране се чете от стандартния вход и се извежда на стандартния " "изход.\n" "\n" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "Примери:\n" " %s '{ sum += $1 }; END { print sum }' ФАЙЛ\n" " %s -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Авторски права © 1989, 1991-%d Free Software Foundation, Inc.\n" "\n" "Тази програма е свободен софтуер. Можете да я разпространявате и/или\n" "променяте по условията на Общия публичен лиценз на GNU (GNU GPL),\n" "както е публикуван от Фондацията за свободен софтуер — версия 3 на\n" "лиценза или (по ваше решение) по-късна версия.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "Тази програма се разпространява с надеждата, че ще бъде полезна,\n" "но БЕЗ НИКАКВИ ГАРАНЦИИ, дори и косвените за ПРОДАЖБА или\n" "СЪОТВЕТСТВИЕ С КАКВАТО И ДА Е УПОТРЕБА. За подробности погледнете\n" "Общия публичен лиценз на GNU.\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "Трябва да сте получили копие от Общия публичен лиценз на GNU (GNU GPL)\n" "заедно с тази програма. Ако не сте, вижте see http://www.gnu.org/licenses/.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "„-Ft“ не задава FS да е табулация в режим POSIX на awk" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: аргументът „%s“ към „-v“ трябва да е във формат „променлива=стойност“\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "„%s“: грешно име на променлива" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "„%s“ не е име на променлива, търси се файлът „%s=%s“" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "" "вградената в gawk функция „%s“ не може да се ползва за име на променлива" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "функцията „%s“ не може да се ползва за име на променлива" #: main.c:1294 msgid "floating point exception" msgstr "изключение от плаваща запетая" #: main.c:1304 msgid "fatal error: internal error" msgstr "ФАТАЛНА ГРЕШКА: вътрешна грешка" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "липсва предварително отворен файлов дескриптор %d" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "" "„/dev/null“ не може да се отвори предварително като файлов дескриптор %d" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "празният аргумент към опцията „-e/--source“ се прескача" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "опцията „--profile“ има превес над „--pretty-print“" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "„-M“ се прескача: в компилата няма поддръжка на MPFR/GMP" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "Ползвайте „GAWK_PERSIST_FILE=%s gawk …“ вместо „--persist“." #: main.c:1726 msgid "Persistent memory is not supported." msgstr "Не се поддържа постоянна памет." #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: непозната опция „-W %s“, тя се прескача\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: опцията изисква аргумент — %c\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "" "%s: ФАТАЛНА ГРЕШКА: не може да се получи информация със „stat“ за „%s“: %s\n" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" "%s: ФАТАЛНА ГРЕШКА: когато програмата работи с правата на „root“, не може да " "се ползва постоянна памет.\n" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "" "%s: ПРЕДУПРЕЖДЕНИЕ: %s не се притежава от действащия идентификатор на " "потребител (euid) %d.\n" #: main.c:1913 msgid "persistent memory is not supported" msgstr "не се поддържа постоянна памет" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" "%s: ФАТАЛНА ГРЕШКА: подсистемата за заделяне на постоянна памет не може да " "се инициализира: върната стойност %d, от ред в „pma.c“: %d.\n" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "неправилна стойност „%.*s“ за точността" #: mpfr.c:718 #, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "неправилна стойност „%.*s“ на режима на закръгляне" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: първият аргумент трябва да е число" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: вторият аргумент трябва да е число" #: mpfr.c:825 #, c-format msgid "%s: received negative argument %.*s" msgstr "%s: получен е аргумент, който е отрицателно число, а не трябва: %.*s" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int: първият аргумент трябва да е число" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: аргументите трябва да са числа" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%Rg): не приема отрицателни стойности" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "comp(%Rg): дробната част ще бъде отрязана" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%Zd): не приема отрицателни стойности" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s: аргумент №%d трябва да е число" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "%1$s: неправилна стойност %3$Rg за аргумент №%2$d, ще се ползва 0" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%s: аргумент №%d не приема отрицателни стойности като %Rg" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "" "%s: аргумент №%d ще използва цялата част от числото с плаваща запетая %Rg" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%s: аргумент №%d не приема отрицателни стойности като %Zd" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: изисква поне два аргумента" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or: изисква поне два аргумента" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "xor: изисква поне два аргумента" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: приема само числови аргументи" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "intdiv: първият аргумент трябва да е число" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "intdiv: вторият аргумент трябва да е число" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "команден ред:" #: node.c:477 msgid "backslash at end of string" msgstr "„\\“ е последният знак в низ" #: node.c:511 msgid "could not make typed regex" msgstr "не може да се създаде типизиран регулярен израз" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "старите версии на awk не поддържат екранирането „\\%c“" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX не позволява екраниране „\\x“" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "в екранираната последователност „\\x“ липсват шестнайсетични цифри" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "шестнайсетичното екраниране „\\x%.*s“ на %d знаци, най-вероятно ще се " "интерпретира по начин различен от това, което очаквате" #: node.c:705 msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX не позволява екраниране „\\u“" #: node.c:713 msgid "no hex digits in `\\u' escape sequence" msgstr "в екранираната последователност „\\u“ липсват шестнайсетични цифри" #: node.c:744 msgid "invalid `\\u' escape sequence" msgstr "неправилна екранирана последователност „\\u“" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "екранираната последователност „\\%c“ ще се обработи просто като „%c“" #: node.c:908 msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "Получена е сгрешена многобайтова последователност. Проверете дали локалът " "съответства на данните" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "" "%s %s „%s“: флаговете на файловия дескриптор не може да се получат: (fcntl " "F_GETFD: %s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "%s %s „%s“: неуспешно задаване на „close-on-exec“: (fcntl F_SETFD: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "ПРЕДУПРЕЖДЕНИЕ: „/proc/self/exe“: за този път „readlink“ върна: %s\n" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "ПРЕДУПРЕЖДЕНИЕ: системното извикване „personality“ върна: %s\n" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "waitpid: получен изходен статус %#o\n" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "ФАТАЛНА ГРЕШКА: „posix_spawn“ върна: %s\n" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "Прекалено дълбока вложеност на програмата. Променете кода" #: profile.c:114 msgid "sending profile to standard error" msgstr "извеждане на профила на изпълнение към стандартната грешка" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" " # %s правила̀\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" " # Правила̀\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "вътрешна грешка: %s с име (vname) - нулев байт" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "вътрешна грешка: вградена команда с име (fname) - нулев байт" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "%s# Заредени разширения (чрез „-l“ и/или „@load“)\n" "\n" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\n" "# Вмъкнати файлове (чрез „-i“ и/или „@include“)\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr " # профил изпълнение на gawk, създаден на %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" " # Функции в лексикографски ред\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str: непознат вид пренасочване %d" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" "поведението на регулярен израз съдържащ нулев байт е недефинирано по POSIX" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "неправилен нулев байт в динамичен регулярен израз" #: re.c:215 #, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "" "екраниращата последователност в регулярния израз „\\%c“ се обработва като " "„%c“" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" "екраниращата последователност в регулярния израз „\\\\%c“ не е познат " "оператор" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "компонентът „%.*s“ вероятно трябва да е „[%.*s]“" #: support/dfa.c:910 msgid "unbalanced [" msgstr "„[“ без еш" #: support/dfa.c:1031 msgid "invalid character class" msgstr "неправилен клас знаци" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "клас знаци се указва чрез „[[:ИМЕ:]]“, а не „[:ИМЕ:]“" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "незавършена екранираща последователност чрез „\\“" #: support/dfa.c:1345 msgid "? at start of expression" msgstr "„?“ в началото на израз" #: support/dfa.c:1357 msgid "* at start of expression" msgstr "„*“ в началото на израз" #: support/dfa.c:1371 msgid "+ at start of expression" msgstr "„+“ в началото на израз" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "„{…}“ в началото на израз" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "неправилно съдържание в „\\{\\}“" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "прекалено голям регулярен израз" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "излишен знак „\\“ пред непечатим знак" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "излишен знак „\\“ пред интервал" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "излишен знак „\\“ пред „%s“" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "излишен знак „\\“" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "„(“ без еш" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "не е зададен синтаксис" #: support/dfa.c:2077 msgid "unbalanced )" msgstr "„)“ без еш" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: опцията „%s“ не еднозначна, възможни значения:" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s: опцията „--%s“ не приема аргумент\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: опцията „%c%s“ не приема аргумент\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: опцията „--%s“ изисква аргумент\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: непозната опция „--%s“\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: непозната опция „%c%s“\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: неправилна опция — „%c“\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s: опцията изисква аргумент — „%c“\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: опцията „-W %s“ не е еднозначна\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: опцията „-W %s“ не приема аргумент\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: опцията „-W %s“ изисква аргумент\n" #: support/regcomp.c:122 msgid "Success" msgstr "Успех" #: support/regcomp.c:125 msgid "No match" msgstr "Няма съвпадения" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "Неправилен регулярен израз" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "Неправилен знак за подредба" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "Неправилно име на клас знаци" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "Самотна „\\“ накрая" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "Неправилна препратка към съвпадение" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "„[“, „[^“, „[:“, „[.“ или „[=“ без еш" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "„(“ или „\\(“ без еш" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "„\\{“ без еш" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "Неправилно съдържание в „\\{\\}“" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "Неправилен край на диапазон" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "Паметта свърши" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "Предхождащият регулярен израз е неправилен" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "Ранен край на регулярен израз" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "Регулярният израз е прекалено голям" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr "„)“ или „\\)“ без еш" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "Няма предхождащ регулярен израз" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" "текущата настройка за „-M“/„--bignum“ не съвпада със запазената във файла за " "PMA" #: symbol.c:781 #, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "" "функция „%s“: функцията „%s“ не може да се ползва като име на параметър" #: symbol.c:911 msgid "cannot pop main context" msgstr "основният контекст не може да бъде изваден" EOF echo Extracting po/ca.po cat << \EOF > po/ca.po # translation of gawk.po to Catalan # Copyright (C) 2003 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # Antoni Bella Perez , 2003. # Walter Garcia-Fontes , 2015,2016. msgid "" msgstr "" "Project-Id-Version: gawk 4.1.3h\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2016-12-18 19:51+0100\n" "Last-Translator: Walter Garcia-Fontes \n" "Language-Team: Catalan \n" "Language: ca\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=ISO-8859-1\n" "Content-Transfer-Encoding: 8bit\n" "X-Bugs: Report translation errors to the Language-Team address.\n" "X-Generator: KBabel 1.0.1\n" #: array.c:249 #, c-format msgid "from %s" msgstr "de %s" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "s'ha intentat usar un valor escalar com a una matriu" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "s'ha intentat usar un parmetre escalar `%s' com a una matriu" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "s'ha intentat usar la dada escalar `%s' com a una matriu" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "s'ha intentat usar la matriu `%s' en un context escalar" #: array.c:616 #, fuzzy, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "delete: l'ndex `%s' no est en la matriu `%s'" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "s'ha intentat usar la dada escalar `%s[\"%.*s\"]' com a una matriu" #: array.c:856 array.c:906 #, fuzzy, c-format msgid "%s: first argument is not an array" msgstr "asort: el primer argument no s una matriu" #: array.c:898 #, fuzzy, c-format msgid "%s: second argument is not an array" msgstr "split: el segon argument no s una matriu" #: array.c:901 field.c:1150 field.c:1247 #, fuzzy, c-format msgid "%s: cannot use %s as second argument" msgstr "" "asort: no es pot usar una submatriu com a primer argument per al segon " "argument" #: array.c:909 #, fuzzy, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "asort: el primer argument no s una matriu" #: array.c:911 #, fuzzy, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "asort: el primer argument no s una matriu" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" #: array.c:923 #, fuzzy, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "" "asort: no es pot usar una submatriu com a primer argument per al segon " "argument" #: array.c:928 #, fuzzy, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "" "asort: no es pot usar una submatriu com a segon argument per al primer " "argument" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "`%s' no s vlid com a nom de funci" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "la funci de comparaci d'ordenaci `%s' no est definida" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "%s blocs han de tenir una part d'acci" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "cada regla ha de tenir un patr o una part d'acci" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "l'antic awk no suporta mltiples regles `BEGIN' i `END'" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "`%s' s una funci interna, no pot ser redefinida" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "" "la constant d'expressi regular `//' sembla un comentari en C++, per no ho " "s" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "" "la constant d'expressi regular `/%s/' sembla un comentari en C, per no ho " "s" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "valors duplicats de casos al cos de l'expressi switch: %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "" "s'ha detectat el cas predeterminat `default' duplicat a l'expressi switch " #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "no es permet `break' a fora d'un bucle o bifurcaci" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "no es permet `continue' a fora d'un bucle" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "`next' usat a l'acci %s" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "`nextfile' usat a l'acci %s" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "`return' s usat fora del context d'una funci" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" "el print simple en la regla BEGIN o END probablement ha de ser print \"\"" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "no es permet `delete' amb SYMTAB" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "no es permet `delete' a FUNCTAB" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "`delete(array)' s una extensi tawk no portable" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "les canonades bidireccionals multi-etapes no funcionen" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "expressi regular a la dreta d'una assignaci" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "expressi regular a l'esquerra de l'operador `~' o `!~'" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "" "l'antic awk no dna suport a la paraula clau `in' excepte desprs de `for'" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "expressi regular a la dreta de la comparaci" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "`getline' sense redirigir no s vlid a dins de la regla `%s'" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "`getline' no redirigit sense definir dintre de l'acci FINAL" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "l'antic awk no suporta matrius multidimensionals" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "la crida de `length' sense parntesis no s portable" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "les crides a funcions indirectes sn una extensi gawk" #: awkgram.y:2033 #, fuzzy, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "" "no es pot usar la variable especial `%s' per a una crida indirecta de funci" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "s'ha intentat usar la no-funci %s en una crida a funcions" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "expressi de subndex no vlida" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "advertiment: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "fatal: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "nova lnia inesperada o final d'una cadena de carcters" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, fuzzy, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "no es pot obrir el fitxer font `%s' per a lectura (%s)" #: awkgram.y:2883 awkgram.y:3020 #, fuzzy, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "no es pot obrir la llibreria compartida `%s' per a lectura (%s)" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "motiu desconegut" #: awkgram.y:2894 awkgram.y:2918 #, fuzzy, c-format msgid "cannot include `%s' and use it as a program file" msgstr "no es pot incloure `%s' i usar-lo com un fitxer de programa" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "ja s'ha incls el fitxer font `%s'" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "ja s'ha carregat la biblioteca compartida `%s'" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "@include s una extensi de gawk" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "nom de fitxer buit desprs de @include" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "@load s una extensi de gawk" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "fitxer buit desprs de @load" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "el text del programa en la lnia de comandaments est buit" #: awkgram.y:3261 debug.c:470 debug.c:628 #, fuzzy, c-format msgid "cannot read source file `%s': %s" msgstr "no es pot llegir el fitxer font `%s' (%s)" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "el fitxer font `%s' est buit" #: awkgram.y:3332 #, fuzzy, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "Error PEBKAC: carcter \\%03o' no vlid al codi font" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "el fitxer font no finalitza amb un retorn de carro" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "expressi regular sense finalitzar acaba amb `\\' al final del fitxer" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "%s: %d: el modificador regex tawk `/.../%c' no funciona a gawk" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "el modificador regex tawk `/.../%c' no funciona a gawk" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "expressi regular sense finalitzar" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "expressi regular sense finalitzar al final del fitxer" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "l's de `\\ #...' com a continuaci de lnia no s portable" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "la barra invertida no s l'ltim carcter en la lnia" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "les matrius multidimensionals sn una extensi gawk" #: awkgram.y:3903 awkgram.y:3914 #, fuzzy, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX no permet l'operador `**'" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, fuzzy, c-format msgid "operator `%s' is not supported in old awk" msgstr "l'operador `^' no est suportat en l'antic awk" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "cadena sense finalitzar" #: awkgram.y:4066 main.c:1237 #, fuzzy msgid "POSIX does not allow physical newlines in string values" msgstr "POSIX no permet seqncies d'escapada `\\x'" #: awkgram.y:4068 node.c:482 #, fuzzy msgid "backslash string continuation is not portable" msgstr "l's de `\\ #...' com a continuaci de lnia no s portable" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "carcter `%c' no vlid en l'expressi" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "`%s' s una extensi de gawk" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX no permet %s" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "`%s' no est suportat en l'antic awk" #: awkgram.y:4517 #, fuzzy msgid "`goto' considered harmful!" msgstr "`goto' es considera perjudicial!\n" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d no s vlid com a nombre d'arguments per a %s" #: awkgram.y:4621 #, fuzzy, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "%s: la cadena literal com a ltim argument de substituci no t efecte" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "%s el tercer parmetre no s un objecte intercanviable" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match: el tercer argument s una extensi de gawk" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close: el segon argument s una extensi de gawk" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "l's de dcgettext(_\"...\") no s correcte: elimineu el gui baix inicial" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "l's de dcgettext(_\"...\") no s correcte: elimineu el gui baix inicial" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "ndex: no es permet una constant regexp com a segon argument" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "funci `%s': parmetre `%s' ofusca la variable global" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "no es pot obrir `%s' per a escriptura: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "s'est enviant la llista de variables a l'eixida d'error estndard" #: awkgram.y:4947 #, fuzzy, c-format msgid "%s: close failed: %s" msgstr "%s: tancament erroni (%s)" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "shadow_funcs() s'ha cridat dues vegades!" #: awkgram.y:4980 #, fuzzy #| msgid "there were shadowed variables." msgid "there were shadowed variables" msgstr "hi ha hagut variables a l'ombra" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "nom de la funci `%s' definida prviament" #: awkgram.y:5123 #, fuzzy, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "funci `%s: no pot usar el nom de la funci com a parmetre" #: awkgram.y:5126 #, fuzzy, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" "funci `%s': no es pot usar la variable especial `%s' com a un parmetre de " "funci" #: awkgram.y:5130 #, fuzzy, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "funci `%s': parmetre `%s' ofusca la variable global" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "funci `%s': parmetre #%d, `%s', duplica al parmetre #%d" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "es crida a la funci `%s' per no s'ha definit" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "la funci `%s' est definida per no s'ha cridat mai directament" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "" "l'expressi regular constant per al parmetre #%d condueix a un valor boole" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "s'ha cridat a la funci `%s' amb espai entre el nom i el '(',\n" "o s'ha usat com a variable o matriu" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "s'ha intentat una divisi per zero" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "s'ha intentat una divisi per zero en `%%'" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "" "no es pot assignar un valor al resultat d'una expressi post-increment de " "camp" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "dest no vlid d'assignaci (opcode %s)" #: awkgram.y:6266 msgid "statement has no effect" msgstr "la sentncia no t efecte" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" #: awkgram.y:6883 #, fuzzy msgid "@namespace is a gawk extension" msgstr "@include s una extensi de gawk" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" #: builtin.c:93 builtin.c:100 #, fuzzy, c-format #| msgid "ord: called with no arguments" msgid "%s: called with %d arguments" msgstr "ord: s'ha cridat amb cap argument" #: builtin.c:125 #, fuzzy, c-format msgid "%s to \"%s\" failed: %s" msgstr "%s a \"%s\" ha fallat (%s)" #: builtin.c:129 msgid "standard output" msgstr "sortida estndard" #: builtin.c:130 #, fuzzy msgid "standard error" msgstr "sortida estndard" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s: s'ha rebut un argument que no s numric" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp: l'argument %g est fora de rang" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, fuzzy, c-format msgid "%s: received non-string argument" msgstr "system: s'ha rebut un argument que no s una cadena" #: builtin.c:293 #, fuzzy, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: no es pot netejar: la canonada `%s' s'ha obert per a lectura, no per " "a escriptura" #: builtin.c:296 #, fuzzy, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" "fflush: no es pot netejar: el fitxer `%s' s'ha obert per a lectura, no per a " "escriptura" #: builtin.c:307 #, fuzzy, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "" "fflush: no es pot netejar: el fitxer `%s' s'ha obert per a lectura, no per a " "escriptura" #: builtin.c:312 #, fuzzy, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" "fflush: no es pot netejar: la canonada de doble via `%s' t un final " "d'escriptura tancat" #: builtin.c:318 #, fuzzy, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "fflush: `%s' no s un fitxer obert, canonada o co-procs" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, fuzzy, c-format msgid "%s: received non-string first argument" msgstr "ndex: el primer argument rebut no s una cadena" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, fuzzy, c-format msgid "%s: received non-string second argument" msgstr "ndex: el segon argument rebut no s una cadena" #: builtin.c:595 msgid "length: received array argument" msgstr "length: s'ha rebut un argument de matriu" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "`length(array)' s una extensi de gawk" #: builtin.c:655 builtin.c:677 #, fuzzy, c-format msgid "%s: received negative argument %g" msgstr "log: s'ha rebut l'argument negatiu %g" #: builtin.c:698 builtin.c:2949 #, fuzzy, c-format msgid "%s: received non-numeric third argument" msgstr "or: el primer argument rebut no s numric" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, fuzzy, c-format msgid "%s: received non-numeric second argument" msgstr "lshift: el segon argument rebut no s numric" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: la longitud %g no s >= 1" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: la longitud %g no s >= 0" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: la longitud sobre un nombre no enter %g ser truncada" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "" "substr: la llargada %g s massa gran per a la indexaci de cadenes de " "carcters, es truncar a %g" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: l'ndex d'inici %g no s vlid, usant 1" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "substr: l'ndex d'inici no enter %g ser truncat" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: la cadena font s de longitud zero" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: l'ndex d'inici %g sobrepassa l'acabament de la cadena" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: la longitud %g a l'ndex d'inici %g excedeix la longitud del primer " "argument (%lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "strftime: el valor de format a PROCINFO[\"strftime\"] t tipus numric" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "" "strftime: el segon argument s ms petit que 0 o massa gran per a time_t" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "strftime: ssegon argument fora de rang per a time_t" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: s'ha rebut una cadena de format buida" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "mktime: almenys un dels valors est forra del rang predeterminat" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "la funci 'system' no es permet fora del mode entorn de proves" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "" "print: s'ha intentat escriure a un final d'escriptura tancat a una canonada " "de doble via" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "referncia a una variable sense inicialitzar `$%d'" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, fuzzy, c-format msgid "%s: received non-numeric first argument" msgstr "or: el primer argument rebut no s numric" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: el tercer argument no s una matriu" #: builtin.c:1604 #, fuzzy, c-format #| msgid "fnmatch: could not get third argument" msgid "%s: cannot use %s as third argument" msgstr "fnmatch: no s'ha pogut obtenir el tercer argument" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: el tercer argument `%.*s' es tractar com a 1" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s: es pot cridar indirectament amb dos arguments" #: builtin.c:2242 #, fuzzy #| msgid "indirect call to %s requires at least two arguments" msgid "indirect call to gensub requires three or four arguments" msgstr "la crida indirecta a %s requereix almenys dos arguments" #: builtin.c:2304 #, fuzzy #| msgid "indirect call to %s requires at least two arguments" msgid "indirect call to match requires two or three arguments" msgstr "la crida indirecta a %s requereix almenys dos arguments" #: builtin.c:2365 #, fuzzy, c-format #| msgid "indirect call to %s requires at least two arguments" msgid "indirect call to %s requires two to four arguments" msgstr "la crida indirecta a %s requereix almenys dos arguments" #: builtin.c:2445 #, fuzzy, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): els valors negatius donaran resultats estranys" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f): els valors fraccionaris sernn truncats" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "" "lshift(%f, %f): un valor de desplaament massa gran donar resultats estranys" #: builtin.c:2486 #, fuzzy, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f, %f): els valors negatius donaran resultats estranys" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): els valors fraccionaris seran truncats" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "" "rshift(%f, %f): un valor de desplaament massa gran donar resultats estranys" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, fuzzy, c-format msgid "%s: called with less than two arguments" msgstr "or: cridat amb menys de dos arguments" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, fuzzy, c-format msgid "%s: argument %d is non-numeric" msgstr "or: l'argument %d no s numric" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, fuzzy, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%s: l'argument #%d amb valor negatiu %Rg donar resultats estranys" #: builtin.c:2616 #, fuzzy, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): el valor negatiu donar resultats estranys" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): el valor fraccionari ser truncat" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: `%s' no s una categoria local vlida" #: builtin.c:2842 builtin.c:2860 #, fuzzy, c-format msgid "%s: received non-string third argument" msgstr "ndex: el primer argument rebut no s una cadena" #: builtin.c:2915 builtin.c:2936 #, fuzzy, c-format msgid "%s: received non-string fifth argument" msgstr "ndex: el primer argument rebut no s una cadena" #: builtin.c:2925 builtin.c:2942 #, fuzzy, c-format msgid "%s: received non-string fourth argument" msgstr "ndex: el primer argument rebut no s una cadena" #: builtin.c:3070 mpfr.c:1335 #, fuzzy msgid "intdiv: third argument is not an array" msgstr "match: el tercer argument no s una matriu" #: builtin.c:3089 mpfr.c:1384 #, fuzzy msgid "intdiv: division by zero attempted" msgstr "s'ha intentat una divisi per zero" #: builtin.c:3130 #, fuzzy msgid "typeof: second argument is not an array" msgstr "split: el segon argument no s una matriu" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "" #: command.y:228 #, fuzzy, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "Escriviu proposici(ns) g(awk). Termineu amb la instrucci \"end\"\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "nmero invlid de marc: %d" #: command.y:298 #, fuzzy, c-format msgid "info: invalid option - `%s'" msgstr "info: opci no vlida - \"%s\"" #: command.y:324 #, fuzzy, c-format msgid "source: `%s': already sourced" msgstr "source \"%s\": ja s'ha utilitzat." #: command.y:329 #, fuzzy, c-format msgid "save: `%s': command not permitted" msgstr "save \"%s\": ordre no permesa." #: command.y:342 #, fuzzy msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" "No es pot usar l'ordre `commands' per a ordres de punt d'interrupci/" "inspecci" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "no s'ha establert encara cap punt d'interrupci/verificaci" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "nmero de punt d'interrupci/inspecci no vlid" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "Escriviu les ordres per a quan s'assoleix %s %d, una per lnia.\n" #: command.y:353 #, fuzzy, c-format msgid "End with the command `end'\n" msgstr "Termineu amb l'ordre \"end\"\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "`end' s vlid sols a les ordres `commands' o `eval'" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "`silent' s vlid sols a l'ordre `commands'" #: command.y:376 #, fuzzy, c-format msgid "trace: invalid option - `%s'" msgstr "tra: opci no vlida - \"%s\"" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "condici: nmero de punt d'interrupci/inspecci no vlid" #: command.y:452 msgid "argument not a string" msgstr "l'argument no s una cadena de carcters" #: command.y:462 command.y:467 #, fuzzy, c-format msgid "option: invalid parameter - `%s'" msgstr "opci: parmetre no vlid - \"%s\"" #: command.y:477 #, fuzzy, c-format msgid "no such function - `%s'" msgstr "no existeix aquesta funci - \"%s\"" #: command.y:534 #, fuzzy, c-format msgid "enable: invalid option - `%s'" msgstr "enable: opci no vlida - \"%s\"" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "especificaci no vlida de rang: %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "valor no numric per al nmero de camp" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "s'ha trobat un valor no numric, s'esperava un valor numric" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "valor enter no zero" #: command.y:820 #, fuzzy #| msgid "" #| "backtrace [N] - print trace of all or N innermost (outermost if N < 0) " #| "frames." msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" "backtrace [N] - imprimeix la traa de tot els N marcs interiors (exteriors " "si N < 0)." #: command.y:822 #, fuzzy #| msgid "" #| "break [[filename:]N|function] - set breakpoint at the specified location." msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "" "break [[fitxer:]N|funci] - estableix el punt d'interrupci a la ubicaci " "especificada." #: command.y:824 #, fuzzy #| msgid "clear [[filename:]N|function] - delete breakpoints previously set." msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "" "clear [[fitxer:]N|funci] - suprimeix els punts establerts prviament." #: command.y:826 #, fuzzy #| msgid "" #| "commands [num] - starts a list of commands to be executed at a " #| "breakpoint(watchpoint) hit." msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" "commands [num] - inicia una llista d'ordres a executar quan s'arribi a un " "punt d'interrupci/inspecci." #: command.y:828 #, fuzzy #| msgid "" #| "condition num [expr] - set or clear breakpoint or watchpoint condition." msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" "condition num [expr] - estableix o neteja una condici de punt d'interrupci " "o d'inspecci." #: command.y:830 #, fuzzy #| msgid "continue [COUNT] - continue program being debugged." msgid "continue [COUNT] - continue program being debugged" msgstr "continue [RECOMPTE] - continua el programa que s'est depurant." #: command.y:832 #, fuzzy #| msgid "delete [breakpoints] [range] - delete specified breakpoints." msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "" "delete [punts d'interrupci] [rang] - esborra els punts d'interrupci " "especificats." #: command.y:834 #, fuzzy #| msgid "disable [breakpoints] [range] - disable specified breakpoints." msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "" "disable [punts d'interrupci] [rang] - deshabilita els punts d'interrupci " "especificats." #: command.y:836 #, fuzzy #| msgid "display [var] - print value of variable each time the program stops." msgid "display [var] - print value of variable each time the program stops" msgstr "" "display [var] - imprimeix el valor de la variable cada cop que el programa " "s'atura" #: command.y:838 #, fuzzy #| msgid "down [N] - move N frames down the stack." msgid "down [N] - move N frames down the stack" msgstr "down [N] - mou N marcs cap a baix a la pila." #: command.y:840 #, fuzzy #| msgid "dump [filename] - dump instructions to file or stdout." msgid "dump [filename] - dump instructions to file or stdout" msgstr "" "dump [filename] - aboca les instruccions a un fitxer o a la sortida " "estndard." #: command.y:842 #, fuzzy #| msgid "" #| "enable [once|del] [breakpoints] [range] - enable specified breakpoints." msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" "enable [once|del] [punts d'interrupci] [rang] - habilita els punts " "d'interrupci especificats." #: command.y:844 #, fuzzy #| msgid "end - end a list of commands or awk statements." msgid "end - end a list of commands or awk statements" msgstr "end - finalitza una llista de ordres o declaracions awk." #: command.y:846 #, fuzzy #| msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)." msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "eval stmt|[p1, p2, ...] - avalua la(es) declaraci(ns) awk." #: command.y:848 #, fuzzy #| msgid "exit - (same as quit) exit debugger." msgid "exit - (same as quit) exit debugger" msgstr "exit - (igual que quit) surt del depurador." #: command.y:850 #, fuzzy #| msgid "finish - execute until selected stack frame returns." msgid "finish - execute until selected stack frame returns" msgstr "" "finish - executa fins que hi hagi un retorn del marc de pila seleccionat." #: command.y:852 #, fuzzy #| msgid "frame [N] - select and print stack frame number N." msgid "frame [N] - select and print stack frame number N" msgstr "frame [N] - selecciona i imprimeix el marc de pila amb nmero N." #: command.y:854 #, fuzzy #| msgid "help [command] - print list of commands or explanation of command." msgid "help [command] - print list of commands or explanation of command" msgstr "help [ordre] - imprimeix una llista d'ordres o una explica de l'ordre." #: command.y:856 #, fuzzy #| msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT." msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "" "ignore N RECOMPTE - estableix ignore-count del punt d'interrupci nmero N " "fins RECOMPTE." #: command.y:858 #, fuzzy #| msgid "" #| "info topic - source|sources|variables|functions|break|frame|args|locals|" #| "display|watch." msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch." #: command.y:860 #, fuzzy #| msgid "" #| "list [-|+|[filename:]lineno|function|range] - list specified line(s)." msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "" "list [-|+|[fitxer:]nmero-de-lnia|funci|rang] - fes una llista la(es) " "lnia(es) especificada(es)." #: command.y:862 #, fuzzy #| msgid "next [COUNT] - step program, proceeding through subroutine calls." msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "" "next [RECOMPTE] - avana el programa pas per pas, tot procedint a travs de " "les crides de subrutines." #: command.y:864 #, fuzzy #| msgid "" #| "nexti [COUNT] - step one instruction, but proceed through subroutine " #| "calls." msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" "nexti [RECOMPTE] - avana una instrucci, per procedeix a travs de crides " "de subrutines." #: command.y:866 #, fuzzy #| msgid "option [name[=value]] - set or display debugger option(s)." msgid "option [name[=value]] - set or display debugger option(s)" msgstr "" "option [nom[=valor]] - estableix o mostra la(es) opci(ns) del depurador." #: command.y:868 #, fuzzy #| msgid "print var [var] - print value of a variable or array." msgid "print var [var] - print value of a variable or array" msgstr "print var [var] - imprimeix el valor de la variable o matriu." #: command.y:870 #, fuzzy #| msgid "printf format, [arg], ... - formatted output." msgid "printf format, [arg], ... - formatted output" msgstr "printf format, [arg], ... - sortida amb format." #: command.y:872 #, fuzzy #| msgid "quit - exit debugger." msgid "quit - exit debugger" msgstr "quit - surt del depurador." #: command.y:874 #, fuzzy #| msgid "return [value] - make selected stack frame return to its caller." msgid "return [value] - make selected stack frame return to its caller" msgstr "" "return [valor] - fes que el marc seleccionat de pila retorni a l'element que " "l'ha cridat." #: command.y:876 #, fuzzy #| msgid "run - start or restart executing program." msgid "run - start or restart executing program" msgstr "run - inicia o reinicia el programa que s'est executant." #: command.y:879 #, fuzzy #| msgid "save filename - save commands from the session to file." msgid "save filename - save commands from the session to file" msgstr "save filename - desa les ordres de la sessi a un fitxer." #: command.y:882 #, fuzzy #| msgid "set var = value - assign value to a scalar variable." msgid "set var = value - assign value to a scalar variable" msgstr "set var = valor - assigna un valor a una variable escalar." #: command.y:884 #, fuzzy #| msgid "" #| "silent - suspends usual message when stopped at a breakpoint/watchpoint." msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" "silent - suspn els missatges habituals quan s'autra a un punt d'interrupci/" "inspecci." #: command.y:886 #, fuzzy #| msgid "source file - execute commands from file." msgid "source file - execute commands from file" msgstr "source file - executa una ordre des d'un fitxer." #: command.y:888 #, fuzzy #| msgid "" #| "step [COUNT] - step program until it reaches a different source line." msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" "step [RECOMPTE] - avana pas per pas pel programa fins que arribi a una " "lnia diferent de la font." #: command.y:890 #, fuzzy #| msgid "stepi [COUNT] - step one instruction exactly." msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [RECOMPTE] - avana exactament una instrucci." #: command.y:892 #, fuzzy #| msgid "tbreak [[filename:]N|function] - set a temporary breakpoint." msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "" "tbreak [[fitxer:]N|funci] - estableix un punt temporari d'interrupci." #: command.y:894 #, fuzzy #| msgid "trace on|off - print instruction before executing." msgid "trace on|off - print instruction before executing" msgstr "trace on|off - imprimeix la instrucci abans d'executar-la." #: command.y:896 #, fuzzy #| msgid "undisplay [N] - remove variable(s) from automatic display list." msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "" "undisplay [N] - remou la(es) variable(s) de la llista automtica " "visualitzaci." #: command.y:898 #, fuzzy #| msgid "" #| "until [[filename:]N|function] - execute until program reaches a different " #| "line or line N within current frame." msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" "until [[fitxer:]N|funci] - executa fins que el programa arribi a una lnia " "diferent a la lnia N dins del marc actual." #: command.y:900 #, fuzzy #| msgid "unwatch [N] - remove variable(s) from watch list." msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [N] - remou la(es) variable(s) de la llista d'inspecci." #: command.y:902 #, fuzzy #| msgid "up [N] - move N frames up the stack." msgid "up [N] - move N frames up the stack" msgstr "up [N] - mou-te N marcs cap a dalt de la pila." #: command.y:904 #, fuzzy #| msgid "watch var - set a watchpoint for a variable." msgid "watch var - set a watchpoint for a variable" msgstr "watch var - estableix un punt d'inspecci per a una variable." #: command.y:906 #, fuzzy #| msgid "" #| "where [N] - (same as backtrace) print trace of all or N innermost " #| "(outermost if N < 0) frames." msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "on [N] - (igual que la traa inversa) imprimeix la traa de tots els N marcs " "interiors (exteriors si N < 0)." #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "error: " #: command.y:1061 #, fuzzy, c-format msgid "cannot read command: %s\n" msgstr "no es pot llegir l'ordre (%s)\n" #: command.y:1075 #, fuzzy, c-format msgid "cannot read command: %s" msgstr "no es pot llegir l'ordre (%s)" #: command.y:1126 msgid "invalid character in command" msgstr "carcter no vlida en la instucci" #: command.y:1162 #, fuzzy, c-format msgid "unknown command - `%.*s', try help" msgstr "ordre desconeguda - \"%.*s\", prova l'ajuda" #: command.y:1294 msgid "invalid character" msgstr "carcter no vlid" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "ordre no definida: %s\n" #: debug.c:257 #, fuzzy #| msgid "set or show the number of lines to keep in history file." msgid "set or show the number of lines to keep in history file" msgstr "" "estableix o mostra el nmero de lnies a mantenir al fitxer d'histria." #: debug.c:259 #, fuzzy #| msgid "set or show the list command window size." msgid "set or show the list command window size" msgstr "estableix o mostra la mida de la finestra de llista d'ordres." #: debug.c:261 #, fuzzy #| msgid "set or show gawk output file." msgid "set or show gawk output file" msgstr "estableix o mostra el fitxer de sortida gawk." #: debug.c:263 #, fuzzy #| msgid "set or show debugger prompt." msgid "set or show debugger prompt" msgstr "estableix o mostra l'indicador del depurador." #: debug.c:265 #, fuzzy #| msgid "(un)set or show saving of command history (value=on|off)." msgid "(un)set or show saving of command history (value=on|off)" msgstr "" "estableix(anulla) o mostra el desament de la histria d'ordres (valor=on|" "off)." #: debug.c:267 #, fuzzy #| msgid "(un)set or show saving of options (value=on|off)." msgid "(un)set or show saving of options (value=on|off)" msgstr "estableix(anulla) o mostra el desament d'opcions (valor=on|off)." #: debug.c:269 #, fuzzy #| msgid "(un)set or show instruction tracing (value=on|off)." msgid "(un)set or show instruction tracing (value=on|off)" msgstr "" "estableix(anulla) o mostra el seguiment d'instruccions (valor=on|off)." #: debug.c:358 #, fuzzy #| msgid "program not running." msgid "program not running" msgstr "el programa no s'est executant." #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "el fitxer font `%s' est buit\n" #: debug.c:502 #, fuzzy #| msgid "no current source file." msgid "no current source file" msgstr "no hi ha un fitxer font." #: debug.c:527 #, fuzzy, c-format msgid "cannot find source file named `%s': %s" msgstr "no es pot trobar el fitxer font `%s' (%s)" #: debug.c:551 #, fuzzy, c-format #| msgid "WARNING: source file `%s' modified since program compilation.\n" msgid "warning: source file `%s' modified since program compilation.\n" msgstr "" "ADVERTIMENT: el fitxer font `%s' s'ha modificat des de la compilaci del " "programa.\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "lnia nmero %d fora de rang; `%s' t %d lnies" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "" "final de fitxer no esperat quan s'estava llegint el fitxer `%s', lnia %d" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "" "el fitxer font `%s' s'ha modificat des de l'inici de l'execuci del programa" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "Fitxer font actual: %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "Nombre de lnies: %d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "Fitxer font (lnies): %s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "Ubicaci habilitada per nmero disp\n" "\n" #: debug.c:787 #, fuzzy, c-format #| msgid "\tno of hits = %ld\n" msgid "\tnumber of hits = %ld\n" msgstr "\tnmero de accessos = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "\tignora el(s) prxim(s) %ld accs(sos)\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "\tcondici d'aturada: %s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "\tordres:\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "Marc actual: " #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "Cridat per marc: " #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "Cridador de marc: " #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "Cap a main().\n" #: debug.c:870 msgid "No arguments.\n" msgstr "Sense arguments.\n" #: debug.c:871 msgid "No locals.\n" msgstr "No hi ha locals.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "Totes les variables definides:\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "Totes les funcions definides:\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "Mostra automticament les variables:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "Inspecciona les variables:\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "no hi ha el smbol `%s' al context actual\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "`%s' no s una matriu\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = camp sense inicialitzar\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "la matriu `%s' est buida\n" #: debug.c:1184 debug.c:1236 #, fuzzy, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "[\"%s\"] no est a la matriu `%s'\n" #: debug.c:1240 #, fuzzy, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "`%s[\"%s\"]' no s una matriu\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "`%s' no s una variable escalar" #: debug.c:1325 debug.c:5196 #, fuzzy, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "s'ha intentat usar la matriu `%s[\"%s\"]' en un context escalar" #: debug.c:1348 debug.c:5207 #, fuzzy, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "s'ha intentat usar la dada escalar `%s[\"%s\"]' com a una matriu" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "`%s' s una funci" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "el punt d'inspecci %d s incondicional\n" #: debug.c:1567 #, fuzzy, c-format #| msgid "No display item numbered %ld" msgid "no display item numbered %ld" msgstr "No hi ha un element de visualitzaci numerat %ld" #: debug.c:1570 #, fuzzy, c-format #| msgid "No watch item numbered %ld" msgid "no watch item numbered %ld" msgstr "No hi ha un element d'inspecci numerat %ld" #: debug.c:1596 #, fuzzy, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d: [\"%s\"] no est a la matriu `%s'\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "s'ha intentat usar una dada escalar com a una matriu" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "" "El punt d'inspecci %d s'ha esborrat perqu el parmetre est fora d'abast.\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "La vista %d s'ha suprimit perqu el parmetre est fora de l'abast.\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr "al fitxer `%s', lnia %d\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr " a `%s':%d" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "#%ld\ten " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "Segueixen ms marcs de pila ...\n" #: debug.c:2092 msgid "invalid frame number" msgstr "nmero no vlid de rang" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Nota: el punt d'interrupci %d (habilitat, ignora els %ld accessos " "segents), tamb s'ha establert a %s:%d" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "" "Nota: el punt d'interrupci %d (habilitat), tamb s'ha establert a %s:%d" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Nota: el punt d'interrupci %d (deshabilitat, ignora els %ld accessos " "segents), tamb s'ha establert a %s:%d" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "" "Nota: el punt d'interrupci %d (deshabilitat), tamb s'ha establert a %s:%d" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "Punt d'interrupci %d establert al fitxer `%s', lnia %d\n" #: debug.c:2415 #, fuzzy, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "No es pot establir el punt d'interrupci al fitxer `%s'\n" #: debug.c:2444 #, fuzzy, c-format #| msgid "line number %d in file `%s' out of range" msgid "line number %d in file `%s' is out of range" msgstr "el nmero de lnia %d al fitxer `%s' est fora de rang" #: debug.c:2448 #, fuzzy, c-format msgid "internal error: cannot find rule\n" msgstr "error intern: %s amb vname nul" #: debug.c:2450 #, fuzzy, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "No es pot establir el punt d'interrupci a `%s':%d\n" #: debug.c:2462 #, fuzzy, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "No est pot establir el punt d'interrupci a la funci `%s'\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "" "el punt d'interrupci %d establert al fitxer `%s', lnia %d s " "incondicional\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "el nmero de lnia %d al fitxer `%s' est fora de rang" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "Punt interrupci suprimit %d" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "No hi ha punt(s) d'interrupci a l'entrada a la funci `%s'\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "No hi ha un punt d'interrupci al fitxer `%s', lnia #%d\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "nmero no vlid de punt d'interrupci" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "Suprimir tots els punts d'interrupci (s o n) " #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "s" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "" "S'ignoraran el(s) %ld creuament(s) segent(s) del punt d'interrupci %d.\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "" "S'aturar la prxima vegada que s'assoleixi el punt d'interrupci %d.\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "Sols es poden depurar programes que tenen l'opci `-f'.\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "No s'ha pogut reiniciar el depurador." #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "El programa ja est corrent. S'ha de reiniciar des del principi (s/n)?" #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "No s'ha reiniciat el programa\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "error: no es pot reiniciar, l'operaci no est permesa\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "error (%s): no es pot reiniciar, s'ignoraran la resta de les ordres\n" #: debug.c:3026 #, fuzzy, c-format #| msgid "Starting program: \n" msgid "Starting program:\n" msgstr "S'est iniciant el programa: \n" #: debug.c:3036 #, fuzzy, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "El programa ha tingut la sortida %s amb el valor de sortida: %d\n" #: debug.c:3037 #, fuzzy, c-format msgid "Program exited normally with exit value: %d\n" msgstr "El programa ha tingut la sortida %s amb el valor de sortida: %d\n" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "El programa s'est executant. Voleu sortir tot i aix (s/n)? " #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "No s'ha detingut a cap punt d'interrupci; s'ignorar l'argument.\n" #: debug.c:3091 #, fuzzy, c-format #| msgid "invalid breakpoint number %d." msgid "invalid breakpoint number %d" msgstr "nmero no vlid de punt d'interrupci %d." #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "S'ignoraran els prxims %ld creuaments de punt d'interrupci %d.\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "'finish' no t significat al marc ms extern main()\n" #: debug.c:3288 #, fuzzy, c-format #| msgid "Run till return from " msgid "Run until return from " msgstr "Executa fins retornar de " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "'return' no t significat al marc ms extern main()\n" #: debug.c:3444 #, fuzzy, c-format msgid "cannot find specified location in function `%s'\n" msgstr "No es pot trobar la ubicaci especificada a la funci `%s'\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "lnia %d no vlida de font al fitxer `%s'" #: debug.c:3467 #, fuzzy, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "No es pot trobar la ubicaci especificada %d al fitxer `%s'\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "l'element no est a la matriu\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "variable sense tipus\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "S'est aturant a %s ...\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "'finish' no t significat amb salt no local '%s'\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "'until' no t significat amb salt no local '%s'\n" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 #, fuzzy msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "\t------[Intro] per continuar o q [Intro] per sortir------" #: debug.c:5203 #, fuzzy, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%s\"] no est a la matriu `%s'" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "s'est enviant la sortida a la sortida estndard\n" #: debug.c:5449 msgid "invalid number" msgstr "nmero no vlid" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "`%s' no est perms al context actual; s'ignorar la declaraci" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "`return' no est perms al context actual; s'ignorar la declaraci" #: debug.c:5639 #, fuzzy, c-format #| msgid "fatal error: internal error" msgid "fatal error during eval, need to restart.\n" msgstr "error fatal: error intern" #: debug.c:5829 #, fuzzy, c-format #| msgid "no symbol `%s' in current context\n" msgid "no symbol `%s' in current context" msgstr "no hi ha el smbol `%s' al context actual\n" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "tipus de node %d desconegut" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "opcode %d desconegut" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "l'opcode %s no s un operador o una paraula clau" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "desbordament del cau temporal en genflags2str" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# Pila de crida a les funcions:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "`IGNORECASE' s una extensi de gawk" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "`BINMODE' s una extensi de gawk" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "El valor BINMODE `%s' no s vlid, es tractar com 3" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "`%sFMT' especificaci errnia `%s'" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "desactivant `--lint' degut a una assignaci a `LINT'" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "referncia a un argument sense inicialitzar `%s'" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "referncia a una variable sense inicialitzar `%s'" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "s'ha intentat una referncia de camp a partir d'un valor no numric" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "s'ha intentat entrar una referncia a partir d'una cadena nulla" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "s'ha intentat accedir al camp %ld" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "referncia a una variable sense inicialitzar `$%ld'" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "s'ha cridat a la funci `%s' amb ms arguments dels declarats" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: tipus no esperat `%s'" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "s'ha intentat una divisi per zero en `/='" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "s'ha intentat una divisi per zero en `%%='" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "les extensions no estan permeses en mode de proves" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "-l / @load sn extensions gawk" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext: s'ha rebut lib_name nul" #: ext.c:60 #, fuzzy, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext: no es pot obrir la llibreria `%s' (%s)\n" #: ext.c:66 #, fuzzy, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "" "load_ext: biblioteca `%s': no defineix `plugin_is_GPL_compatible' (%s)\n" #: ext.c:72 #, fuzzy, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "load_ext: biblioteca `%s': no es pot cridar a la funci `%s' (%s)\n" #: ext.c:76 #, fuzzy, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "" "load_ext: la biblioteca `%s' amb rutina d'inicialitzaci `%s' ha fallat\n" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin: nom absent de funci" #: ext.c:100 ext.c:111 #, fuzzy, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "make_builtin: no es pot usar el nom intern `%s' com a nom de funci" #: ext.c:109 #, fuzzy, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "make_builtin: no es pot usar el nom intern `%s' com a nom de funci" #: ext.c:126 #, fuzzy, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin: no es pot redefinir la funci `%s'" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin: la funci `%s' ja est definida" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin: nom de la funci `%s' definida prviament" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin: recompte negatiu d'arguments per a la funci `%s'" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "" "funci `%s': argument #%d: s'ha intentat usar una dada escalar com a una " "matriu" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "" "funci `%s': argument #%d: s'ha intentat usar una matriu com a un escalar" #: ext.c:238 #, fuzzy msgid "dynamic loading of libraries is not supported" msgstr "no est suportada la crrega dinmica de la biblioteca" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "stat: no s'ha pogut llegir l'enlla simblic `%s'" #: extension/filefuncs.c:479 #, fuzzy msgid "stat: first argument is not a string" msgstr "do_writea: l'argument 0 no s una cadena de carcters\n" #: extension/filefuncs.c:484 #, fuzzy msgid "stat: second argument is not an array" msgstr "split: el segon argument no s una matriu" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stata: arguments dolents" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "fts init: no s'ha pogut crear la variable %s" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "fts no est suportat en aquest sistema" #: extension/filefuncs.c:634 #, fuzzy msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element: no s'ha pogut crear la matriu" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element: no s'ha pogut establir l'element" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element: no s'ha pogut establir l'element" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element: no s'ha pogut establir l'element" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts-process: no s'ha pogut crear la matriu" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts-process: no s'ha pogut establir l'element" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "fts: cridat amb un nombre incorrecte d'arguments, s'esperaven 3" #: extension/filefuncs.c:853 #, fuzzy msgid "fts: first argument is not an array" msgstr "asort: el primer argument no s una matriu" #: extension/filefuncs.c:859 #, fuzzy msgid "fts: second argument is not a number" msgstr "split: el segon argument no s una matriu" #: extension/filefuncs.c:865 #, fuzzy msgid "fts: third argument is not an array" msgstr "match: el tercer argument no s una matriu" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts: no s'ha pogut aplanar la matriu\n" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "fts: s'ignorar l'indicador FTS_NOSTAT furtiu. T'he enxampat!" #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch: no s'ha pogut obtenir el segon argument" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch: no s'ha pogut obtenir el segon argument" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch: no s'ha pogut obtenir el tercer argument" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "fnmatch no est implementat en aquest sistema\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "fnmatch init: no s'ha pogut afegir la variable FNM_NOMATCH" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "fnmatch init: no s'ha pogut establir l'element de matriu %s" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "fnmatch init: no s'ha pogut installar la matriu FNM" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork: PROCINFO no s una matriu!" #: extension/inplace.c:131 #, fuzzy msgid "inplace::begin: in-place editing already active" msgstr "inplace_begin: l'edici in situ ja est activa" #: extension/inplace.c:134 #, fuzzy, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "inplace_begin: s'esperaven 2 arguments per s'ha cridat amb %d" #: extension/inplace.c:137 #, fuzzy msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "" "inplace_begin: no es pot obtenir el primer argument com nom de fitxer cadena " "de carcters" #: extension/inplace.c:145 #, fuzzy, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" "inplace_begin: s'est deshabilitant l'edici in situ per al nom de fitxer no " "vlid `%s'" #: extension/inplace.c:152 #, fuzzy, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "implace_begin: No es pot obrir `%s' (%s)" #: extension/inplace.c:159 #, fuzzy, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "inplace_begin: `%s' no s un fitxer regular" #: extension/inplace.c:170 #, fuzzy, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace_begin: mkstemp(`%s') ha fallat (%s)" #: extension/inplace.c:182 #, fuzzy, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace_begin: ha fallat chmod (%s)" #: extension/inplace.c:189 #, fuzzy, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace_begin: dup(stdout) ha fallat(%s)" #: extension/inplace.c:192 #, fuzzy, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace_begin: dup2(%d, stdout) ha fallat (%s)" #: extension/inplace.c:195 #, fuzzy, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace begin: close(%d) ha fallat (%s)" #: extension/inplace.c:211 #, fuzzy, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "inplace_begin: s'esperaven 2 arguments per s'ha cridat amb %d" #: extension/inplace.c:214 #, fuzzy msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "" "inplace_end: no es pot obtenir el primer argument com un nom de fitxer " "cadena de carcters" #: extension/inplace.c:221 #, fuzzy msgid "inplace::end: in-place editing not active" msgstr "inplace_end: no est activa l'edici in situ" #: extension/inplace.c:227 #, fuzzy, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace_end: dup2(%d, stdout) ha fallat (%s)" #: extension/inplace.c:230 #, fuzzy, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace_end: close(%d) ha fallat (%s)" #: extension/inplace.c:234 #, fuzzy, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace_end: fsetpos(stdout) ha fallat (%s)" #: extension/inplace.c:247 #, fuzzy, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace_end: link(`%s', `%s') ha fallat (%s)" #: extension/inplace.c:257 #, fuzzy, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace_end: rename(`%s', `%s') ha fallat (%s)" #: extension/ordchr.c:72 #, fuzzy msgid "ord: first argument is not a string" msgstr "do_reada: l'argument 0 no s una cadena de carcters\n" #: extension/ordchr.c:99 #, fuzzy msgid "chr: first argument is not a number" msgstr "asort: el primer argument no s una matriu" #: extension/readdir.c:291 #, fuzzy, c-format #| msgid "dir_take_control_of: opendir/fdopendir failed: %s" msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "dir_take_control_of: opendir/fdopendir ha fallat: %s" #: extension/readfile.c:133 #, fuzzy msgid "readfile: called with wrong kind of argument" msgstr "readfile: s'ha cridat amb cap argument" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput: no s'ha pogut inicialitzar la variable REVOUT" #: extension/rwarray.c:145 extension/rwarray.c:548 #, fuzzy, c-format msgid "%s: first argument is not a string" msgstr "do_writea: l'argument 0 no s una cadena de carcters\n" #: extension/rwarray.c:189 #, fuzzy msgid "writea: second argument is not an array" msgstr "do_writea: l'argument 1 no s una matriu\n" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "" #: extension/rwarray.c:226 #, fuzzy msgid "write_array: could not flatten array" msgstr "write_array: no s'ha pogut aplanar la matriu\n" #: extension/rwarray.c:242 #, fuzzy msgid "write_array: could not release flattened array" msgstr "write_array: no s'ha pogut alliberar la matriu aplanada\n" #: extension/rwarray.c:307 #, fuzzy, c-format msgid "array value has unknown type %d" msgstr "tipus de node %d desconegut" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" #: extension/rwarray.c:437 #, fuzzy, c-format msgid "cannot free number with unknown type %d" msgstr "tipus de node %d desconegut" #: extension/rwarray.c:442 #, fuzzy, c-format msgid "cannot free value with unhandled type %d" msgstr "tipus de node %d desconegut" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "" #: extension/rwarray.c:525 #, fuzzy msgid "reada: clear_array failed" msgstr "do_reada: clear_array ha fallat\n" #: extension/rwarray.c:611 #, fuzzy msgid "reada: second argument is not an array" msgstr "do_reada: l'argument 1 no s una matriu\n" #: extension/rwarray.c:648 #, fuzzy msgid "read_array: set_array_element failed" msgstr "read_array: set_array_element ha fallat\n" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday: no est suportat en aquesta plataforma" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep: no hi ha un argument numric requerit" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep: l'argument s negatiu" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep: no est suportat en aquesta plataforma" #: extension/time.c:232 #, fuzzy #| msgid "chr: called with no arguments" msgid "strptime: called with no arguments" msgstr "chr: s'ha cridat amb cap argument" #: extension/time.c:240 #, fuzzy, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "do_writea: l'argument 0 no s una cadena de carcters\n" #: extension/time.c:245 #, fuzzy, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "do_writea: l'argument 0 no s una cadena de carcters\n" #: field.c:321 msgid "input record too large" msgstr "" #: field.c:443 msgid "NF set to negative value" msgstr "NF s'inicialitza sobre un valor negatiu" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split: el quart argument s una extensi gawk" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split: el quart argument no s una matriu" #: field.c:1138 field.c:1240 #, fuzzy, c-format msgid "%s: cannot use %s as fourth argument" msgstr "" "asort: no es pot usar una submatriu com a segon argument per al primer " "argument" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: el segon argument no s una matriu" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "" "split: no es pot usar una submatriu de segon argument per a quart argument" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "" "split: no es pot usar una submatriu de segon argument per a quart argument" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "" "split: no est pot usar una submatriu de quart argument per a segon argument" #: field.c:1199 #, fuzzy msgid "split: null string for third arg is a non-standard extension" msgstr "split: la cadena nulla per al tercer argument s una extensi de gawk" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: el quart argument no s una matriu" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: el tercer argument no s una matriu" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit: el segon argument no s una matriu" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "" "patsplit: no es pot usar la mateixa matriu per a segon i quart argument" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" "patsplit: no es pot usar una submatriu de segon argument per a quart argument" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" "patsplit: no es pot usar una submatriu de quart argument per a segon argument" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "`FIELDWIDTHS' s una extensi de gawk" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "" #: field.c:1437 #, fuzzy, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "valor FIELDWIDTHS no vlid, a prop de `%s'" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "la cadena nulla per a `FS' s una extensi de gawk" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "l'antic awk no suporta expressions regulars com a valor de `FS'" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "`FPAT' s una extensi gawk" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node: s'ha rebut retval nul" #: gawkapi.c:178 gawkapi.c:191 #, fuzzy msgid "awk_value_to_node: not in MPFR mode" msgstr "awk_value_to_node: s'ha rebut retval nul" #: gawkapi.c:185 gawkapi.c:197 #, fuzzy msgid "awk_value_to_node: MPFR not supported" msgstr "awk_value_to_node: s'ha rebut retval nul" #: gawkapi.c:201 #, fuzzy, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node: s'ha rebut retval nul" #: gawkapi.c:388 #, fuzzy msgid "add_ext_func: received NULL name_space parameter" msgstr "load_ext: s'ha rebut lib_name nul" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value: s'ha rebut un node nul" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value: s'ha rebut un valor nul" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element: s'ha rebut una matriu nulla" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element: s'ha rebut un subndex nul" #: gawkapi.c:1271 #, fuzzy, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "api_flatten_array: no s'ha pogut convertir l'ndex %d\n" #: gawkapi.c:1276 #, fuzzy, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "api_flatten_array: no s'ha pogut convertir el valor %d\n" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "" #: gawkapi.c:1420 #, fuzzy msgid "cannot find end of BEGINFILE rule" msgstr "next no es pot cridar des d'una regla BEGIN" #: gawkapi.c:1474 #, fuzzy, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "no es pot obrir el fitxer font `%s' per a lectura (%s)" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "l'argument `%s' de lnia d'ordres s un directori: s'ignorar" #: io.c:418 io.c:532 #, fuzzy, c-format msgid "cannot open file `%s' for reading: %s" msgstr "no es pot obrir el fitxer `%s' per a lectura (%s)" #: io.c:659 #, fuzzy, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "la finalitzaci del descriptor fd %d (`%s') ha fallat (%s)" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "mescla innecessria de `>' i `>>' per al fitxer `%.*s'" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "no est permeten redireccions en mode de proves" #: io.c:835 #, fuzzy, c-format msgid "expression in `%s' redirection is a number" msgstr "l'expressi en la redirecci `%s' solt t un valor numric" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "l'expressi per a la redirecci `%s' t un valor de cadena nulla" #: io.c:844 #, fuzzy, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "el fitxer `%s' per a la redirecci `%s' pot ser resultat d'una expressi " "lgica" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "" #: io.c:955 #, fuzzy, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "no es pot obrir la canonada `%s' per a l'eixida (%s)" #: io.c:973 #, fuzzy, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "no es pot obrir la canonada `%s' per a l'entrada (%s)" #: io.c:1002 #, fuzzy, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "gettimeofday: no est suportat en aquesta plataforma" #: io.c:1013 #, fuzzy, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "" "no es pot obrir una canonada bidireccional `%s' per a les entrades/eixides " "(%s)" #: io.c:1100 #, fuzzy, c-format msgid "cannot redirect from `%s': %s" msgstr "no es pot redirigir des de `%s' (%s)" #: io.c:1103 #, fuzzy, c-format msgid "cannot redirect to `%s': %s" msgstr "no es pot redirigir cap a `%s' (%s)" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "s'ha arribat al lmit del sistema per a fitxers oberts: es comenar a " "multiplexar els descriptors de fitxer" #: io.c:1221 #, fuzzy, c-format msgid "close of `%s' failed: %s" msgstr "la finalitzaci de `%s' ha fallat (%s)" #: io.c:1229 msgid "too many pipes or input files open" msgstr "masses canonades o fitxers d'entrada oberts" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: el segon argument hauria de ser `to' o `from'" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "close: `%.*s' no s un fitxer obert, canonada o co-procs" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "finalitzaci d'una redirecci que no s'ha obert" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close: la redirecci `%s' no s'obre amb `|&', s'ignora el segon argument" #: io.c:1397 #, fuzzy, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "estat de fallada (%d) en la finalitzaci de la canonada `%s' (%s)" #: io.c:1400 #, fuzzy, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "estat de fallada (%d) en la finalitzaci de la canonada `%s' (%s)" #: io.c:1403 #, fuzzy, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "estat de falla (%d) en la finalitzaci del fitxer `%s' (%s)" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "no s'aporta la finalitzaci explcita del socket `%s'" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "no s'aporta la finalitzaci explcita del co-procs `%s'" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "no s'aporta la finalitzaci explcita de la canonada `%s'" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "no s'aporta la finalitzaci explcita del fitxer `%s'" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, fuzzy, c-format msgid "error writing standard output: %s" msgstr "error en escriure a la sortida estndard (%s)" #: io.c:1474 io.c:1573 main.c:671 #, fuzzy, c-format msgid "error writing standard error: %s" msgstr "error en escriure a la sortida d'error estndard (%s)" #: io.c:1513 #, fuzzy, c-format msgid "pipe flush of `%s' failed: %s" msgstr "la neteja de la canonada de `%sx' ha fallat (%s)." #: io.c:1516 #, fuzzy, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "la neteja de la canonada per al co-procs de `%sx' ha fallat (%s)." #: io.c:1519 #, fuzzy, c-format msgid "file flush of `%s' failed: %s" msgstr "la neteja del fitxer `%s' ha fallat (%s)." #: io.c:1662 #, fuzzy, c-format msgid "local port %s invalid in `/inet': %s" msgstr "port local %s no vlid a `/inet'" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "port local %s no vlid a `/inet'" #: io.c:1688 #, fuzzy, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "amfitri remot i informaci de port (%s, %s) no vlids" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "amfitri remot i informaci de port (%s, %s) no vlids" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "les comunicacions TCP/IP no estan suportades" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "no es pot obrir `%s', mode `%s'" #: io.c:2069 io.c:2121 #, fuzzy, c-format msgid "close of master pty failed: %s" msgstr "ha fallat el tancament del pty mestre (%s)" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, fuzzy, c-format msgid "close of stdout in child failed: %s" msgstr "" "ha fallat la finalitzaci de la sortida estndard en els processos fills (%s)" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "" "ha fallat el trasllat del pty esclau cap a l'eixida estndard dels processos " "fills (dup: %s)" #: io.c:2076 io.c:2128 io.c:2469 #, fuzzy, c-format msgid "close of stdin in child failed: %s" msgstr "" "ha fallat la finalitzaci de l'entrada estndard en els processos fills (%s)" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "" "ha fallat el trasllat del pty esclau cap a l'entrada estndard dels " "processos fills (dup: %s)" #: io.c:2081 io.c:2133 io.c:2155 #, fuzzy, c-format msgid "close of slave pty failed: %s" msgstr "ha fallat el tancament del pty esclau (%s)" #: io.c:2317 #, fuzzy msgid "could not create child process or open pty" msgstr "no es pot crear el procs fill per a `%s' (fork: %s)" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "" "ha fallat la redirecci cap a l'eixida estndard dels processos fills (dup: " "%s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "" "ha fallat la redirecci cap a l'entrada estndard dels processos fills (dup: " "%s)" #: io.c:2432 io.c:2695 #, fuzzy msgid "restoring stdout in parent process failed" msgstr "ha fallat la restauraci de l'eixida estndard en el procs pare\n" #: io.c:2440 #, fuzzy msgid "restoring stdin in parent process failed" msgstr "ha fallat la restauraci de l'entrada estndard en el procs pare\n" #: io.c:2475 io.c:2707 io.c:2722 #, fuzzy, c-format msgid "close of pipe failed: %s" msgstr "ha fallat la finalitzaci de la canonada (%s)" #: io.c:2534 msgid "`|&' not supported" msgstr "`|&' no est suportat" #: io.c:2662 #, fuzzy, c-format msgid "cannot open pipe `%s': %s" msgstr "no es pot obrir la canonada `%s' (%s)" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "no es pot crear el procs fill per a `%s' (fork: %s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "" "getline: s'ha intentat llegir d'un final de lectura tancada d'una canonada " "de doble via" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser: s'ha rebut un punter nul" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" "l'analitzador d'entrades `%s' est en conflicte amb analitzador d'entrades " "`%s' installat prviament" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "l'analitzador d'entrada `%s' no ha pogut obrir `%s'" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_wrapper: s'ha rebut un punter nul" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" "l'embolcall de sortida `%s' est en conflicte amb l'embolcall de sortida " "`%s' installat prviament" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "l'embolcall de sortida `%s' no ha pogut obrir `%s'" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor: s'ha rebut un punter nul" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" "el processsador de dues vies `%s' est en conflicte amb el processador de " "dues vies `%s' installat prviament" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "el processador de dues vies `%s' no ha pogut obrir `%s'" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "el fitxer de dades `%s' est buit" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "no s'ha pogut assignar ms memria d'entrada" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "el valor multicarcter de `RS' s una extensi de gawk" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "la comunicaci IPv6 no est suportada" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "" "la variable d'entorn `POSIXLY_CORRECT' est establerta: usant `--posix'" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "`--posix' solapa a `--traditional'" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "`--posix' i `--traditional' solapen a `--non-decimal-data'" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "`--posix' anulla a `--characters-as-bytes'" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "executar %s com a setuid root pot ser un problema de seguretat" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "" #: main.c:413 #, fuzzy, c-format msgid "cannot set binary mode on stdin: %s" msgstr "no es pot establir el mode binari en l'entrada estndard (%s)" #: main.c:416 #, fuzzy, c-format msgid "cannot set binary mode on stdout: %s" msgstr "no es pot establir el mode en l'eixida estndard (%s)" #: main.c:418 #, fuzzy, c-format msgid "cannot set binary mode on stderr: %s" msgstr "no es pot establir el mode en l'eixida d'error estndard (%s)" #: main.c:483 msgid "no program text at all!" msgstr "no hi ha cap text per al programa!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "s: %s [opcions d'estil POSIX o GNU] -f fitx_prog [--] fitxer ...\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "s: %s [opcions d'estil POSIX o GNU] [--] %cprograma%c fitxer ...\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "Opcions POSIX:\t\tOpcions llargues GNU: (estndard)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f fitx_prog\t\t--file=fitx_prog\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F fs\t\t\t--field-separator=fs (fs=sep_camp)\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "\t-v var=valor\t\t--assign=var=valor\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "Opcions curtes:\t\tOpcions llargues GNU: (extensions)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[file]\t\t--dump-variables[=file]\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-D[file]\t\t--debug[=file]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e 'program-text'\t--source='program-text'\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E file\t\t\t--exec=file\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "\t-i includefile\t\t--include=fitxer a incloure\n" #: main.c:602 #, fuzzy #| msgid "\t-h\t\t\t--help\n" msgid "\t-I\t\t\t--trace\n" msgstr "\t-h\t\t\t--help\n" #: main.c:603 #, fuzzy #| msgid "\t-h\t\t\t--help\n" msgid "\t-k\t\t\t--csv\n" msgstr "\t-h\t\t\t--help\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "\t-l library\t\t--load=biblioteca\n" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 #, fuzzy msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L[fatal|invalid]\t--lint[=fatal|invalid]\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "\t-M\t\t\t--bignum\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-o[file]\t\t--pretty-print[=file]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[file]\t\t--profile[=file]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 #, fuzzy msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 #, fuzzy msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 #, fuzzy msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "Per informar d'errors, vegeu el node `Bugs' a `gawk.info', que\n" "s la secci `Informant sobre problemes i errors' a la versi impresa.\n" "Informeu dels errors de traducci a \n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk s un llenguatge d'anlisi i processament de patrons.\n" "De forma predeterminada llegeix l'entrada estndard i escriu a la sortida " "estndar.\n" #: main.c:656 #, fuzzy, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "Exemples:\n" "\tgawk '{ sum += $1 }; END { print sum }' fitxer\n" "\tgawk -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "Aquest programa s programari lliure; pot redistribuir-se i/o modificar-se\n" "sota els termes de la Llicncia Pblica General de GNU tal i como est\n" "publicada per la Free Software Foundation; ja siga en la versi 3 de la\n" "Llicncia, o (a la vostra elecci) qualsevol versi posterior.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "Aquest programa es distribueix amb l'esperana de que ser d'utilitat,\n" "per SENSE CAP GARANTIA; fins i tot sense la garantia implcita de\n" "COMERCIABILITAT o IDONETAT PER A UN PROPSIT EN PARTICULAR.\n" "Per a ms detalls consulteu la Llicncia Pblica General de GNU.\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "Junt amb aquest programa haureu d'haver rebut una cpia de la Llicncia\n" "Pblica General de GNU; si no s aix, vegeu http://www.gnu.org/licenses/.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "-Ft no permet inicialitzar FS a un tabulador en la versi POSIX de awk" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: `%s' l'argument per a `-v' no est en forma `var=valor'\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "`%s' no s nom legal de variable" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "`%s' no s un valor de variable, s'esperava fitxer `%s=%s'" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "" "no es pot usar el nom de la funci integrada `%s' com a nom de variable" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "no es pot usar el nom de la funci interna `%s' com nom de variable" #: main.c:1294 msgid "floating point exception" msgstr "excepci de coma flotant" #: main.c:1304 msgid "fatal error: internal error" msgstr "error fatal: error intern" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "no s'ha pre-obert el descriptor fd per a %d" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "no es pot pre-obrir /dev/null per al descriptor fd %d" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "s'ignonar l'argument buit de `-e/--source'" #: main.c:1681 main.c:1686 #, fuzzy msgid "`--profile' overrides `--pretty-print'" msgstr "`--posix' solapa a `--traditional'" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "-M ignorat: no s'ha compilat el suport MPFR/GMP" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "" #: main.c:1726 #, fuzzy #| msgid "IPv6 communication is not supported" msgid "Persistent memory is not supported." msgstr "la comunicaci IPv6 no est suportada" #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: no es reconeix l'opci `-W %s', ser ignorada\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: l'opci requereix un argument -- %c\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "" #: main.c:1913 #, fuzzy msgid "persistent memory is not supported" msgstr "l'operador `^' no est suportat en l'antic awk" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "Valor PREC `%.*s' no s vlid" #: mpfr.c:718 #, fuzzy, c-format #| msgid "RNDMODE value `%.*s' is invalid" msgid "ROUNDMODE value `%.*s' is invalid" msgstr "Valor RNDMODE `%.*s' no s vlid" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: el primer argument rebut no s numric" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: el segon argument rebut no s numric" #: mpfr.c:825 #, fuzzy, c-format msgid "%s: received negative argument %.*s" msgstr "log: s'ha rebut l'argument negatiu %g" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int: s'ha rebut un argument no numric" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: s'ha rebut un argument que no s numric" #: mpfr.c:936 #, fuzzy msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%Rg): el valor negatiu donar resultats estranys" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "compl(%Rg): el valor fraccionari ser truncat" #: mpfr.c:952 #, fuzzy, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "cmpl(%Zd): els valors negatius donaran resultats estranys" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s: s'ha rebut un argument no numric #%d" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "%s: l'argument #%d t valor no vlid %Rg, s'usar 0" #: mpfr.c:991 #, fuzzy msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%s: l'argument #%d amb valor negatiu %Rg donar resultats estranys" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "%s: l'argument #%d amb valor fraccional %Rg ser truncat" #: mpfr.c:1012 #, fuzzy, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%s: l'argument #%d amb valor negatiu %Zd donar resultats estranys" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: cridat amb menys de dos arguments" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or: cridat amb menys de dos arguments" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "xort: cridat amb menys de dos arguments" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: s'ha rebut un argument que no s numric" #: mpfr.c:1343 #, fuzzy msgid "intdiv: received non-numeric first argument" msgstr "and: el primer argument rebut no s numric" #: mpfr.c:1345 #, fuzzy msgid "intdiv: received non-numeric second argument" msgstr "lshift: el segon argument rebut no s numric" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "lnia cmd.:" #: node.c:477 msgid "backslash at end of string" msgstr "barra invertida al final de la cadena" #: node.c:511 #, fuzzy msgid "could not make typed regex" msgstr "expressi regular sense finalitzar" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "l'antic awk no dna suport a la seqencia d'escapada `\\%c'" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX no permet seqncies d'escapada `\\x'" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "no hi ha dgits hexadecimals en la seqncia d'escapada `\\x'" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "probablement no s'han interpretat els carcters hex escape \\x%.*s of %d de " "la manera que esperveu" #: node.c:705 #, fuzzy #| msgid "POSIX does not allow `\\x' escapes" msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX no permet seqncies d'escapada `\\x'" #: node.c:713 #, fuzzy #| msgid "no hex digits in `\\x' escape sequence" msgid "no hex digits in `\\u' escape sequence" msgstr "no hi ha dgits hexadecimals en la seqncia d'escapada `\\x'" #: node.c:744 #, fuzzy #| msgid "no hex digits in `\\x' escape sequence" msgid "invalid `\\u' escape sequence" msgstr "no hi ha dgits hexadecimals en la seqncia d'escapada `\\x'" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "la seqncia d'escapada `\\%c' s tractada com a una simple `%c'" #: node.c:908 #, fuzzy #| msgid "" #| "Invalid multibyte data detected. There may be a mismatch between your " #| "data and your locale." msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "S'han detectat dades multibyte no vlides. Pot haver-hi una discordana " "entre les vostres dades i la vostra configuraci local" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "" "%s %s `%s': no s'han pogut obtenir els indicadors fd: (fcntl F_GETFD: %s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "%s %s `%s': no s'ha pogut establir close-on-exec: (fcntl F_SETFD: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "" #: profile.c:114 msgid "sending profile to standard error" msgstr "enviant el perfil a l'eixida d'error estndard" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# %s regla(es)\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# Regla(es)\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "error intern: %s amb vname nul" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "error intern: funci integrada amb fname nul" #: profile.c:1351 #, fuzzy, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "\t# Extensions carregades (-l i/o @load)\n" "\n" #: profile.c:1382 #, fuzzy, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\t# Extensions carregades (-l i/o @load)\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# perfil gawk, creat %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# Funcions, llistades alfabticament\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str: tipus desconegut de redireccionament %d" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "" #: re.c:215 #, fuzzy, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "la seqncia d'escapada `\\%c' s tractada com a una simple `%c'" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "el component regexp `%.*s' probablement hauria de ser `[%.*s]'" #: support/dfa.c:910 msgid "unbalanced [" msgstr "[ sense aparellar" #: support/dfa.c:1031 msgid "invalid character class" msgstr "classe no vlida de carcters" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "la sintaxi de la classe de carcters s [[:espai:]], no [:espai:]" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "seqncia d'escapada \\ sense finalitzar" #: support/dfa.c:1345 #, fuzzy #| msgid "invalid subscript expression" msgid "? at start of expression" msgstr "expressi de subndex no vlida" #: support/dfa.c:1357 #, fuzzy #| msgid "invalid subscript expression" msgid "* at start of expression" msgstr "expressi de subndex no vlida" #: support/dfa.c:1371 #, fuzzy #| msgid "invalid subscript expression" msgid "+ at start of expression" msgstr "expressi de subndex no vlida" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "contingut no vlid de \\{\\}" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "l'expressi regular s massa gran" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "( sense aparellar" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "no s'ha especificat una sintaxi" #: support/dfa.c:2077 msgid "unbalanced )" msgstr ") sense aparellar" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: l'opci `%s' s ambigua 0" #~ msgstr "fatal: el recompte d'arguments amb `$' ha de ser > 0" #, fuzzy, c-format #~ msgid "" #~ "fatal: argument index %ld greater than total number of supplied arguments" #~ msgstr "" #~ "fatal: el recompte d'arguments %ld s major que el nombre total " #~ "d'arguments proporcionats" #~ msgid "fatal: `$' not permitted after period in format" #~ msgstr "fatal: no es permet `$' desprs d'un punt en el format" #~ msgid "fatal: no `$' supplied for positional field width or precision" #~ msgstr "" #~ "fatal: no es proporciona `$' per a l'ample o precisi del camp de posici" #, fuzzy, c-format #~| msgid "`l' is meaningless in awk formats; ignored" #~ msgid "`%c' is meaningless in awk formats; ignored" #~ msgstr "`l' manca de significat en els formats awk; ser ignorat" #, fuzzy, c-format #~| msgid "fatal: `l' is not permitted in POSIX awk formats" #~ msgid "fatal: `%c' is not permitted in POSIX awk formats" #~ msgstr "fatal: `l' no est perms en els formats POSIX de awk" #, c-format #~ msgid "[s]printf: value %g is too big for %%c format" #~ msgstr "[s]printf: el valor %g s massa gran per al format `%%c'" #, c-format #~ msgid "[s]printf: value %g is not a valid wide character" #~ msgstr "[s]printf: el valor %g no s un carcter ampli vlid" #, c-format #~ msgid "[s]printf: value %g is out of range for `%%%c' format" #~ msgstr "[s]printf: el valor %g est fora de rang per al format `%%%c'" #, fuzzy, c-format #~ msgid "[s]printf: value %s is out of range for `%%%c' format" #~ msgstr "[s]printf: el valor %g est fora de rang per al format `%%%c'" #, c-format #~ msgid "" #~ "ignoring unknown format specifier character `%c': no argument converted" #~ msgstr "" #~ "s'ignorar el carcter especificador de format `%c': no s'ha convertit " #~ "cap argument" #~ msgid "fatal: not enough arguments to satisfy format string" #~ msgstr "" #~ "fatal: no hi ha prou arguments per a satisfer el format d'una cadena" #~ msgid "^ ran out for this one" #~ msgstr "^ desbordament per a aquest" #~ msgid "[s]printf: format specifier does not have control letter" #~ msgstr "[s]printf: l'especificador de format no cont lletra de control" #~ msgid "too many arguments supplied for format string" #~ msgstr "s'han proporcionat masses arguments per a la cadena de format" #, fuzzy, c-format #~ msgid "%s: received non-string format string argument" #~ msgstr "ndex: el primer argument rebut no s una cadena" #~ msgid "sprintf: no arguments" #~ msgstr "sprintf: sense arguments" #~ msgid "printf: no arguments" #~ msgstr "printf: sense arguments" #~ msgid "printf: attempt to write to closed write end of two-way pipe" #~ msgstr "" #~ "printf: s'han intentat escriure a un final d'escriptura tancat a una " #~ "canonada de doble via" #, c-format #~ msgid "%s" #~ msgstr "%s" #~ msgid "\t-W nostalgia\t\t--nostalgia\n" #~ msgstr "\t-W nostalgia\t\t--nostalgia\n" #~ msgid "fatal error: internal error: segfault" #~ msgstr "error fatal: error intern: segfault" #~ msgid "fatal error: internal error: stack overflow" #~ msgstr "error fatal: error intern: sobreeiximent de pila" #, fuzzy, c-format #~ msgid "typeof: invalid argument type `%s'" #~ msgstr "opci: parmetre no vlid - \"%s\"" #, fuzzy #~ msgid "do_writea: first argument is not a string" #~ msgstr "do_writea: l'argument 0 no s una cadena de carcters\n" #, fuzzy #~ msgid "do_reada: first argument is not a string" #~ msgstr "do_reada: l'argument 0 no s una cadena de carcters\n" #, fuzzy #~ msgid "do_writea: argument 1 is not an array" #~ msgstr "do_writea: l'argument 1 no s una matriu\n" #, fuzzy #~ msgid "do_reada: argument 0 is not a string" #~ msgstr "do_reada: l'argument 0 no s una cadena de carcters\n" #, fuzzy #~ msgid "do_reada: argument 1 is not an array" #~ msgstr "do_reada: l'argument 1 no s una matriu\n" #~ msgid "`L' is meaningless in awk formats; ignored" #~ msgstr "`L' manca de significat en els formats awk; ser ignorat" #~ msgid "fatal: `L' is not permitted in POSIX awk formats" #~ msgstr "fatal: `L' no est perms en els formats POSIX de awk" #~ msgid "`h' is meaningless in awk formats; ignored" #~ msgstr "`h' manca de significat en els formats awk; ser ignorat" #~ msgid "fatal: `h' is not permitted in POSIX awk formats" #~ msgstr "fatal: `h' no est perms en els formats POSIX de awk" #~ msgid "No symbol `%s' in current context" #~ msgstr "No hi ha un smbol `%s' al context actual" #, fuzzy #~ msgid "fts: first parameter is not an array" #~ msgstr "asort: el primer argument no s una matriu" #, fuzzy #~ msgid "fts: third parameter is not an array" #~ msgstr "match: el tercer argument no s una matriu" #~ msgid "adump: first argument not an array" #~ msgstr "adump: el primer argument no s una matriu" #~ msgid "asort: second argument not an array" #~ msgstr "asort: el segon argument no s una matriu" #~ msgid "asorti: second argument not an array" #~ msgstr "asorti: el segon argument no s una matriu" #~ msgid "asorti: first argument not an array" #~ msgstr "asort: el primer argument no s una matriu" #, fuzzy #~ msgid "asorti: first argument cannot be SYMTAB" #~ msgstr "asort: el primer argument no s una matriu" #, fuzzy #~ msgid "asorti: first argument cannot be FUNCTAB" #~ msgstr "asort: el primer argument no s una matriu" #~ msgid "asorti: cannot use a subarray of first arg for second arg" #~ msgstr "" #~ "asorti: no es pot usar una submatriu com a primer argument per al segon " #~ "argument" #~ msgid "asorti: cannot use a subarray of second arg for first arg" #~ msgstr "" #~ "asorti: no es pot usar una submatriu com a segon argument per al primer " #~ "argument" #~ msgid "can't read sourcefile `%s' (%s)" #~ msgstr "no es pot llegir el fitxer font `%s' (%s)" #~ msgid "POSIX does not allow operator `**='" #~ msgstr "POSIX no permet l'operador `**='" #~ msgid "old awk does not support operator `**='" #~ msgstr "l'antic awk no suporta l'operador `**='" #~ msgid "old awk does not support operator `**'" #~ msgstr "l'antic awk no suporta l'operador `**='" #~ msgid "operator `^=' is not supported in old awk" #~ msgstr "l'operador `^=' no est suportat en l'antic awk" #~ msgid "could not open `%s' for writing (%s)" #~ msgstr "no es pot obrir `%s' per a escriptura (%s)" #~ msgid "exp: received non-numeric argument" #~ msgstr "exp: s'ha rebut un argument que no s un nmero" #~ msgid "length: received non-string argument" #~ msgstr "length: s'ha rebut un argument que no s una cadena" #~ msgid "log: received non-numeric argument" #~ msgstr "log: s'ha rebut un argument no numric" #~ msgid "sqrt: received non-numeric argument" #~ msgstr "sqrt: s'ha rebut un argument no numric" #~ msgid "sqrt: called with negative argument %g" #~ msgstr "sqrt: cridat amb l'argument negatiu %g" #~ msgid "strftime: received non-numeric second argument" #~ msgstr "strftime: s'ha rebut un segon argument no numric" #~ msgid "strftime: received non-string first argument" #~ msgstr "strftime: el primer argument rebut no s una cadena" #~ msgid "mktime: received non-string argument" #~ msgstr "mktime: s'ha rebut un argument que no s una cadena" #~ msgid "tolower: received non-string argument" #~ msgstr "tolower: s'ha rebut un argument que no s una cadena" #~ msgid "toupper: received non-string argument" #~ msgstr "toupper: s'ha rebut un argument que no s una cadena" #~ msgid "sin: received non-numeric argument" #~ msgstr "sin: s'ha rebut un argument que no s numric" #~ msgid "cos: received non-numeric argument" #~ msgstr "cos: s'ha rebut un argument que no s numric" #~ msgid "lshift: received non-numeric first argument" #~ msgstr "lshift: el primer argument rebut no s numric" #~ msgid "rshift: received non-numeric first argument" #~ msgstr "rshift: el primer argument rebut no s numric" #~ msgid "rshift: received non-numeric second argument" #~ msgstr "rshift: el segon argument rebut no s numric" #~ msgid "and: argument %d is non-numeric" #~ msgstr "exp: l'argument %d no s numric" #, fuzzy #~ msgid "and: argument %d negative value %g is not allowed" #~ msgstr "and: l'argument %d amb valor negatiu %g donar resultats estranys" #, fuzzy #~ msgid "or: argument %d negative value %g is not allowed" #~ msgstr "or: l'argument %d amb valor negatiu %g donar resultats estranys" #~ msgid "xor: argument %d is non-numeric" #~ msgstr "xor: l'argument %d no s numric" #, fuzzy #~ msgid "xor: argument %d negative value %g is not allowed" #~ msgstr "xor: l'argument %d del valor negatiu %g donar resultats estranys" #~ msgid "Can't find rule!!!\n" #~ msgstr "No es pot trobar la regla!!!\n" #~ msgid "q" #~ msgstr "q" #~ msgid "fts: bad first parameter" #~ msgstr "fts: el segon argument s dolent" #~ msgid "fts: bad second parameter" #~ msgstr "fts: el segon argument s dolent" #~ msgid "fts: bad third parameter" #~ msgstr "fts: el tercer parmeter es dolent" #~ msgid "fts: clear_array() failed\n" #~ msgstr "fts: clear_array() ha fallat\n" #~ msgid "ord: called with inappropriate argument(s)" #~ msgstr "ord: s'ha cridat amb argument(s) no apropiat(s)" #~ msgid "chr: called with inappropriate argument(s)" #~ msgstr "chr: s'ha cridat amb argument(s) no apropiat(s)" #, fuzzy #~ msgid "setenv(TZ, %s) failed (%s)" #~ msgstr "%s a \"%s\" ha fallat (%s)" #, fuzzy #~ msgid "unsetenv(TZ) failed (%s)" #~ msgstr "%s: tancament erroni (%s)" #, fuzzy #~ msgid "attempt to use array `%s[\".*%s\"]' in a scalar context" #~ msgstr "s'ha intentat usar la matriu `%s[\"%s\"]' en un context escalar" #, fuzzy #~ msgid "attempt to use scalar `%s[\".*%s\"]' as array" #~ msgstr "s'ha intentat usar la dada escalar `%s[\"%s\"]' com a una matriu" #~ msgid "gensub: third argument %g treated as 1" #~ msgstr "gensub: el tercer argument %g es tractar com a 1" #~ msgid "`extension' is a gawk extension" #~ msgstr "`extension' s una extensi gawk" #~ msgid "extension: received NULL lib_name" #~ msgstr "extension: s'ha rebut lib_name nul" #~ msgid "extension: cannot open library `%s' (%s)" #~ msgstr "extension: no es pot obrir la biblioteca `%s' (%s)" #~ msgid "" #~ "extension: library `%s': does not define `plugin_is_GPL_compatible' (%s)" #~ msgstr "" #~ "extension: biblioteca `%s': no defineix `plugin_is_GPL_compatible' (%s)" #~ msgid "extension: library `%s': cannot call function `%s' (%s)" #~ msgstr "extension: biblioteca `%s': no es pot cridar a la funci `%s' (%s)" #~ msgid "extension: missing function name" #~ msgstr "extension: nom absent de funci" #~ msgid "extension: illegal character `%c' in function name `%s'" #~ msgstr "extension: carcter `%c' illegal al nom de funci `%s'" #~ msgid "extension: can't redefine function `%s'" #~ msgstr "extension: no es pot redefinir la funci `%s'" #~ msgid "extension: function `%s' already defined" #~ msgstr "extension: la funci `%s' ja est definida" #~ msgid "extension: function name `%s' previously defined" #~ msgstr "extension: nom de la funci `%s' definida prviament" #~ msgid "extension: can't use gawk built-in `%s' as function name" #~ msgstr "extension: no es pot usar el nom intern `%s' com a nom de funci" #~ msgid "chdir: called with incorrect number of arguments, expecting 1" #~ msgstr "chdir: cridat amb un nombre incorrecte d'arguments, s'esperava 1" #~ msgid "stat: called with wrong number of arguments" #~ msgstr "stat: cridat amb un nombre incorrecte d'arguments" #~ msgid "statvfs: called with wrong number of arguments" #~ msgstr "statvfs: cridat amb un nombre incorrecte d'arguments" #~ msgid "fnmatch: called with less than three arguments" #~ msgstr "fnmatch: s'ha cridat amb menys de tres arguments" #~ msgid "fnmatch: called with more than three arguments" #~ msgstr "fnmatch: s'ha cridat amb ms de tres arguments" #~ msgid "fork: called with too many arguments" #~ msgstr "fork: s'ha cridat amb massa arguments" #~ msgid "waitpid: called with too many arguments" #~ msgstr "waitpid: s'ha cridat amb massa arguments" #~ msgid "wait: called with no arguments" #~ msgstr "wait: s'ha cridat amb cap argument" #~ msgid "wait: called with too many arguments" #~ msgstr "wait: s'ha cridat amb massa arguments" #~ msgid "ord: called with too many arguments" #~ msgstr "ord: s'ha cridat amb massa arguments" #~ msgid "chr: called with too many arguments" #~ msgstr "chr: s'ha cridat amb massa arguments" #~ msgid "readfile: called with too many arguments" #~ msgstr "readfile: s'ha cridat amb massa arguments" #~ msgid "writea: called with too many arguments" #~ msgstr "writea: s'ha cridat amb massa arguments" #~ msgid "reada: called with too many arguments" #~ msgstr "reada: s'ha cridat amb massa arguments" #~ msgid "gettimeofday: ignoring arguments" #~ msgstr "gettimeofday: s'estan ignorant els arguments" #~ msgid "sleep: called with too many arguments" #~ msgstr "sleep: s'ha cridat amb massa arguments" #~ msgid "unknown value for field spec: %d\n" #~ msgstr "valor desconegut per a l'especificaci de camp: %d\n" #~ msgid "function `%s' defined to take no more than %d argument(s)" #~ msgstr "la funci `%s' est definida per agafar no ms de %d argument(s)" #~ msgid "function `%s': missing argument #%d" #~ msgstr "funci `%s': falta l'argument #%d" #~ msgid "`getline var' invalid inside `%s' rule" #~ msgstr "`getline var' no s vlid a dins de la regla `%s'" #~ msgid "no (known) protocol supplied in special filename `%s'" #~ msgstr "" #~ "no s'aporta cap protocol (conegut) en el nom del fitxer especial `%s'" #~ msgid "special file name `%s' is incomplete" #~ msgstr "el nom del fitxer especial `%s' est incomplet" #~ msgid "must supply a remote hostname to `/inet'" #~ msgstr "s'ha de subministrar un nom de sistema remot a `/inet'" #~ msgid "must supply a remote port to `/inet'" #~ msgstr "s'ha de subministrar un port remot a `/inet'" #~ msgid "" #~ "\t# %s block(s)\n" #~ "\n" #~ msgstr "" #~ "\t# %s bloc(s)\n" #~ "\n" #~ msgid "reference to uninitialized element `%s[\"%s\"]'" #~ msgstr "referncia a un element sense valor inicial `%s[\"%s\"]'" #~ msgid "subscript of array `%s' is null string" #~ msgstr "el subscript de la matriu `%s' s una cadena nulla" #~ msgid "delete: illegal use of variable `%s' as array" #~ msgstr "delete: s illegal de la variable `%s' com a una matriu" #~ msgid "%s: empty (null)\n" #~ msgstr "%s: buit (nul)\n" #~ msgid "%s: empty (zero)\n" #~ msgstr "%s: buit (zero)\n" #~ msgid "%s: table_size = %d, array_size = %d\n" #~ msgstr "%s: mida_taula = %d, mida_matriu = %d\n" #~ msgid "%s: array_ref to %s\n" #~ msgstr "%s: ref_matriu a %s\n" #~ msgid "or(%lf, %lf): negative values will give strange results" #~ msgstr "or(%lf, %lf): els valors negatius donaran resultats estranys" #~ msgid "or(%lf, %lf): fractional values will be truncated" #~ msgstr "or(%lf, %lf): els valors fraccionaris seran truncats" #~ msgid "xor: received non-numeric first argument" #~ msgstr "xor: el primer argument rebut no s numric" #~ msgid "xor(%lf, %lf): fractional values will be truncated" #~ msgstr "xor(%lf, %lf): els valors fraccionaris seran truncats" #~ msgid "Operation Not Supported" #~ msgstr "Operaci No Suportada" #~ msgid "%s: illegal option -- %c\n" #~ msgstr "%s: opci illegal -- %c\n" #~ msgid "`-m[fr]' option irrelevant in gawk" #~ msgstr "l'opcin `-m[fr]' s irrellevant en gawk" #~ msgid "-m option usage: `-m[fr] nnn'" #~ msgstr "s de l'opci -m: `-m[fr] nnn'" #~ msgid "\t-m[fr] val\n" #~ msgstr "\t-m[fr] valor\n" #~ msgid "\t-W compat\t\t--compat\n" #~ msgstr "\t-W compat\t\t--compat\n" #~ msgid "\t-W copyleft\t\t--copyleft\n" #~ msgstr "\t-W copyleft\t\t--copyleft\n" #~ msgid "\t-W usage\t\t--usage\n" #~ msgstr "\t-W usage\t\t--usage\n" #~ msgid "" #~ "\n" #~ "To report bugs, see node `Bugs' in `gawk.info', which is\n" #~ msgstr "" #~ "\n" #~ "Per a informar d'errors, consulteu el node Bugs' en gawk.info', que " #~ "est\n" #~ msgid "invalid syntax in name `%s' for variable assignment" #~ msgstr "sintaxi no vlida en el nom %s' per a l'asignaci de la variable" #~ msgid "could not find groups: %s" #~ msgstr "no es poden trobar els grups: %s" #~ msgid "internal error: Node_var_array with null vname" #~ msgstr "error intern: Node_var_array amb vname nul" #~ msgid "or used in other expression context" #~ msgstr "o s'ha emprat en un altre context de l'expressi" #~ msgid "illegal type (%s) in tree_eval" #~ msgstr "tipus illegal (%s) en tree_eval" #~ msgid "`%s' is a function, assignment is not allowed" #~ msgstr "%s s una funci, l'assignaci no s permesa" #~ msgid "assignment is not allowed to result of builtin function" #~ msgstr "" #~ "no es permet l'assignaci per a obtindre un resultat d'una funci interna" #~ msgid "" #~ "\t# BEGIN block(s)\n" #~ "\n" #~ msgstr "" #~ "\t# Bloc(s) INICI\n" #~ "\n" #~ msgid "unexpected type %s in prec_level" #~ msgstr "tipus %s inesperat en prec_level" #~ msgid "BEGIN blocks must have an action part" #~ msgstr "Els blocs INICI han de tindre una part d'acci" #~ msgid "statement may have no effect" #~ msgstr "la declaraci podria no tindre efecte" #~ msgid "non-redirected `getline' undefined inside BEGIN or END action" #~ msgstr "getline no redirigit sense definir dintre de l'acci BEGIN o END" #~ msgid "call of `length' without parentheses is deprecated by POSIX" #~ msgstr "la crida de length sense parntesis est desaprovada per POSIX" #~ msgid "fptr %x not in tokentab\n" #~ msgstr "fptr %x no est en la taula de referncia\n" #~ msgid "`%s' is a Bell Labs extension" #~ msgstr "%s s una extensi de Bell Labs" #~ msgid "gsub third parameter is not a changeable object" #~ msgstr "gsub: el tercer argument no s un objecte intercanviable" #~ msgid "unfinished repeat count" #~ msgstr "repetici del comptador sense finalitzar" #~ msgid "malformed repeat count" #~ msgstr "repetici del comptador malformada" #~ msgid "out of memory" #~ msgstr "memria esgotada" #~ msgid "field %d in FIELDWIDTHS, must be > 0" #~ msgstr "el camp %d en FIELDWIDTHS, hauria de ser > 0" #~ msgid "" #~ "for loop: array `%s' changed size from %d to %d during loop execution" #~ msgstr "" #~ "bucle for: la matriu %s ha canviat de mida de %d a %d durant l'execuci " #~ "del bucle" #~ msgid "`break' outside a loop is not portable" #~ msgstr "break a fora d'un bucle no s portable" #~ msgid "`continue' outside a loop is not portable" #~ msgstr "continue fora d'un bucle no s portable" #~ msgid "`next' cannot be called from an END rule" #~ msgstr "next no es pot cridar des d'una regla FINAL" #~ msgid "`nextfile' cannot be called from a BEGIN rule" #~ msgstr "nextfile no es pot cridar des d'una regla BEGIN" #~ msgid "`nextfile' cannot be called from an END rule" #~ msgstr "nextfile no es pot cridar des d'una regla FINAL" #~ msgid "assignment used in conditional context" #~ msgstr "assignaci usada en un context condicional" #~ msgid "" #~ "concatenation: side effects in one expression have changed the length of " #~ "another!" #~ msgstr "" #~ "concatenaci: els efectes colaterals en una expressi han canviat la " #~ "longitud d'una altra!" #~ msgid "function %s called\n" #~ msgstr "s'ha cridat a la funci %s\n" #~ msgid "\t# -- main --\n" #~ msgstr "\t# -- principal --\n" #~ msgid "invalid tree type %s in redirect()" #~ msgstr "tipus d'arbre %s no vlid dintre de redirect()" #~ msgid "can't open two way socket `%s' for input/output (%s)" #~ msgstr "" #~ "no es pot obrir un socket bidireccional %s per a les entrades/eixides " #~ "(%s)" #~ msgid "/inet/raw client not ready yet, sorry" #~ msgstr "el client /inet/raw encara no est a punt, ho sento" #~ msgid "only root may use `/inet/raw'." #~ msgstr "sols el root pot usar /inet/raw." #~ msgid "/inet/raw server not ready yet, sorry" #~ msgstr "el servidor /inet/raw encara no est a punt, ho sento" #~ msgid "file `%s' is a directory" #~ msgstr "el fitxer %s s un directori" #~ msgid "use `PROCINFO[\"%s\"]' instead of `%s'" #~ msgstr "useu PROCINFO[\"%s\"] en comptes de %s" #~ msgid "use `PROCINFO[...]' instead of `/dev/user'" #~ msgstr "useu PROCINFO[...] en comptes de /dev/user" #~ msgid "error reading input file `%s': %s" #~ msgstr "error en llegir el fitxer d'entrada %s: %s" #~ msgid "can't convert string to float" #~ msgstr "no es pot convertir la cadena a coma flotant" EOF echo Extracting po/da.po cat << \EOF > po/da.po # Danish translation of gawk # Copyright (C) 2001 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # Martin Sjgren , 2001-2002. # Christer Andersson , 2007. # Keld Simonsen , 2002,2011,2012,2015. # Review by Torben Grn Helligs , 2011. # Review by Ask Hjorth Larsen , 2011. msgid "" msgstr "" "Project-Id-Version: gawk 4.1.1d\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2015-05-18 12:37+0200\n" "Last-Translator: Keld Simonsen \n" "Language-Team: Danish \n" "Language: da\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=iso-8859-1\n" "Content-Transfer-Encoding: 8bit\n" "X-Generator: Lokalize 1.0\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #: array.c:249 #, c-format msgid "from %s" msgstr "fra %s" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "forsg p at bruge en skalar som array" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "forsg p at bruge skalarparameteren '%s' som et array" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "forsg p at bruge skalar '%s' som et array" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "forsg p at bruge array '%s' i skalarsammenhng" #: array.c:616 #, fuzzy, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "delete: indeks '%s' findes ikke i array '%s'" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "forsg p at bruge skalaren '%s[\"%.*s\"]' som array" #: array.c:856 array.c:906 #, fuzzy, c-format msgid "%s: first argument is not an array" msgstr "asort: frste argument er ikke et array" #: array.c:898 #, fuzzy, c-format msgid "%s: second argument is not an array" msgstr "split: andet argument er ikke et array" #: array.c:901 field.c:1150 field.c:1247 #, fuzzy, c-format msgid "%s: cannot use %s as second argument" msgstr "" "asort: kan ikke bruge et underarray af frste argument for andet argument" #: array.c:909 #, fuzzy, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "asort: frste argument er ikke et array" #: array.c:911 #, fuzzy, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "asort: frste argument er ikke et array" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" #: array.c:923 #, fuzzy, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "" "asort: kan ikke bruge et underarray af frste argument for andet argument" #: array.c:928 #, fuzzy, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "" "asort: kan ikke bruge et underarray af andet argument for frste argument" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "'%s' er ugyldigt som funktionsnavn" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "funktionen for sorteringssammenligning '%s' er ikke defineret" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "%s-blokke skal have en handlingsdel" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "hver regel skal have et mnster eller en handlingsdel" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "" "gamle versioner af awk understtter ikke flere 'BEGIN'- eller 'END'-regler" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "'%s' er en indbygget funktion, den kan ikke omdefineres" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "regexp-konstanten '//' ser ud som en C++-kommentar, men er det ikke" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "regexp-konstanten '/%s/' ser ud som en C-kommentar, men er det ikke" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "dublet case-vrdier i switch-krop %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "dublet 'default' opdaget i switch-krop" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "'break' uden for en lkke eller switch er ikke tilladt" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "'continue' uden for en lkke er ikke tilladt" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "'next' brugt i %s-handling" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "'nextfile' brugt i %s-handling" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "'return' brugt uden for funktion" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" "alenestende 'print' i BEGIN eller END-regel skulle muligvis vre 'print " "\"\"'" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "'delete array' er en ikke-portabel udvidelse fra tawk" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "flertrins dobbeltrettede datakanaler fungerer ikke" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "regulrt udtryk i hjreleddet af en tildeling" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "regulrt udtryk p venstre side af en '~'- eller '!~'-operator" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "" "gamle versioner af awk understtter ikke ngleordet 'in' undtagen efter 'for'" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "regulrt udtryk i hjreleddet af en sammenligning" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "ikke-omdirigeret 'getline' ugyldig inden i '%s'-regel" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "ikke-omdirigeret 'getline' udefineret inden i END-handling" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "gamle versioner af awk understtter ikke flerdimensionale array" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "kald af 'length' uden parenteser er ikke portabelt" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "indirekte funktionskald er en gawk-udvidelse" #: awkgram.y:2033 #, fuzzy, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "kan ikke bruge specialvariabel '%s' til indirekte funktionskald" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "forsg p at bruge ikke-funktionen '%s' som et funktionskald" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "ugyldigt indeksudtryk" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "advarsel: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "fatal: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "uventet nylinjetegn eller strengafslutning" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, fuzzy, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "kan ikke bne kildefilen '%s' for lsning (%s)" #: awkgram.y:2883 awkgram.y:3020 #, fuzzy, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "kan ikke bne delt bibliotek '%s' for lsning (%s)" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "ukendt rsag" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "allerede inkluderet kildefil '%s'" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "allerede indlst delt bibliotek '%s'" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "@include er en gawk-udvidelse" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "tomt filnavn efter @include" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "@load er en gawk-udvidelse" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "tomt filnavn efter @load" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "tom programtekst p kommandolinjen" #: awkgram.y:3261 debug.c:470 debug.c:628 #, fuzzy, c-format msgid "cannot read source file `%s': %s" msgstr "kan ikke lse kildefil '%s' (%s)" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "kildefilen '%s' er tom" #: awkgram.y:3332 #, fuzzy, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "Ugyldigt tegn i kommando" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "kildefilen slutter ikke med en ny linje" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "uafsluttet regulrt udtryk slutter med '\\' i slutningen af filen" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "%s: %d: regex-ndringstegn '/.../%c' fra tawk virker ikke i gawk" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "regex-ndringstegn '/.../%c' fra tawk virker ikke i gawk" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "uafsluttet regulrt udtryk" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "uafsluttet regulrt udtryk i slutningen af filen" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "brug af '\\ #...' for linjefortsttelse er ikke portabelt" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "sidste tegn p linjen er ikke en omvendt skrstreg" #: awkgram.y:3876 awkgram.y:3878 #, fuzzy msgid "multidimensional arrays are a gawk extension" msgstr "indirekte funktionskald er en gawk-udvidelse" #: awkgram.y:3903 awkgram.y:3914 #, fuzzy, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX tillader ikke operatoren '**'" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, fuzzy, c-format msgid "operator `%s' is not supported in old awk" msgstr "operatoren '^' understttes ikke i gamle versioner af awk" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "uafsluttet streng" #: awkgram.y:4066 main.c:1237 #, fuzzy msgid "POSIX does not allow physical newlines in string values" msgstr "POSIX tillader ikke '\\x'-kontrolsekvenser" #: awkgram.y:4068 node.c:482 #, fuzzy msgid "backslash string continuation is not portable" msgstr "brug af '\\ #...' for linjefortsttelse er ikke portabelt" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "ugyldigt tegn '%c' i udtryk" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "'%s' er en gawk-udvidelse" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX tillader ikke '%s'" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "'%s' understttes ikke i gamle versioner af awk" #: awkgram.y:4517 #, fuzzy msgid "`goto' considered harmful!" msgstr "'goto' anses for skadelig!\n" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d er et ugyldigt antal argumenter for %s" #: awkgram.y:4621 #, fuzzy, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "" "%s: bogstavelig streng som sidste argument til erstatning har ingen effekt" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "%s: tredje argument er ikke et ndringsbart objekt" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match: tredje argument er en gawk-udvidelse" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close: andet argument er en gawk-udvidelse" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "brug af dcgettext(_\"...\") er forkert: fjern det indledende " "understregningstegn" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "brug af dcgettext(_\"...\") er forkert: fjern det indledende " "understregningstegn" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "index: regexp-konstant som andet argument er ikke tilladt" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "funktionen '%s': parameteren '%s' overskygger en global variabel" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "kunne ikke bne '%s' for skrivning: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "sender variabelliste til standard fejl" #: awkgram.y:4947 #, fuzzy, c-format msgid "%s: close failed: %s" msgstr "%s: lukning mislykkedes (%s)" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "shadow_funcs() kaldt to gange!" #: awkgram.y:4980 #, fuzzy #| msgid "there were shadowed variables." msgid "there were shadowed variables" msgstr "der var skyggede variable." #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "funktionsnavnet '%s' er allerede defineret" #: awkgram.y:5123 #, fuzzy, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "funktionen '%s': kan ikke bruge funktionsnavn som parameternavn" #: awkgram.y:5126 #, fuzzy, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" "funktionen '%s': kan ikke bruge specialvariabel '%s' som en " "funktionsparameter" #: awkgram.y:5130 #, fuzzy, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "funktionen '%s': parameteren '%s' overskygger en global variabel" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "funktionen '%s': parameter %d, '%s', er samme som parameter %d" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "funktionen '%s' kaldt, men aldrig defineret" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "funktionen '%s' defineret, men aldrig kaldt direkte" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "konstant regulrt udtryk for parameter %d giver en boolesk vrdi" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "funktionen '%s' kaldt med blanktegn mellem navnet og '(',\n" "eller brugt som en variabel eller et array" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "forsgte at dividere med nul" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "forsgte at dividere med nul i '%%'" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "" #: awkgram.y:5886 #, fuzzy, c-format msgid "invalid target of assignment (opcode %s)" msgstr "%d er et ugyldigt antal argumenter for %s" #: awkgram.y:6266 msgid "statement has no effect" msgstr "kommandoen har ingen effekt" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" #: awkgram.y:6883 #, fuzzy msgid "@namespace is a gawk extension" msgstr "@include er en gawk-udvidelse" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" #: builtin.c:93 builtin.c:100 #, fuzzy, c-format msgid "%s: called with %d arguments" msgstr "sqrt: kaldt med negativt argument %g" #: builtin.c:125 #, fuzzy, c-format msgid "%s to \"%s\" failed: %s" msgstr "%s til '%s' mislykkedes (%s)" #: builtin.c:129 msgid "standard output" msgstr "standard ud" #: builtin.c:130 #, fuzzy msgid "standard error" msgstr "standard ud" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, fuzzy, c-format msgid "%s: received non-numeric argument" msgstr "cos: fik et ikke-numerisk argument" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp: argumentet %g er uden for det tilladte omrde" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, fuzzy, c-format msgid "%s: received non-string argument" msgstr "system: fik et argument som ikke er en streng" #: builtin.c:293 #, fuzzy, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: kan ikke rense: datakanalen '%s' bnet for lsning, ikke skrivning" #: builtin.c:296 #, fuzzy, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "fflush: kan ikke rense: filen '%s' bnet for lsning, ikke skrivning" #: builtin.c:307 #, fuzzy, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush: kan ikke rense: filen '%s' bnet for lsning, ikke skrivning" #: builtin.c:312 #, fuzzy, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" "fflush: kan ikke rense: datakanalen '%s' bnet for lsning, ikke skrivning" #: builtin.c:318 #, fuzzy, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "fflush: '%s' er ikke en ben fil, datakanal eller ko-proces" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, fuzzy, c-format msgid "%s: received non-string first argument" msgstr "indeks: frste argument er ikke en streng" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, fuzzy, c-format msgid "%s: received non-string second argument" msgstr "indeks: andet argument er ikke en streng" #: builtin.c:595 msgid "length: received array argument" msgstr "length: fik et array-argument" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "'length(array)' er en gawk-udvidelse" #: builtin.c:655 builtin.c:677 #, fuzzy, c-format msgid "%s: received negative argument %g" msgstr "log: fik et negativt argument %g" #: builtin.c:698 builtin.c:2949 #, fuzzy, c-format msgid "%s: received non-numeric third argument" msgstr "or: fik et ikke-numerisk frste argument" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, fuzzy, c-format msgid "%s: received non-numeric second argument" msgstr "or: fik et ikke-numerisk andet argument" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: lngden %g er ikke >= 1" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: lngden %g er ikke >= 0" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: lngden %g som ikke er et heltal vil blive trunkeret" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "substr: lngden %g for stor til strengindeksering, trunkerer til %g" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: startindeks %g er ugyldigt, bruger 1" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "substr: startindeks %g som ikke er et heltal vil blive trunkeret" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: kildestrengen er tom" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: startindeks %g er forbi slutningen p strengen" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: lngden %g ved startindeks %g overskrider lngden af frste argument " "(%lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "strftime: formatvrdi i PROCINFO[\"strftime\"] har numerisk type" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "strftime: andet argument mindre end 0 eller for stort til time_t" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "strftime: andet argument uden for omrde for time_t" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: fik en tom formatstreng" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "mktime: mindst n af vrdierne er udenfor standardomrdet" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "'system'-funktion ikke tilladt i sandkasse-tilstand" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "reference til ikke-initieret felt '$%d'" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, fuzzy, c-format msgid "%s: received non-numeric first argument" msgstr "or: fik et ikke-numerisk frste argument" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: tredje argument er ikke et array" #: builtin.c:1604 #, fuzzy, c-format msgid "%s: cannot use %s as third argument" msgstr "" "asort: kan ikke bruge et underarray af frste argument for andet argument" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: tredje argument '%.*s' behandlet som 1" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s: kan kun kaldes indirekte med to argumenter" #: builtin.c:2242 #, fuzzy #| msgid "indirect call to %s requires at least two arguments" msgid "indirect call to gensub requires three or four arguments" msgstr "indirekte kald til %s krver mindst to argumenter" #: builtin.c:2304 #, fuzzy #| msgid "indirect call to %s requires at least two arguments" msgid "indirect call to match requires two or three arguments" msgstr "indirekte kald til %s krver mindst to argumenter" #: builtin.c:2365 #, fuzzy, c-format #| msgid "indirect call to %s requires at least two arguments" msgid "indirect call to %s requires two to four arguments" msgstr "indirekte kald til %s krver mindst to argumenter" #: builtin.c:2445 #, fuzzy, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): negative vrdier vil give mrkelige resultater" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f): kommatalsvrdier vil blive trunkeret" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "lshift(%f, %f): for stor skiftevrdi vil give mrkelige resultater" #: builtin.c:2486 #, fuzzy, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f, %f): negative vrdier vil give mrkelige resultater" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): kommatalsvrdier vil blive trunkeret" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "rshift(%f, %f): for stor skiftevrdi vil give mrkelige resultater" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, fuzzy, c-format msgid "%s: called with less than two arguments" msgstr "or: kaldt med mindre end to argumenter" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, fuzzy, c-format msgid "%s: argument %d is non-numeric" msgstr "or: argumentet %d er ikke-numerisk" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, fuzzy, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "and(%lf, %lf): negative vrdier vil give mrkelige resultater" #: builtin.c:2616 #, fuzzy, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): negativ vrdi vil give mrkelige resultater" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): kommatalsvrdi vil blive trunkeret" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: '%s' er ikke en gyldig lokalitetskategori" #: builtin.c:2842 builtin.c:2860 #, fuzzy, c-format msgid "%s: received non-string third argument" msgstr "indeks: frste argument er ikke en streng" #: builtin.c:2915 builtin.c:2936 #, fuzzy, c-format msgid "%s: received non-string fifth argument" msgstr "indeks: frste argument er ikke en streng" #: builtin.c:2925 builtin.c:2942 #, fuzzy, c-format msgid "%s: received non-string fourth argument" msgstr "indeks: frste argument er ikke en streng" #: builtin.c:3070 mpfr.c:1335 #, fuzzy msgid "intdiv: third argument is not an array" msgstr "match: tredje argument er ikke et array" #: builtin.c:3089 mpfr.c:1384 #, fuzzy msgid "intdiv: division by zero attempted" msgstr "forsgte at dividere med nul" #: builtin.c:3130 #, fuzzy msgid "typeof: second argument is not an array" msgstr "split: andet argument er ikke et array" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "" #: command.y:228 #, fuzzy, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "Indtast (g)awk stninger. Slut med kommandoen \"end\"\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "ugyldigt rammenummer: %d" #: command.y:298 #, fuzzy, c-format msgid "info: invalid option - `%s'" msgstr "info: ugyldigt flag - '%s'" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "" #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "" #: command.y:353 #, fuzzy, c-format msgid "End with the command `end'\n" msgstr "Indtast (g)awk stninger. Slut med kommandoen \"end\"\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "" #: command.y:376 #, fuzzy, c-format msgid "trace: invalid option - `%s'" msgstr "trace: ugyldigt flag - '%s'" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "" #: command.y:452 msgid "argument not a string" msgstr "argument er ikke en streng" #: command.y:462 command.y:467 #, fuzzy, c-format msgid "option: invalid parameter - `%s'" msgstr "flag: ugyldig parameter - \"%s\"" #: command.y:477 #, fuzzy, c-format msgid "no such function - `%s'" msgstr "ingen sdan funktion - \"%s\"" #: command.y:534 #, fuzzy, c-format msgid "enable: invalid option - `%s'" msgstr "enable: ugyldigt flag - '%s'" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "Ugyldig intervalangivelse: %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "ikke-numerisk vrdi for felt-nummer" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "ikke-numerisk vrdi fundet, numerisk forventet" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "ikke-nul heltalsvrdi" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "" #: command.y:872 #, fuzzy #| msgid "Failed to restart debugger" msgid "quit - exit debugger" msgstr "Kunne ikke genstarte fejlsger" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "" #: command.y:876 msgid "run - start or restart executing program" msgstr "" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" #: command.y:886 msgid "source file - execute commands from file" msgstr "" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "fejl: " #: command.y:1061 #, fuzzy, c-format msgid "cannot read command: %s\n" msgstr "kan ikke lse kommando (%s)\n" #: command.y:1075 #, fuzzy, c-format msgid "cannot read command: %s" msgstr "kan ikke lse kommando (%s)" #: command.y:1126 msgid "invalid character in command" msgstr "Ugyldigt tegn i kommando" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "" #: command.y:1294 msgid "invalid character" msgstr "Ugyldigt tegn" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "ikke-defineret kommando: %s\n" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "" #: debug.c:259 msgid "set or show the list command window size" msgstr "" #: debug.c:261 msgid "set or show gawk output file" msgstr "" #: debug.c:263 msgid "set or show debugger prompt" msgstr "" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "" #: debug.c:358 #, fuzzy #| msgid "argument not a string" msgid "program not running" msgstr "argument er ikke en streng" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "kildefil '%s' er tom.\n" #: debug.c:502 #, fuzzy #| msgid "no current source file." msgid "no current source file" msgstr "ingen aktuel kildefil." #: debug.c:527 #, fuzzy, c-format msgid "cannot find source file named `%s': %s" msgstr "kan ikke finde kildefil kaldet '%s' (%s)" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "linjenummer %d uden for omrde; '%s' har %d linjer" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "uventet nylinjetegn ved lsning af fil '%s', lije %d" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "Aktuel kildefil %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "" #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "" #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "" #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "" #: debug.c:870 msgid "No arguments.\n" msgstr "Ingen argumenter.\n" #: debug.c:871 msgid "No locals.\n" msgstr "Ingen lokale.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "Alle definerede funktioner:\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "Vis variable automatisk:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "Overvg variable:\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "'intet symbol '%s' i den aktuelle kontekst\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "'%s' er ikke et array\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = ikke-initieret felt\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "array '%s' er tomt\n" #: debug.c:1184 debug.c:1236 #, fuzzy, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "[\"%s\"] findes ikke i array '%s'\n" #: debug.c:1240 #, fuzzy, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "`%s[\"%s\"]' er ikke et array\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "'%s' er ikke en skalar variabel" #: debug.c:1325 debug.c:5196 #, fuzzy, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "forsg p at bruge array '%s[\"%s\"]' i skalarsammenhng" #: debug.c:1348 debug.c:5207 #, fuzzy, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "forsg p at bruge skalaren '%s[\"%s\"]' som array" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "'%s' er en funktion" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "" #: debug.c:1596 #, fuzzy, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d: [\"%s\"] ikke i array '%s'\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "forsg p at bruge en skalarvrdi som array" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr " i fil `%s', linje %d\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr " ved '%s':%d" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "#%ld\ti " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "" #: debug.c:2092 msgid "invalid frame number" msgstr "Ugyldigt rammenummer" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "" #: debug.c:2415 #, fuzzy, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "Kan ikke stte stoppunkt i funktion '%s'\n" #: debug.c:2444 #, fuzzy, c-format #| msgid "line number %d in file `%s' out of range" msgid "line number %d in file `%s' is out of range" msgstr "linjenummer %d i fil %s er uden for det tilladte omrde" #: debug.c:2448 #, fuzzy, c-format msgid "internal error: cannot find rule\n" msgstr "intern fejl: %s med null vname" #: debug.c:2450 #, fuzzy, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "Kan ikke stte stoppunkt i funktion '%s'\n" #: debug.c:2462 #, fuzzy, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "Kan ikke stte stoppunkt i funktion '%s'\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "linjenummer %d i fil %s er uden for det tilladte omrde" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "Slettet stoppunkt %d" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "Intet stoppunkt ved fil `%s', linje #%d\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "Ugyldigt stoppunktsnummer" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "Slet alle stoppunkter? (j eller n) " #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "j" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "Kunne ikke genstarte fejlsger" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "" #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "Program ikke genstartet\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "" #: debug.c:3026 #, fuzzy, c-format #| msgid "Starting program: \n" msgid "Starting program:\n" msgstr "Starter program: \n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "" #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "" #: debug.c:3091 #, fuzzy, c-format #| msgid "invalid breakpoint number %d." msgid "invalid breakpoint number %d" msgstr "Ugyldigt stoppunktsnummer %d." #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "" #: debug.c:3288 #, fuzzy, c-format #| msgid "Run till return from " msgid "Run until return from " msgstr "Kr til returnering fra " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "" #: debug.c:3444 #, fuzzy, c-format msgid "cannot find specified location in function `%s'\n" msgstr "Kan ikke stte stoppunkt i funktion '%s'\n" #: debug.c:3452 #, fuzzy, c-format msgid "invalid source line %d in file `%s'" msgstr "allerede inkluderet kildefil '%s'" #: debug.c:3467 #, fuzzy, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "allerede inkluderet kildefil '%s'" #: debug.c:3499 #, fuzzy, c-format msgid "element not in array\n" msgstr "adump: argument er ikke et array" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "variabel uden type\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "Stopper i %s ...\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 #, fuzzy msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "\t------[Retur] for at fortstte eller q [Retur] for at afslutte------" #: debug.c:5203 #, fuzzy, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%s\"] findes ikke i array '%s'" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "sender uddata til stdout\n" #: debug.c:5449 msgid "invalid number" msgstr "ugyldigt nummer" #: debug.c:5583 #, fuzzy, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "'exit' kan ikke kaldes i den aktuelle kontekst" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "'returnr' ikke tilladt i den aktuelle kontekst, stning ignoreret" #: debug.c:5639 #, fuzzy, c-format #| msgid "fatal error: internal error" msgid "fatal error during eval, need to restart.\n" msgstr "fatal fejl: intern fejl" #: debug.c:5829 #, fuzzy, c-format #| msgid "no symbol `%s' in current context\n" msgid "no symbol `%s' in current context" msgstr "'intet symbol '%s' i den aktuelle kontekst\n" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "ukendt nodetype %d" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "ukendt opkode %d" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "opkode %s er ikke en operator eller et ngleord" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "bufferoverlb i genflags2str" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# Funktionskaldsstak:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "'IGNORECASE' er en gawk-udvidelse" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "'BINMODE' er en gawk-udvidelse" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "BINMODE vrdi '%s' er ugyldig, behandles som 3" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "forkert '%sFMT'-specifikation '%s'" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "deaktiverer '--lint' p grund af en tildeling til 'LINT'" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "reference til ikke-initieret argument '%s'" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "reference til ikke-initieret variabel '%s'" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "forsg p at referere til et felt fra ikke-numerisk vrdi" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "forsg p at referere til et felt fra tom streng" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "forsg p at f adgang til felt %ld" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "reference til ikke-initieret felt '$%ld'" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "funktionen '%s' kaldt med flere argumenter end deklareret" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: uventet type `%s'" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "forsgte at dividere med nul i '/='" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "forsgte at dividere med nul i '%%='" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "udvidelser er ikke tilladt i sandkasse-tilstand" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "-l / @load er gawk-udvidelser" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "" #: ext.c:60 #, fuzzy, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext: kan ikke bne bibliotek '%s' (%s)\n" #: ext.c:66 #, fuzzy, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "" "fatalt: extension: bibliotek '%s': definer ikke " "'plugin_is_GPL_compatible' (%s)\n" #: ext.c:72 #, fuzzy, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "" "fatalt: extension: bibliotek '%s': kan ikke kalde funktionen '%s' (%s)\n" #: ext.c:76 #, fuzzy, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "" "fatalt: extension: bibliotek '%s': kan ikke kalde funktionen '%s' (%s)\n" #: ext.c:92 #, fuzzy msgid "make_builtin: missing function name" msgstr "extension: mangler funktionsnavn" #: ext.c:100 ext.c:111 #, fuzzy, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "extension: kan ikke bruge gawk's indbyggede '%s' som funktionsnavn" #: ext.c:109 #, fuzzy, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "extension: kan ikke bruge gawk's indbyggede '%s' som funktionsnavn" #: ext.c:126 #, fuzzy, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "extension: kan ikke omdefinere funktion '%s'" #: ext.c:130 #, fuzzy, c-format msgid "make_builtin: function `%s' already defined" msgstr "extension: funktionen '%s' er allerede defineret" #: ext.c:135 #, fuzzy, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "extension: funktionsnavnet '%s' er defineret tidligere" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin: negativt argumentantal for funktion '%s'" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "" "funktion '%s': argument nummer %d: forsg p at bruge skalar som et array" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "" "funktion '%s': argument nummer %d: forsg p at bruge array som en skalar" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "" #: extension/filefuncs.c:479 #, fuzzy msgid "stat: first argument is not a string" msgstr "exp: argumentet %g er uden for det tilladte omrde" #: extension/filefuncs.c:484 #, fuzzy msgid "stat: second argument is not an array" msgstr "split: andet argument er ikke et array" #: extension/filefuncs.c:528 #, fuzzy msgid "stat: bad parameters" msgstr "%s: er parameter\n" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "" #: extension/filefuncs.c:615 #, fuzzy msgid "fts is not supported on this system" msgstr "'%s' understttes ikke i gamle versioner af awk" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "" #: extension/filefuncs.c:850 #, fuzzy msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "sqrt: kaldt med negativt argument %g" #: extension/filefuncs.c:853 #, fuzzy msgid "fts: first argument is not an array" msgstr "asort: frste argument er ikke et array" #: extension/filefuncs.c:859 #, fuzzy msgid "fts: second argument is not a number" msgstr "split: andet argument er ikke et array" #: extension/filefuncs.c:865 #, fuzzy msgid "fts: third argument is not an array" msgstr "match: tredje argument er ikke et array" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "" #: extension/fnmatch.c:120 #, fuzzy msgid "fnmatch: could not get first argument" msgstr "strftime: fik et frste argument som ikke er en streng" #: extension/fnmatch.c:125 #, fuzzy msgid "fnmatch: could not get second argument" msgstr "indeks: andet argument er ikke en streng" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" #: extension/inplace.c:152 #, fuzzy, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "atalt: extension: kan ikke bne '%s' (%s)\n" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "" #: extension/inplace.c:170 #, fuzzy, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "%s: lukning mislykkedes (%s)" #: extension/inplace.c:182 #, fuzzy, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "%s: lukning mislykkedes (%s)" #: extension/inplace.c:189 #, fuzzy, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "%s: lukning mislykkedes (%s)" #: extension/inplace.c:192 #, fuzzy, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "%s: lukning mislykkedes (%s)" #: extension/inplace.c:195 #, fuzzy, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "%s: lukning mislykkedes (%s)" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "" #: extension/inplace.c:227 #, fuzzy, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "%s: lukning mislykkedes (%s)" #: extension/inplace.c:230 #, fuzzy, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "%s: lukning mislykkedes (%s)" #: extension/inplace.c:234 #, fuzzy, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "%s: lukning mislykkedes (%s)" #: extension/inplace.c:247 #, fuzzy, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "datakanalsrensning af '%s' mislykkedes (%s)." #: extension/inplace.c:257 #, fuzzy, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "lukning af fd %d ('%s') mislykkedes (%s)" #: extension/ordchr.c:72 #, fuzzy msgid "ord: first argument is not a string" msgstr "exp: argumentet %g er uden for det tilladte omrde" #: extension/ordchr.c:99 #, fuzzy msgid "chr: first argument is not a number" msgstr "asort: frste argument er ikke et array" #: extension/readdir.c:291 #, c-format msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "" #: extension/readfile.c:133 #, fuzzy msgid "readfile: called with wrong kind of argument" msgstr "sqrt: kaldt med negativt argument %g" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "" #: extension/rwarray.c:145 extension/rwarray.c:548 #, fuzzy, c-format msgid "%s: first argument is not a string" msgstr "exp: argumentet %g er uden for det tilladte omrde" #: extension/rwarray.c:189 #, fuzzy msgid "writea: second argument is not an array" msgstr "split: fjerde argument er ikke et array" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "" #: extension/rwarray.c:226 #, fuzzy msgid "write_array: could not flatten array" msgstr "split: fjerde argument er ikke et array" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "" #: extension/rwarray.c:307 #, fuzzy, c-format msgid "array value has unknown type %d" msgstr "ukendt nodetype %d" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" #: extension/rwarray.c:437 #, fuzzy, c-format msgid "cannot free number with unknown type %d" msgstr "ukendt nodetype %d" #: extension/rwarray.c:442 #, fuzzy, c-format msgid "cannot free value with unhandled type %d" msgstr "ukendt nodetype %d" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "" #: extension/rwarray.c:611 #, fuzzy msgid "reada: second argument is not an array" msgstr "adump: argument er ikke et array" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "" #: extension/time.c:170 #, fuzzy msgid "sleep: missing required numeric argument" msgstr "exp: fik et ikke-numerisk argument" #: extension/time.c:176 #, fuzzy msgid "sleep: argument is negative" msgstr "exp: argumentet %g er uden for det tilladte omrde" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "" #: extension/time.c:232 #, fuzzy msgid "strptime: called with no arguments" msgstr "sqrt: kaldt med negativt argument %g" #: extension/time.c:240 #, fuzzy, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "exp: argumentet %g er uden for det tilladte omrde" #: extension/time.c:245 #, fuzzy, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "exp: argumentet %g er uden for det tilladte omrde" #: field.c:321 msgid "input record too large" msgstr "" #: field.c:443 msgid "NF set to negative value" msgstr "NF sat til en negativ vrdi" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split: fjerde argument er en gawk-udvidelse" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split: fjerde argument er ikke et array" #: field.c:1138 field.c:1240 #, fuzzy, c-format msgid "%s: cannot use %s as fourth argument" msgstr "" "asort: kan ikke bruge et underarray af andet argument for frste argument" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: andet argument er ikke et array" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "split: kan ikke bruge det samme array som andet og fjerde argument" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "" "split: kan ikke bruge et underarray af andet argument som fjerde argument" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "" "split: kan ikke bruge et underarray af fjerde argument som andet argument" #: field.c:1199 #, fuzzy msgid "split: null string for third arg is a non-standard extension" msgstr "split: tom streng som tredje argument er en gawk-udvidelse" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: fjerde argument er ikke et array" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: andet argument er ikke et array" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patmatch: tredje argument er ikke et array" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "patsplit: kan ikke bruge det samme array som andet og fjerde argument" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" "patsplit: kan ikke bruge et underarray af andet argument som fjerde argument" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" "patsplit: kan ikke bruge et underarray af fjerde argument som andet argument" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "'FIELDWIDTHS' er en gawk-udvidelse" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "" #: field.c:1437 #, fuzzy, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "ugyldig FIELDWIDTHS vrdi, nr '%s" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "tom streng som 'FS' er en gawk-udvidelse" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "gamle versioner af awk understtter ikke regexp'er som vrdi for 'FS'" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "'FPAT' er en gawk-udvidelse" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" #: gawkapi.c:1126 #, fuzzy msgid "remove_element: received null array" msgstr "length: fik et array-argument" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "" #: gawkapi.c:1420 #, fuzzy msgid "cannot find end of BEGINFILE rule" msgstr "'next' kan ikke kaldes fra en BEGIN-regel" #: gawkapi.c:1474 #, fuzzy, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "kan ikke bne kildefilen '%s' for lsning (%s)" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "kommandolinjeargument '%s' er et katalog, oversprunget" #: io.c:418 io.c:532 #, fuzzy, c-format msgid "cannot open file `%s' for reading: %s" msgstr "kan ikke bne filen '%s' for lsning (%s)" #: io.c:659 #, fuzzy, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "lukning af fd %d ('%s') mislykkedes (%s)" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "undig blanding af '>' og '>>' for filen '%.*s'" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "omdirigering ikke tilladt i sandkasse-tilstand" #: io.c:835 #, fuzzy, c-format msgid "expression in `%s' redirection is a number" msgstr "udtrykket i '%s'-omdirigering har kun numerisk vrdi" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "udtrykket for '%s'-omdirigering har en tom streng som vrdi" #: io.c:844 #, fuzzy, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "filnavnet '%s' for '%s'-omdirigering kan vre resultatet af et logisk udtryk" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "" #: io.c:955 #, fuzzy, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "kan ikke bne datakanalen '%s' for udskrivning (%s)" #: io.c:973 #, fuzzy, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "kan ikke bne datakanalen '%s' for indtastning (%s)" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" #: io.c:1013 #, fuzzy, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "kan ikke bne tovejsdatakanalen '%s' for ind-/uddata (%s)" #: io.c:1100 #, fuzzy, c-format msgid "cannot redirect from `%s': %s" msgstr "kan ikke omdirigere fra '%s' (%s)" #: io.c:1103 #, fuzzy, c-format msgid "cannot redirect to `%s': %s" msgstr "kan ikke omdirigere til '%s' (%s)" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "nede systembegrnsningen for bne filer: begynder at multiplekse " "fildeskriptorer" #: io.c:1221 #, fuzzy, c-format msgid "close of `%s' failed: %s" msgstr "lukning af '%s' mislykkedes (%s)." #: io.c:1229 msgid "too many pipes or input files open" msgstr "for mange datakanaler eller inddatafiler bne" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: andet argument skal vre 'to' eller 'from'" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "close: '%.*s' er ikke en ben fil, datakanal eller ko-proces" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "lukning af omdirigering som aldrig blev bnet" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close: omdirigeringen '%s' blev ikke bnet med '|&', andet argument ignoreret" #: io.c:1397 #, fuzzy, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "fejlstatus (%d) fra lukning af datakanalen '%s' (%s)" #: io.c:1400 #, fuzzy, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "fejlstatus (%d) fra lukning af datakanalen '%s' (%s)" #: io.c:1403 #, fuzzy, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "fejlstatus (%d) fra fillukning af '%s' (%s)" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "ingen eksplicit lukning af soklen '%s' angivet" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "ingen eksplicit lukning af ko-processen '%s' angivet" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "ingen eksplicit lukning af datakanalen '%s' angivet" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "ingen eksplicit lukning af filen '%s' angivet" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, fuzzy, c-format msgid "error writing standard output: %s" msgstr "fejl ved skrivning til standard ud (%s)" #: io.c:1474 io.c:1573 main.c:671 #, fuzzy, c-format msgid "error writing standard error: %s" msgstr "fejl ved skrivning til standard fejl (%s)" #: io.c:1513 #, fuzzy, c-format msgid "pipe flush of `%s' failed: %s" msgstr "datakanalsrensning af '%s' mislykkedes (%s)." #: io.c:1516 #, fuzzy, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "ko-procesrensning af datakanalen til '%s' mislykkedes (%s)." #: io.c:1519 #, fuzzy, c-format msgid "file flush of `%s' failed: %s" msgstr "filrensning af '%s' mislykkedes (%s)." #: io.c:1662 #, fuzzy, c-format msgid "local port %s invalid in `/inet': %s" msgstr "lokal port %s ugyldig i '/inet'" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "lokal port %s ugyldig i '/inet'" #: io.c:1688 #, fuzzy, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "fjernvrt og portinformation (%s, %s) ugyldige" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "fjernvrt og portinformation (%s, %s) ugyldige" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "TCP/IP-kommunikation understttes ikke" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "kunne ikke bne '%s', tilstand '%s'" #: io.c:2069 io.c:2121 #, fuzzy, c-format msgid "close of master pty failed: %s" msgstr "lukning af master-pty mislykkedes (%s)" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, fuzzy, c-format msgid "close of stdout in child failed: %s" msgstr "lukning af standard ud i underproces mislykkedes (%s)" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "" "flytning af slave-pty til standard ud i underproces mislykkedes (dup: %s)" #: io.c:2076 io.c:2128 io.c:2469 #, fuzzy, c-format msgid "close of stdin in child failed: %s" msgstr "lukning af standard ind i underproces mislykkedes (%s)" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "" "flytning af slave-pty til standard ind i underproces mislykkedes (dup: %s)" #: io.c:2081 io.c:2133 io.c:2155 #, fuzzy, c-format msgid "close of slave pty failed: %s" msgstr "lukning af slave-pty mislykkedes (%s)" #: io.c:2317 #, fuzzy msgid "could not create child process or open pty" msgstr "kan ikke oprette barneproces for '%s' (fork: %s)" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "" "flytning af datakanal til standard ud i underproces mislykkedes (dup: %s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "" "flytning af datakanalen til standard ind i underproces mislykkedes (dup: %s)" #: io.c:2432 io.c:2695 #, fuzzy msgid "restoring stdout in parent process failed" msgstr "genskabelse af standard ud i forlderprocessen mislykkedes\n" #: io.c:2440 #, fuzzy msgid "restoring stdin in parent process failed" msgstr "genskabelse af standard ind i forlderprocessen mislykkedes\n" #: io.c:2475 io.c:2707 io.c:2722 #, fuzzy, c-format msgid "close of pipe failed: %s" msgstr "lukning af datakanalen mislykkedes (%s)" #: io.c:2534 msgid "`|&' not supported" msgstr "'|&' understttes ikke" #: io.c:2662 #, fuzzy, c-format msgid "cannot open pipe `%s': %s" msgstr "kan ikke bne datakanalen '%s' (%s)" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "kan ikke oprette barneproces for '%s' (fork: %s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "datafilen '%s' er tom" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "kunne ikke allokere mere hukommelse til inddata" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "'RS' som flertegnsvrdi er en gawk-udvidelse" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "IPv6-kommunikation understttes ikke" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "miljvariablen 'POSIXLY_CORRECT' sat: aktiverer '--posix'" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "'--posix' tilsidestter '--traditional'" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "'--posix'/'--traditional' tilsidestter '--non-decimal-data'" #: main.c:339 #, fuzzy msgid "`--posix' overrides `--characters-as-bytes'" msgstr "'--posix' tilsidestter '--binary'" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "at kre %s setuid root kan vre et sikkerhedsproblem" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "" #: main.c:413 #, fuzzy, c-format msgid "cannot set binary mode on stdin: %s" msgstr "kan ikke stte binr tilstand p standard ind (%s)" #: main.c:416 #, fuzzy, c-format msgid "cannot set binary mode on stdout: %s" msgstr "kan ikke stte binr tilstand p standard ud (%s)" #: main.c:418 #, fuzzy, c-format msgid "cannot set binary mode on stderr: %s" msgstr "kan ikke stte binr tilstand p standard fejl (%s)" #: main.c:483 msgid "no program text at all!" msgstr "ingen programtekst overhovedet!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "Brug: %s [flag i POSIX- eller GNU-stil] -f progfil [--] fil ...\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "Brug: %s [flag i POSIX- eller GNU-stil] %cprogram%c fil ...\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "POSIX-flag:\t\tlange GNU-flag: (standard)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f progfil\t\t--file=progfil\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F fs\t\t\t--field-separator=fs\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "\t-v var=vrdi\t\t--assign=var=vrdi\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "POSIX-flag:\t\tlange GNU-flag: (udvidelser)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[fil]\t\t--dump-variables[=fil]\n" #: main.c:596 #, fuzzy msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-p[fil]\t\t--profile[=fil]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e 'programtekst'\t--source='programtekst'\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E fil\t\t\t--exec=fil\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "" #: main.c:602 #, fuzzy #| msgid "\t-h\t\t\t--help\n" msgid "\t-I\t\t\t--trace\n" msgstr "\t-h\t\t\t--help\n" #: main.c:603 #, fuzzy #| msgid "\t-h\t\t\t--help\n" msgid "\t-k\t\t\t--csv\n" msgstr "\t-h\t\t\t--help\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 #, fuzzy msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L [fatal]\t\t--lint[=fatal]\n" #: main.c:610 #, fuzzy msgid "\t-M\t\t\t--bignum\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 #, fuzzy msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-p[fil]\t\t--profile[=fil]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[fil]\t\t--profile[=fil]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 #, fuzzy msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 #, fuzzy msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 #, fuzzy msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "For at rapportere fejl kan du se punktet 'Bugs' i 'gawk.info', som er\n" "sektionen 'Reporting Problems and Bugs' i den trykte version.\n" "\n" "Rapportr kommentarer til oversttelsen til .\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk er et sprog til mnster-genkendelse og -behandling.\n" "Almindeligvis lser gawk fra standard ind og skriver til standard ud.\n" "\n" #: main.c:656 #, fuzzy, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "Eksempler:\n" "\tgawk '{ sum += $1 }; END { print sum }' fil\n" "\tgawk -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Copyright 1989, 1991-%d Free Software Foundation.\n" "\n" "Dette program er frit programmel. Du kan distribuere det og/eller\n" "ndre det under betingelserne i GNU General Public License, offentliggjort\n" "af Free Software Foundation, enten version 3 af licensen, eller (hvis du " "vil)\n" "enhver senere version.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "Dette program distribueres i hb om at det vil vre nyttigt,\n" "men UDEN NOGEN SOM HELST GARANTI, ogs uden underforstet garanti\n" "om SALGBARHED eller EGNETHED FOR NOGET SPECIELT FORML. Se GNU\n" "General Public License for yderligere information.\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "Du br have fet en kopi af GNU General Public License sammen\n" "med dette program. Hvis ikke, s se http://www.gnu.org/licenses/.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "-Ft stter ikke FS til tab i POSIX-awk" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: '%s' argument til '-v' ikke p formen 'var=vrdi'\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "'%s' er ikke et gyldigt variabelnavn" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "'%s' er ikke et variabelnavn, leder efter fil '%s=%s'" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "kan ikke bruge gawk's indbyggede '%s' som variabelnavn" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "kan ikke bruge funktion '%s' som variabelnavn" #: main.c:1294 msgid "floating point exception" msgstr "flydendetalsundtagelse" #: main.c:1304 msgid "fatal error: internal error" msgstr "fatal fejl: intern fejl" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "ingen fd %d bnet i forvejen" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "kunne ikke i forvejen bne /dev/null for fd %d" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "tomt argument til '-e/--source' ignoreret" #: main.c:1681 main.c:1686 #, fuzzy msgid "`--profile' overrides `--pretty-print'" msgstr "'--posix' tilsidestter '--traditional'" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "" #: main.c:1726 #, fuzzy #| msgid "IPv6 communication is not supported" msgid "Persistent memory is not supported." msgstr "IPv6-kommunikation understttes ikke" #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: flaget '-W %s' ukendt, ignoreret\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: flaget krver et argument -- %c\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "" #: main.c:1913 #, fuzzy msgid "persistent memory is not supported" msgstr "operatoren '^' understttes ikke i gamle versioner af awk" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" #: mpfr.c:659 #, fuzzy, c-format msgid "PREC value `%.*s' is invalid" msgstr "BINMODE vrdi '%s' er ugyldig, behandles som 3" #: mpfr.c:718 #, fuzzy, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "BINMODE vrdi '%s' er ugyldig, behandles som 3" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: fik et ikke-numerisk frste argument" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: fik et ikke-numerisk andet argument" #: mpfr.c:825 #, fuzzy, c-format msgid "%s: received negative argument %.*s" msgstr "log: fik et negativt argument %g" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int: fik et ikke-numerisk argument" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: fik et ikke-numerisk argument" #: mpfr.c:936 #, fuzzy msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%lf): negative vrdier vil give mrkelige resultater" #: mpfr.c:941 #, fuzzy msgid "comp(%Rg): fractional value will be truncated" msgstr "compl(%lf): kommatalsvrdier vil blive trunkeret" #: mpfr.c:952 #, fuzzy, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%lf): negative vrdier vil give mrkelige resultater" #: mpfr.c:970 #, fuzzy, c-format msgid "%s: received non-numeric argument #%d" msgstr "cos: fik et ikke-numerisk argument" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "" #: mpfr.c:991 #, fuzzy msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "and(%lf, %lf): negative vrdier vil give mrkelige resultater" #: mpfr.c:998 #, fuzzy msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "and(%lf, %lf): kommatalsvrdier vil blive trunkeret" #: mpfr.c:1012 #, fuzzy, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "and(%lf, %lf): negative vrdier vil give mrkelige resultater" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: kaldt med mindre end to argumenter" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or: kaldt med mindre end to argumenter" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "zor: kaldt med mindre end to argumenter" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: fik et ikke-numerisk argument" #: mpfr.c:1343 #, fuzzy msgid "intdiv: received non-numeric first argument" msgstr "and: fik et ikke-numerisk frste argument" #: mpfr.c:1345 #, fuzzy msgid "intdiv: received non-numeric second argument" msgstr "and: fik et ikke-numerisk andet argument" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "kommandolinje:" #: node.c:477 msgid "backslash at end of string" msgstr "omvendt skrstreg i slutningen af strengen" #: node.c:511 #, fuzzy msgid "could not make typed regex" msgstr "uafsluttet regulrt udtryk" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "gamle versioner af awk understtter ikke '\\%c' undvigesekvens" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX tillader ikke '\\x'-kontrolsekvenser" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "ingen heksadecimale cifre i '\\x'-kontrolsekvenser" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "den heksadecimale sekvens \\x%.*s p %d tegn nok ikke forstet som du " "forventer det" #: node.c:705 #, fuzzy #| msgid "POSIX does not allow `\\x' escapes" msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX tillader ikke '\\x'-kontrolsekvenser" #: node.c:713 #, fuzzy #| msgid "no hex digits in `\\x' escape sequence" msgid "no hex digits in `\\u' escape sequence" msgstr "ingen heksadecimale cifre i '\\x'-kontrolsekvenser" #: node.c:744 #, fuzzy #| msgid "no hex digits in `\\x' escape sequence" msgid "invalid `\\u' escape sequence" msgstr "ingen heksadecimale cifre i '\\x'-kontrolsekvenser" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "kontrolsekvensen '\\%c' behandlet som kun '%c'" #: node.c:908 #, fuzzy #| msgid "" #| "Invalid multibyte data detected. There may be a mismatch between your " #| "data and your locale." msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "Ugyldigt multibyte data fundet. Mske er der uoverensstemmelse mellem dine " "data og dit locale." #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "%s %s '%s': kunne ikke f fat p fd flag: (fcntl F_GETFD: %s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "%s %s '%s': kunne ikke stte luk-ved-exec (fcntl F_SETFD: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "" #: profile.c:114 msgid "sending profile to standard error" msgstr "sender profilen til standard fejl" #: profile.c:284 #, fuzzy, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# Regler\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# Regler\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "intern fejl: %s med null vname" #: profile.c:693 #, fuzzy msgid "internal error: builtin with null fname" msgstr "intern fejl: %s med null vname" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# profil til gawk oprettet %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# Funktioner, listede alfabetisk\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str: uykendt omdirigeringstype %d" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "" #: re.c:215 #, fuzzy, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "kontrolsekvensen '\\%c' behandlet som kun '%c'" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "regexp-komponent `%.*s' skulle nok vre `[%.*s]'" #: support/dfa.c:910 msgid "unbalanced [" msgstr "" #: support/dfa.c:1031 msgid "invalid character class" msgstr "Ugyldig tegnklasse" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "" #: support/dfa.c:1345 #, fuzzy #| msgid "invalid subscript expression" msgid "? at start of expression" msgstr "ugyldigt indeksudtryk" #: support/dfa.c:1357 #, fuzzy #| msgid "invalid subscript expression" msgid "* at start of expression" msgstr "ugyldigt indeksudtryk" #: support/dfa.c:1371 #, fuzzy #| msgid "invalid subscript expression" msgid "+ at start of expression" msgstr "ugyldigt indeksudtryk" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "ugyldigt indhold i \\{\\}" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "regulrt udtryk for stort" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "ingen syntaks angivet" #: support/dfa.c:2077 msgid "unbalanced )" msgstr "" #: support/getopt.c:605 support/getopt.c:634 #, fuzzy, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: flaget '%s' er flertydigt\n" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s: flaget '--%s' tillader ikke noget argument\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: flaget '%c%s' tillader ikke noget argument\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: flaget '--%s' krver et argument\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: ukendt flag '--%s'\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: ukendt flag '%c%s'\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: ugyldigt flag - '%c'\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s: flaget krver et argument - '%c'\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: flaget '-W %s' er flertydigt\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: flaget '-W %s' tillader ikke noget argument\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: flaget '-W %s' krver et argument\n" #: support/regcomp.c:122 msgid "Success" msgstr "Lykkedes" #: support/regcomp.c:125 msgid "No match" msgstr "Mislykkedes" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "Ugyldigt regulrt udtryk" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "Ugyldigt sorteringstegn" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "Ugyldigt tegnklassenavn" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "Efterflgende omvendt skrstreg" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "Ugyldig bagudreference" #: support/regcomp.c:143 #, fuzzy msgid "Unmatched [, [^, [:, [., or [=" msgstr "Ubalanceret [ eller [^" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "Ubalanceret ( eller \\(" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "Ubalanceret \\{" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "Ugyldigt indhold i \\{\\}" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "Ugyldig intervalslutning" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "Hukommelsen opbrugt" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "Ugyldigt foregende regulrt udtryk" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "For tidligt slut p regulrt udtryk" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "Regulrt udtryk for stort" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr "Ubalanceret ) eller \\)" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "Intet foregende regulrt udtryk" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" #: symbol.c:781 #, fuzzy, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "funktionen '%s': kan ikke bruge funktionsnavn som parameternavn" #: symbol.c:911 msgid "cannot pop main context" msgstr "" #~ msgid "fatal: must use `count$' on all formats or none" #~ msgstr "fatal: skal bruge 'count$' p alle formater eller ikke nogen" #, c-format #~ msgid "field width is ignored for `%%' specifier" #~ msgstr "feltbredde ignoreret for '%%'-angivelse" #, c-format #~ msgid "precision is ignored for `%%' specifier" #~ msgstr "prcision ignoreret for '%%'-angivelse" #, c-format #~ msgid "field width and precision are ignored for `%%' specifier" #~ msgstr "feltbredde og prcision ignoreret for '%%'-angivelse" #~ msgid "fatal: `$' is not permitted in awk formats" #~ msgstr "fatal: '$' tillades ikke i awk-formater" #, fuzzy #~ msgid "fatal: argument index with `$' must be > 0" #~ msgstr "fatal: argumentantallet med '$' skal vre > 0" #, fuzzy, c-format #~ msgid "" #~ "fatal: argument index %ld greater than total number of supplied arguments" #~ msgstr "fatal: argumentantallet %ld er strre end antal givne argumenter" #~ msgid "fatal: `$' not permitted after period in format" #~ msgstr "fatal: '$' tillades ikke efter et punktum i formatet" #~ msgid "fatal: no `$' supplied for positional field width or precision" #~ msgstr "" #~ "fatal: intet '$' angivet for bredde eller prcision af positionsangivet " #~ "felt" #, fuzzy, c-format #~| msgid "`l' is meaningless in awk formats; ignored" #~ msgid "`%c' is meaningless in awk formats; ignored" #~ msgstr "'l' er meningslst i awk-formater, ignoreret" #, fuzzy, c-format #~| msgid "fatal: `l' is not permitted in POSIX awk formats" #~ msgid "fatal: `%c' is not permitted in POSIX awk formats" #~ msgstr "fatal: 'l' tillades ikke i POSIX awk-formater" #, c-format #~ msgid "[s]printf: value %g is too big for %%c format" #~ msgstr "[s]printf: vrdi %g er for stor for %%c-format" #, c-format #~ msgid "[s]printf: value %g is not a valid wide character" #~ msgstr "[s]printf: vrdi %g er ikke et gyldigt bredt tegn" #, c-format #~ msgid "[s]printf: value %g is out of range for `%%%c' format" #~ msgstr "[s]printf: vrdi %g er uden for omrde for '%%%c'-format" #, fuzzy, c-format #~ msgid "[s]printf: value %s is out of range for `%%%c' format" #~ msgstr "[s]printf: vrdi %g er uden for omrde for '%%%c'-format" #, c-format #~ msgid "" #~ "ignoring unknown format specifier character `%c': no argument converted" #~ msgstr "" #~ "ignorerer ukendt formatspecificeringstegn '%c': intet argument konverteret" #~ msgid "fatal: not enough arguments to satisfy format string" #~ msgstr "fatal: for f argumenter til formatstrengen" #~ msgid "^ ran out for this one" #~ msgstr "^ sluttede her" #~ msgid "[s]printf: format specifier does not have control letter" #~ msgstr "[s]printf: formatspecifikation har intet kommandobogstav" #~ msgid "too many arguments supplied for format string" #~ msgstr "for mange argumenter til formatstrengen" #, fuzzy, c-format #~ msgid "%s: received non-string format string argument" #~ msgstr "indeks: frste argument er ikke en streng" #~ msgid "sprintf: no arguments" #~ msgstr "sprintf: ingen argumenter" #~ msgid "printf: no arguments" #~ msgstr "printf: ingen argumenter" #, c-format #~ msgid "%s" #~ msgstr "%s" #~ msgid "\t-W nostalgia\t\t--nostalgia\n" #~ msgstr "\t-W nostalgia\t\t--nostalgia\n" #~ msgid "fatal error: internal error: segfault" #~ msgstr "fatal fejl: intern fejl: segmentfejl" #~ msgid "fatal error: internal error: stack overflow" #~ msgstr "fatal fejl: intern fejl: stakoverlb" #, fuzzy, c-format #~ msgid "typeof: invalid argument type `%s'" #~ msgstr "flag: ugyldig parameter - \"%s\"" #, fuzzy #~ msgid "do_writea: first argument is not a string" #~ msgstr "exp: argumentet %g er uden for det tilladte omrde" #, fuzzy #~ msgid "do_reada: first argument is not a string" #~ msgstr "exp: argumentet %g er uden for det tilladte omrde" #, fuzzy #~ msgid "do_writea: argument 1 is not an array" #~ msgstr "split: fjerde argument er ikke et array" #, fuzzy #~ msgid "do_reada: argument 0 is not a string" #~ msgstr "exp: argumentet %g er uden for det tilladte omrde" #, fuzzy #~ msgid "do_reada: argument 1 is not an array" #~ msgstr "adump: argument er ikke et array" #~ msgid "`L' is meaningless in awk formats; ignored" #~ msgstr "'L' er meningslst i awk-formater, ignoreret" #~ msgid "fatal: `L' is not permitted in POSIX awk formats" #~ msgstr "fatal: 'L' tillades ikke i POSIX awk-formater" #~ msgid "`h' is meaningless in awk formats; ignored" #~ msgstr "'h' er meningslst i awk-formater, ignoreret" #~ msgid "fatal: `h' is not permitted in POSIX awk formats" #~ msgstr "fatal: 'h' tillades ikke i POSIX awk-formater" #, fuzzy #~ msgid "No symbol `%s' in current context" #~ msgstr "forsg p at bruge array '%s' i skalarsammenhng" #, fuzzy #~ msgid "fts: first parameter is not an array" #~ msgstr "asort: frste argument er ikke et array" #, fuzzy #~ msgid "fts: third parameter is not an array" #~ msgstr "match: tredje argument er ikke et array" #~ msgid "adump: first argument not an array" #~ msgstr "adump: frste argument er ikke et array" #~ msgid "asort: second argument not an array" #~ msgstr "asort: andet argument er ikke et array" #~ msgid "asorti: second argument not an array" #~ msgstr "asorti: andet argument er ikke et array" #~ msgid "asorti: first argument not an array" #~ msgstr "asorti: frste argument er ikke et array" #, fuzzy #~ msgid "asorti: first argument cannot be SYMTAB" #~ msgstr "asorti: frste argument er ikke et array" #, fuzzy #~ msgid "asorti: first argument cannot be FUNCTAB" #~ msgstr "asorti: frste argument er ikke et array" #~ msgid "asorti: cannot use a subarray of first arg for second arg" #~ msgstr "" #~ "asorti: kan ikke bruge et underarray af frste argument for andet argument" #~ msgid "asorti: cannot use a subarray of second arg for first arg" #~ msgstr "" #~ "asorti: kan ikke bruge et underarray af andet argument for frste argument" #~ msgid "can't read sourcefile `%s' (%s)" #~ msgstr "kan ikke lse kildefilen '%s' (%s)" #~ msgid "POSIX does not allow operator `**='" #~ msgstr "POSIX tillader ikke operatoren '**='" #~ msgid "old awk does not support operator `**='" #~ msgstr "gamle versioner af awk understtter ikke operatoren '**='" #~ msgid "old awk does not support operator `**'" #~ msgstr "gamle versioner af awk understtter ikke operatoren '**'" #~ msgid "operator `^=' is not supported in old awk" #~ msgstr "operatoren '^=' understttes ikke i gamle versioner af awk" #~ msgid "could not open `%s' for writing (%s)" #~ msgstr "kunne ikke bne '%s' for skrivning (%s)" #~ msgid "exp: received non-numeric argument" #~ msgstr "exp: fik et ikke-numerisk argument" #~ msgid "length: received non-string argument" #~ msgstr "length: fik et argument som ikke er en streng" #~ msgid "log: received non-numeric argument" #~ msgstr "log: fik et ikke-numerisk argument" #~ msgid "sqrt: received non-numeric argument" #~ msgstr "sqrt: fik ikke-numerisk argument" #~ msgid "sqrt: called with negative argument %g" #~ msgstr "sqrt: kaldt med negativt argument %g" #~ msgid "strftime: received non-numeric second argument" #~ msgstr "strftime: fik et ikke-numerisk andet argument" #~ msgid "strftime: received non-string first argument" #~ msgstr "strftime: fik et frste argument som ikke er en streng" #~ msgid "mktime: received non-string argument" #~ msgstr "mktime: fik et argument som ikke er en streng" #~ msgid "tolower: received non-string argument" #~ msgstr "tolower: fik et argument som ikke er en streng" #~ msgid "toupper: received non-string argument" #~ msgstr "toupper: fik et argument som ikke er en streng" #~ msgid "sin: received non-numeric argument" #~ msgstr "sin: fik et ikke-numerisk argument" #~ msgid "cos: received non-numeric argument" #~ msgstr "cos: fik et ikke-numerisk argument" #~ msgid "lshift: received non-numeric first argument" #~ msgstr "lshift: fik et ikke-numerisk frste argument" #~ msgid "lshift: received non-numeric second argument" #~ msgstr "lshift: fik et ikke-numerisk andet argument" #~ msgid "rshift: received non-numeric first argument" #~ msgstr "rshift: fik et ikke-numerisk frste argument" #~ msgid "rshift: received non-numeric second argument" #~ msgstr "rshift: fik et ikke-numerisk andet argument" #~ msgid "and: argument %d is non-numeric" #~ msgstr "and: argumentet %d er ikke-numerisk" #, fuzzy #~ msgid "and: argument %d negative value %g is not allowed" #~ msgstr "and: argument %d negativ vrdi %g vil give mrkelige resultater" #, fuzzy #~ msgid "or: argument %d negative value %g is not allowed" #~ msgstr "or: argument %d negativ vrdi %g vil give mrkelige resultater" #~ msgid "xor: argument %d is non-numeric" #~ msgstr "xor: argumentet %d er ikke-numerisk" #, fuzzy #~ msgid "xor: argument %d negative value %g is not allowed" #~ msgstr "xor: argument %d negativ vrdi %g vil give mrkelige resultater" #~ msgid "Can't find rule!!!\n" #~ msgstr "Kan ikke finde regel!!!\n" #~ msgid "q" #~ msgstr "q" #, fuzzy #~ msgid "fts: bad first parameter" #~ msgstr "%s: er parameter\n" #, fuzzy #~ msgid "fts: bad second parameter" #~ msgstr "%s: er parameter\n" #, fuzzy #~ msgid "fts: bad third parameter" #~ msgstr "%s: er parameter\n" #, fuzzy #~ msgid "ord: called with inappropriate argument(s)" #~ msgstr "sqrt: kaldt med negativt argument %g" #, fuzzy #~ msgid "chr: called with inappropriate argument(s)" #~ msgstr "sqrt: kaldt med negativt argument %g" #, fuzzy #~ msgid "setenv(TZ, %s) failed (%s)" #~ msgstr "%s til '%s' mislykkedes (%s)" #, fuzzy #~ msgid "unsetenv(TZ) failed (%s)" #~ msgstr "%s: lukning mislykkedes (%s)" #, fuzzy #~ msgid "attempt to use array `%s[\".*%s\"]' in a scalar context" #~ msgstr "forsg p at bruge array '%s[\"%s\"]' i skalarsammenhng" #, fuzzy #~ msgid "attempt to use scalar `%s[\".*%s\"]' as array" #~ msgstr "forsg p at bruge skalaren '%s[\"%s\"]' som array" #~ msgid "gensub: third argument %g treated as 1" #~ msgstr "gensub: tredje argument %g behandlet som 1" #~ msgid "`extension' is a gawk extension" #~ msgstr "'extension' er en gawk-udvidelse" #, fuzzy #~ msgid "extension: cannot open library `%s' (%s)" #~ msgstr "atalt: extension: kan ikke bne '%s' (%s)\n" #, fuzzy #~ msgid "" #~ "extension: library `%s': does not define `plugin_is_GPL_compatible' (%s)" #~ msgstr "" #~ "fatalt: extension: bibliotek '%s': definer ikke " #~ "'plugin_is_GPL_compatible' (%s)\n" #, fuzzy #~ msgid "extension: library `%s': cannot call function `%s' (%s)" #~ msgstr "" #~ "fatalt: extension: bibliotek '%s': kan ikke kalde funktionen '%s' (%s)\n" #~ msgid "extension: missing function name" #~ msgstr "extension: mangler funktionsnavn" #~ msgid "extension: illegal character `%c' in function name `%s'" #~ msgstr "extension: ugyldigt tegn '%c' i funktionsnavn '%s'" #~ msgid "extension: can't redefine function `%s'" #~ msgstr "extension: kan ikke omdefinere funktion '%s'" #~ msgid "extension: function `%s' already defined" #~ msgstr "extension: funktionen '%s' er allerede defineret" #~ msgid "extension: function name `%s' previously defined" #~ msgstr "extension: funktionsnavnet '%s' er defineret tidligere" #~ msgid "extension: can't use gawk built-in `%s' as function name" #~ msgstr "extension: kan ikke bruge gawk's indbyggede '%s' som funktionsnavn" #, fuzzy #~ msgid "chdir: called with incorrect number of arguments, expecting 1" #~ msgstr "sqrt: kaldt med negativt argument %g" #, fuzzy #~ msgid "stat: called with wrong number of arguments" #~ msgstr "sqrt: kaldt med negativt argument %g" #, fuzzy #~ msgid "statvfs: called with wrong number of arguments" #~ msgstr "sqrt: kaldt med negativt argument %g" #, fuzzy #~ msgid "fnmatch: called with less than three arguments" #~ msgstr "sqrt: kaldt med negativt argument %g" #, fuzzy #~ msgid "fnmatch: called with more than three arguments" #~ msgstr "sqrt: kaldt med negativt argument %g" #, fuzzy #~ msgid "fork: called with too many arguments" #~ msgstr "sqrt: kaldt med negativt argument %g" #, fuzzy #~ msgid "waitpid: called with too many arguments" #~ msgstr "sqrt: kaldt med negativt argument %g" #, fuzzy #~ msgid "wait: called with no arguments" #~ msgstr "sqrt: kaldt med negativt argument %g" #, fuzzy #~ msgid "wait: called with too many arguments" #~ msgstr "sqrt: kaldt med negativt argument %g" #, fuzzy #~ msgid "ord: called with too many arguments" #~ msgstr "sqrt: kaldt med negativt argument %g" #, fuzzy #~ msgid "chr: called with too many arguments" #~ msgstr "sqrt: kaldt med negativt argument %g" #, fuzzy #~ msgid "readfile: called with too many arguments" #~ msgstr "sqrt: kaldt med negativt argument %g" #, fuzzy #~ msgid "writea: called with too many arguments" #~ msgstr "sqrt: kaldt med negativt argument %g" #, fuzzy #~ msgid "reada: called with too many arguments" #~ msgstr "sqrt: kaldt med negativt argument %g" #, fuzzy #~ msgid "gettimeofday: ignoring arguments" #~ msgstr "mktime: fik et argument som ikke er en streng" #, fuzzy #~ msgid "sleep: called with too many arguments" #~ msgstr "sqrt: kaldt med negativt argument %g" #~ msgid "unknown value for field spec: %d\n" #~ msgstr "ukendt vrdi for felt-spec: %d\n" #~ msgid "function `%s' defined to take no more than %d argument(s)" #~ msgstr "funktionen '%s' defineret til at tage ikke mere end %d argumenter" #~ msgid "function `%s': missing argument #%d" #~ msgstr "funktion '%s': mangler argument nummer %d" #~ msgid "reference to uninitialized element `%s[\"%.*s\"]'" #~ msgstr "reference til ikke-initieret element '%s[\"%.*s\"]'" #~ msgid "subscript of array `%s' is null string" #~ msgstr "indeks i array '%s' er en tom streng" #~ msgid "%s: empty (null)\n" #~ msgstr "%s: tom (null)\n" #~ msgid "%s: empty (zero)\n" #~ msgstr "%s: tom (nul)\n" #~ msgid "%s: table_size = %d, array_size = %d\n" #~ msgstr "%s: tabelstrrelse = %d, arraystrrelse = %d\n" #~ msgid "%s: array_ref to %s\n" #~ msgstr "%s: arrayreference til %s\n" #~ msgid "`nextfile' is a gawk extension" #~ msgstr "'nextfile' er en gawk-udvidelse" #~ msgid "`delete array' is a gawk extension" #~ msgstr "'delete array' er en gawk-udvidelse" #~ msgid "`getline var' invalid inside `%s' rule" #~ msgstr "'getline var' ugyldig inden i '%s' regel" #~ msgid "`getline' invalid inside `%s' rule" #~ msgstr "'getline' ugyldig inden i '%s' regel" #~ msgid "use of non-array as array" #~ msgstr "brug af ikke-array som array" #~ msgid "`%s' is a Bell Labs extension" #~ msgstr "'%s' er en Bell Labs-udvidelse" #~ msgid "or(%lf, %lf): negative values will give strange results" #~ msgstr "or(%lf, %lf): negative vrdier vil give mrkelige resultater" #~ msgid "or(%lf, %lf): fractional values will be truncated" #~ msgstr "or(%lf, %lf): kommatalsvrdier vil blive trunkeret" #~ msgid "xor: received non-numeric first argument" #~ msgstr "xor: fik et ikke-numerisk frste argument" #~ msgid "xor: received non-numeric second argument" #~ msgstr "xor: fik et ikke-numerisk andet argument" #~ msgid "xor(%lf, %lf): fractional values will be truncated" #~ msgstr "xor(%lf, %lf): kommatalsvrdier vil blive trunkeret" #~ msgid "can't use function name `%s' as variable or array" #~ msgstr "kan ikke bruge funktionsnavnet '%s' som variabel eller array" #~ msgid "assignment used in conditional context" #~ msgstr "tildeling brugt i sammenligningsammenhng" #~ msgid "" #~ "for loop: array `%s' changed size from %ld to %ld during loop execution" #~ msgstr "" #~ "for-lkke: array '%s' ndrede strrelse fra %ld til %ld under udfrelse " #~ "af lkken" #~ msgid "function called indirectly through `%s' does not exist" #~ msgstr "funktion kaldt indirekte via '%s' eksisterer ikke" #~ msgid "function `%s' not defined" #~ msgstr "funktionen '%s' er ikke defineret" #~ msgid "`nextfile' cannot be called from a `%s' rule" #~ msgstr "'nextfile' kan ikke kaldes fra en '%s'-regel" #~ msgid "`next' cannot be called from a `%s' rule" #~ msgstr "'next' kan ikke kaldes fra en '%s'-regel" #~ msgid "Sorry, don't know how to interpret `%s'" #~ msgstr "Vd desvrre ikke hvordan '%s' skal fortolkes" #~ msgid "Operation Not Supported" #~ msgstr "Operationen understttes ikke" #~ msgid "no (known) protocol supplied in special filename `%s'" #~ msgstr "ingen (kendt) protokol opgivet i special-filnavn '%s'" #~ msgid "special file name `%s' is incomplete" #~ msgstr "special-filnavn '%s' er ufuldstndigt" #~ msgid "must supply a remote hostname to `/inet'" #~ msgstr "fjernmaskinenavn til '/inet' skal angives" #~ msgid "must supply a remote port to `/inet'" #~ msgstr "fjernport til '/inet' skal angives" #~ msgid "`-m[fr]' option irrelevant in gawk" #~ msgstr "'-m[fr]'-flaget er irrelevant i gawk" #~ msgid "-m option usage: `-m[fr] nnn'" #~ msgstr "brug af flaget -m: '-m[fr] nnn'" #~ msgid "\t-R file\t\t\t--command=file\n" #~ msgstr "\t-R file\t\t\t--command=fil\n" #~ msgid "could not find groups: %s" #~ msgstr "kunne ikke finde grupper: %s" #~ msgid "" #~ "\t# %s block(s)\n" #~ "\n" #~ msgstr "" #~ "\t# %s blokke\n" #~ "\n" #~ msgid "range of the form `[%c-%c]' is locale dependent" #~ msgstr "omrde p formen `[%c-%c]' er locale-afhngig" #~ msgid "assignment is not allowed to result of builtin function" #~ msgstr "tildeling er ikke tilladt til resultatet fra en indbygget funktion" #~ msgid "attempt to use array in a scalar context" #~ msgstr "forsg p at bruge array i skalarsammenhng" #~ msgid "statement may have no effect" #~ msgstr "kommandoen har mske ikke nogen effekt" #~ msgid "out of memory" #~ msgstr "slut p hukommelsen" #~ msgid "attempt to use scalar `%s' as array" #~ msgstr "forsg p at bruge skalaren '%s' som array" #~ msgid "call of `length' without parentheses is deprecated by POSIX" #~ msgstr "kald af 'length' uden parenteser er forldet iflge POSIX" #~ msgid "division by zero attempted in `/'" #~ msgstr "forsgte at dividere med nul i '/'" #~ msgid "length: untyped parameter argument will be forced to scalar" #~ msgstr "length: parameter uden type vil blive brugt som skalar" #~ msgid "length: untyped argument will be forced to scalar" #~ msgstr "length: argument uden type vil blive brugt som skalar" #~ msgid "`break' outside a loop is not portable" #~ msgstr "'break' uden for en lkke er ikke portabelt" #~ msgid "`continue' outside a loop is not portable" #~ msgstr "'continue' uden for en lkke er ikke portabelt" #~ msgid "`nextfile' cannot be called from a BEGIN rule" #~ msgstr "'nextfile' kan ikke kaldes fra en BEGIN-regel" #~ msgid "" #~ "concatenation: side effects in one expression have changed the length of " #~ "another!" #~ msgstr "" #~ "konkatenering: sideeffekter i et udtryk har ndret lngden af et andet!" #~ msgid "illegal type (%s) in tree_eval" #~ msgstr "ugyldig type (%s) i tree_eval" #~ msgid "\t# -- main --\n" #~ msgstr "\t# -- main --\n" #~ msgid "invalid tree type %s in redirect()" #~ msgstr "ugyldig trtype %s i redirect()" #~ msgid "/inet/raw client not ready yet, sorry" #~ msgstr "/inet/raw-klient er desvrre ikke klar endnu" #~ msgid "only root may use `/inet/raw'." #~ msgstr "kun root kan bruge '/inet/raw'." #~ msgid "/inet/raw server not ready yet, sorry" #~ msgstr "/inet/raw-server er desvrre ikke klar endnu" #~ msgid "file `%s' is a directory" #~ msgstr "filen '%s' er et katalog" #~ msgid "use `PROCINFO[\"%s\"]' instead of `%s'" #~ msgstr "brug 'PROCINFO[\"%s\"]' i stedet for '%s'" #~ msgid "use `PROCINFO[...]' instead of `/dev/user'" #~ msgstr "brug 'PROCINFO[...]' i stedet for '/dev/user'" #~ msgid "\t-m[fr] val\n" #~ msgstr "\t-m[fr] vrdi\n" #~ msgid "\t-W compat\t\t--compat\n" #~ msgstr "\t-W compat\t\t--compat\n" #~ msgid "\t-W copyleft\t\t--copyleft\n" #~ msgstr "\t-W copyleft\t\t--copyleft\n" #~ msgid "\t-W usage\t\t--usage\n" #~ msgstr "\t-W usage\t\t--usage\n" #~ msgid "can't convert string to float" #~ msgstr "kan ikke konvertere en streng til flydende tal" #~ msgid "# treated internally as `delete'" #~ msgstr "# behandlet internt som 'delete'" #~ msgid "# this is a dynamically loaded extension function" #~ msgstr "# dette er en dynamisk indlst udvidelsesfunktion" #~ msgid "" #~ "\t# BEGIN block(s)\n" #~ "\n" #~ msgstr "" #~ "\t# BEGIN-blok\n" #~ "\n" #~ msgid "unexpected type %s in prec_level" #~ msgstr "uventet type %s i prec_level" #~ msgid "Unknown node type %s in pp_var" #~ msgstr "Ukendt nodetype %s i pp_var" EOF echo Extracting po/de.po cat << \EOF > po/de.po # Deutsche Meldungen für GNU awk # Copyright (C) 2000 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # # Philipp Thomas , 2011, 2012, 2014, 2015, 2016, 2017. # Roland Illig , 2020-2025. # msgid "" msgstr "" "Project-Id-Version: gawk 5.3.1b\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2025-03-04 21:11+0100\n" "Last-Translator: Roland Illig \n" "Language-Team: German \n" "Language: de\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Bugs: Report translation errors to the Language-Team address.\n" "X-Generator: Poedit 3.5\n" #: array.c:249 #, c-format msgid "from %s" msgstr "von %s" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "Es wird versucht, einen skalaren Wert als Feld zu verwenden" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "Es wird versucht, den skalaren Parameter »%s« als Feld zu verwenden" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "Es wird versucht, den Skalar »%s« als Feld zu verwenden" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "Es wird versucht, das Feld »%s« in einem Skalarkontext zu verwenden" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "delete: Index »%.*s« ist in Feld »%s« nicht vorhanden" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "Es wird versucht, den Skalar »%s[\"%.*s\"]« als Feld zu verwenden" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "%s: das erste Argument ist kein Feld" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "%s: das zweite Argument ist kein Feld" #: array.c:901 field.c:1150 field.c:1247 #, c-format msgid "%s: cannot use %s as second argument" msgstr "%s: %s kann nicht als zweites Argument verwendet werden" #: array.c:909 #, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "" "%s: wenn das erste Argument SYMTAB ist, muss es ein zweites Argument geben" #: array.c:911 #, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "" "%s: wenn das erste Argument FUNCTAB ist, muss es ein zweites Argument geben" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" "asort/asorti: Die Verwendung desselben Arrays als Quelle und Ziel ohne ein " "drittes Argument ist sinnlos." #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "%s: das zweite Argument darf kein Teilfeld des ersten Arguments sein" #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "%s: das erste Argument darf kein Teilfeld des zweiten Arguments sein" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "»%s« ist ein unzulässiger Funktionsname" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "die Vergleichsfunktion »%s« für das Sortieren ist nicht definiert" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "%s-Blöcke müssen einen Aktionsteil haben" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "jede Regel muss entweder ein Muster oder einen Aktionsteil haben" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "das alte awk erlaubt keine mehrfachen »BEGIN«- oder »END«-Regeln" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "»%s« ist eine eingebaute Funktion und kann nicht umdefiniert werden" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "" "die Regulärer-Ausdruck-Konstante »//« sieht wie ein C-Kommentar aus, ist " "aber keiner" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "" "die Regulärer-Ausdruck-Konstante »/%s/« sieht wie ein C-Kommentar aus, ist " "aber keiner" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "doppelte »case«-Werte im »switch«-Block: %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "jeder »switch«-Block darf höchstens ein »default« enthalten" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "" "»break« darf nur innerhalb einer Schleife oder eines Switch-Blocks vorkommen" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "»continue« darf nur innerhalb einer Schleife vorkommen" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "»next« wird in %s-Aktion verwendet" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "»nextfile« wird in %s-Aktion verwendet" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "»return« darf nur innerhalb einer Funktion vorkommen" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" "Einfaches »print« in BEGIN- oder END-Regel soll vermutlich »print \"\"« sein" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "»delete« ist in Zusammenhang mit SYMTAB nicht zulässig" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "»delete« ist in Zusammenhang mit FUNCTAB nicht zulässig" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "»delete(array)« ist eine tawk-Erweiterung" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "mehrstufige Zweiwege-Pipes funktionieren nicht" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "Verkettung als Ziel der E/A-Umlenkung »>« ist mehrdeutig" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "regulärer Ausdruck auf der rechten Seite einer Zuweisung" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "regulärer Ausdruck links vom »~«- oder »!~«-Operator" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "das alte awk unterstützt das Schlüsselwort »in« nur nach »for«" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "regulärer Ausdruck rechts von einem Vergleich" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "nicht umgeleitetes »getline« ist ungültig innerhalb der »%s«-Regel" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "" "nicht umgeleitetes »getline« ist innerhalb der END-Aktion nicht definiert" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "das alte awk unterstützt keine mehrdimensionalen Felder" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "Aufruf von »length« ohne Klammern ist nicht portabel" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "indirekte Funktionsaufrufe sind eine gawk-Erweiterung" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "" "die besondere Variable »%s« kann nicht für den indirekten Funktionsaufruf " "verwendet werden" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "es wird versucht, »%s« als Funktion aufzurufen, obwohl es keine ist" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "Ungültiger Index-Ausdruck" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "Warnung: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "Fatal: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "unerwarteter Zeilenumbruch oder Ende der Zeichenkette" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" "Quelldateien und Kommandozeilenargumente dürfen nur vollständige Funktionen " "oder Regeln enthalten" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "Quelldatei »%s« kann nicht zum Lesen geöffnet werden: %s" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "" "Die dynamische Bibliothek »%s« kann nicht zum Lesen geöffnet werden: %s" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "unbekannte Ursache" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "»%s« kann nicht eingebunden und als Programmdatei verwendet werden" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "Quelldatei »%s« wurde bereits eingebunden" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "die dynamische Bibliothek »%s« wurde bereits eingebunden" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "»@include« ist eine gawk-Erweiterung" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "leerer Dateiname nach @include" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "»@load« ist eine gawk-Erweiterung" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "leerer Dateiname nach @load" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "kein Programmtext auf der Kommandozeile" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "die Quelldatei »%s« kann nicht gelesen werden: %s" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "die Quelldatei »%s« ist leer" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "Fehler: ungültiges Zeichen »\\%03o« im Quellcode" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "die Quelldatei hört nicht mit einem Zeilenende auf" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "" "nicht beendeter regulärer Ausdruck (hört mit '\\' auf) am Ende der Datei" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" "%s: %d: der tawk-Modifizierer für reguläre Ausdrücke »/…/%c« funktioniert " "nicht in gawk" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" "Der tawk-Modifizierer für reguläre Ausdrücke »/…/%c« funktioniert nicht in " "gawk" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "nicht beendeter regulärer Ausdruck" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "nicht beendeter regulärer Ausdruck am Dateiende" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "" "die Verwendung von »\\ #…« zur Fortsetzung von Zeilen ist nicht portabel" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "das letzte Zeichen auf der Zeile ist kein Backslash (»\\«)" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "mehrdimensionale Felder sind eine gawk-Erweiterung" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX erlaubt den Operator »%s« nicht" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "das alte awk unterstützt den Operator »%s« nicht" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "nicht beendete Zeichenkette" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "POSIX erlaubt keine harten Zeilenumbrüche in Zeichenkettenwerten" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "" "die Verwendung von »\\« zur Fortsetzung von Zeichenketten ist nicht portabel" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "ungültiges Zeichen »%c« in einem Ausdruck" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "»%s« ist eine gawk-Erweiterung" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX erlaubt »%s« nicht" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "»%s« wird im alten awk nicht unterstützt" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "»goto« gilt für manche als schlechter Stil" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "unzulässige Argumentzahl %d für %s" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "" "%s: eine Zeichenkette als letztes Argument von »substitute« hat keinen Effekt" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "der dritte Parameter von %s ist ein unveränderliches Objekt" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match: das dritte Argument ist eine gawk-Erweiterung" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close: das zweite Argument ist eine gawk-Erweiterung" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "fehlerhafte Verwendung von dcgettext(_\"...\"): \n" "entfernen Sie den führenden Unterstrich" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "fehlerhafte Verwendung von dcngettext(_\"...\"): \n" "entfernen Sie den führenden Unterstrich" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "index: eine Regexp-Konstante als zweites Argument ist unzulässig" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "Funktion »%s«: Parameter »%s« verdeckt eine globale Variable" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "»%s« konnte nicht zum Schreiben geöffnet werden: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "die Liste der Variablen wird auf der Standardfehlerausgabe ausgegeben" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "%s: close ist fehlgeschlagen: %s" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "shadow_funcs() zweimal aufgerufen!" #: awkgram.y:4980 msgid "there were shadowed variables" msgstr "es gab verdeckte Variablen" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "Funktion »%s« wurde bereits definiert" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "" "Funktion »%s«: Funktionsnamen können nicht als Parameternamen verwendet " "werden" #: awkgram.y:5126 #, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" "Funktion »%s«: Parameter »%s«: POSIX verbietet, eine besondere Variable als " "Parameter zu verwenden" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "Funktion »%s«: Parameter »%s« darf keinen Namensraum enthalten" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "Funktion »%s«: Parameter #%d, »%s« wiederholt Parameter #%d" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "aufgerufene Funktion »%s« ist nirgends definiert" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "Funktion »%s« wurde definiert aber nirgends aufgerufen" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "" "Regulärer-Ausdruck-Konstante für Parameter #%d ergibt einen \n" "logischen Wert" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "Funktion »%s« wird mit Leerzeichen zwischen Name und »(« aufgerufen,\n" "oder als Variable oder Feld verwendet" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "Division durch Null wurde versucht" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "Division durch Null versucht in »%%«" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "" "dem Ergebnis eines Feld-Postinkrementausdruck kann kein Wert zugewiesen " "werden" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "Unzulässiges Ziel für eine Zuweisung (Opcode %s)" #: awkgram.y:6266 msgid "statement has no effect" msgstr "Anweisung hat keine Auswirkung" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" "Bezeichner %s: Qualifizierte Namen sind im traditionellen bzw. POSIX-Modus " "nicht erlaubt" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "" "Bezeichner %s: Trennzeichen für Namensräume sind 2 Doppelpunkte, nicht 1" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "der qualifizierte Bezeichner »%s« hat ein falsches Format" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" "Bezeichner »%s«: das Trennzeichen für Namensräume darf nur einmal pro " "qualifiziertem Namen vorkommen" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" "der reservierte Bezeichner »%s« darf nicht als Namensraum verwendet werden" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" "der reservierte Bezeichner »%s« darf nicht als zweite Komponente des " "qualifizierten Namens verwendet werden" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "»@namespace« ist eine gawk-Erweiterung" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" "der Name »%s« des Namensraums muss den Benennungsregeln für Bezeichner " "entsprechen" #: builtin.c:93 builtin.c:100 #, c-format msgid "%s: called with %d arguments" msgstr "%s: wurde mit %d Argumenten aufgerufen" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "%s to \"%s\" fehlgeschlagen: %s" #: builtin.c:129 msgid "standard output" msgstr "Standardausgabe" #: builtin.c:130 msgid "standard error" msgstr "Standardfehleraugabe" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s: das Argument ist keine Zahl" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp: das Argument %g liegt außerhalb des gültigen Bereichs" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "%s: das Argument ist keine Zeichenkette" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: Leeren der Puffer nicht möglich, Pipe »%.*s« ist nur zum Lesen " "geöffnet" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" "fflush: Leeren der Puffer nicht möglich, Datei »%.*s« ist nur zum Lesen " "geöffnet" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush: Der Puffer für die Datei »%.*s« kann nicht geleert werden: %s" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" "fflush: Leeren der Puffer nicht möglich; zweiseitige Pipe »%.*s« hat die " "schreibende Seite geschlossen" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "fflush: »%.*s« ist keine geöffnete Datei, Pipe oder Prozess" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "%s: erstes Argument ist keine Zeichenkette" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "%s: zweites Argument ist keine Zeichenkette" #: builtin.c:595 msgid "length: received array argument" msgstr "length: Argument ist ein Feld" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "»length(array)« ist eine Gawk-Erweiterung" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "%s: Negatives Argument %g" #: builtin.c:698 builtin.c:2949 #, c-format msgid "%s: received non-numeric third argument" msgstr "%s: das dritte Argument ist keine Zahl" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "%s: das zweite Argument ist keine Zahl" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: Länge %g ist nicht >= 1" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: Länge %g ist nicht >= 0" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: nicht ganzzahlige Länge %g wird abgeschnitten" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "" "substr: Länge %g ist zu groß für Stringindizierung, wird auf %g gekürzt" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: Start-Index %g ist ungültig, 1 wird verwendet" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "substr: nicht ganzzahliger Start-Wert %g wird abgeschnitten" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: Quellzeichenkette ist leer" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: Start-Index %g liegt hinter dem Ende der Zeichenkette" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: Länge %g am Start-Index %g überschreitet die Länge des ersten " "Arguments (%lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "strftime: Formatwert in PROCINFO[\"strftime\"] ist numerischen Typs" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "" "strftime: das zweite Argument ist kleiner als 0 oder zu groß für time_t" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "" "strftime: das zweite Argument ist außerhalb des Gültigkeitsbereichs von " "time_t" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: die Format-Zeichenkette ist leer" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "mktime: mindestens einer der Werte ist außerhalb des normalen Bereichs" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "die Funktion »system« ist im Sandbox-Modus nicht erlaubt" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "" "print: Versuch in die geschlossene schreibende Seite einer bidirektionalen " "Pipe zu schreiben" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "Referenz auf das nicht initialisierte Feld »$%d«" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "%s: das erste Argument ist keine Zahl" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: das dritte Argument ist kein Feld" #: builtin.c:1604 #, c-format msgid "%s: cannot use %s as third argument" msgstr "%s: %s kann nicht als drittes Argument verwendet werden" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: das dritte Argument »%.*s« wird als 1 interpretiert" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s: kann indirekt nur mit zwei Argumenten aufgerufen werden" #: builtin.c:2242 msgid "indirect call to gensub requires three or four arguments" msgstr "der indirekte Aufruf von gensub erfordert drei oder vier Argumente" #: builtin.c:2304 msgid "indirect call to match requires two or three arguments" msgstr "der indirekte Aufruf von match erfordert zwei oder drei Argumente" #: builtin.c:2365 #, c-format msgid "indirect call to %s requires two to four arguments" msgstr "der indirekte Aufruf von %s erfordert zwei bis vier Argumente" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): negative Werte sind nicht zulässig" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f): der Nachkommateil wird abgeschnitten" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "" "lshift(%f, %f): Zu große Schiebewerte werden zu merkwürdigen Ergebnissen " "führen" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift (%f, %f): negative Werte sind nicht zulässig" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): der Nachkommateil wird abgeschnitten" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "" "rshift(%f, %f): Zu große Schiebewerte werden zu merkwürdigen Ergebnissen " "führen" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "%s: wird mit weniger als zwei Argumenten aufgerufen" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "%s: das Argument %d ist nicht numerisch" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%s: in Argument %d ist der negative Wert %g unzulässig" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): der negative Wert ist unzulässig" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): der Dezimalteil wird abgeschnitten" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: »%s« ist keine gültige Locale-Kategorie" #: builtin.c:2842 builtin.c:2860 #, c-format msgid "%s: received non-string third argument" msgstr "%s: drittes Argument ist keine Zeichenkette" #: builtin.c:2915 builtin.c:2936 #, c-format msgid "%s: received non-string fifth argument" msgstr "%s: fünftes Argument ist keine Zeichenkette" #: builtin.c:2925 builtin.c:2942 #, c-format msgid "%s: received non-string fourth argument" msgstr "%s: viertes Argument ist keine Zeichenkette" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "intdiv: das dritte Argument ist kein Feld" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "intdiv: Division durch Null wurde versucht" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "typeof: das zweite Argument ist kein Feld" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" "typeof fand die unzulässige Kombination von Kennungen »%s«; Bitte senden Sie " "einen Fehlerbericht" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "typeof: unbekannter Parametertyp »%s«" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "" "im Spielwiesenmodus kann die neue Datei (%.*s) nicht zu ARGV hinzugefügt " "werden" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "Geben Sie (g)awk-Anweisungen ein, und zum Abschluss »end«\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "ungültige Frame-Nummer: %d" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "info: ungültige Option - »%s«" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "Quelldatei »%s«: wurde bereits eingelesen" #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "save »%s«: unzulässiger Befehl" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" "Der Befehl »commands« kann nicht für Break- bzw. Watchpoints verwendet werden" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "es wurden noch keine Break-/Watchpoints gesetzt" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "ungültige Nummer des Break-/Watchpoints" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "" "Geben Sie die Befehle ein, die bei Erreichen von %s %d ausgeführt werden " "sollen, einen pro Zeile.\n" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "Beenden Sie die Eingabe mit dem Befehl »end«\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "»end« ist nur innerhalb der Befehle »commands« oder »eval« zulässig" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "»silent« ist nur innerhalb des Befehls »commands« zulässig" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "trace: ungültige Option - »%s«" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "condition: unzulässige Nummer für Break-/Watchpoint" #: command.y:452 msgid "argument not a string" msgstr "das Argument ist keine Zeichenkette" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "option: ungültiger Parameter - »%s«" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "unbekannte Funktion - »%s«" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "enable: ungültige Option - »%s«" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "ungültige Bereichsangabe: %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "nichtnumerischer Wert als Feldnummer" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "nichtnumerischer Wert, wo ein numerischer erwartet wurde" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "ganzzahliger Wert ungleich Null" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" "backtrace [N] - log von allen oder den N innersten (äußersten wenn N < 0) " "Rahmen" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "" "break [[Dateiname:]N|Funktion] - Haltepunkt an der angegebenen Stelle setzen" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "clear [[Dateiname:]N|Funktion] - zuvor gesetzte Haltepunkte löschen" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" "commands [Nr] - startet eine Liste von Befehlen, die bei Erreichen eines " "Halte- bzw. Beobachtungspunkts ausgeführt werden" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" "condition Nr [Ausdruck] - Bedingungen für einen Halte-/Beobachtungspunkt " "setzen oder löschen" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "continue [ANZAHL] - zu debuggendes Programm fortsetzen" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "delete [Breakpoints] [Bereich] - angegebene Haltepunkte entfernen" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "disable [Haltepunkte] [Bereich] - angegebene Haltepunkte deaktivieren" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "display [Var] - den Wert der Variablen bei jedem Programmstop ausgeben" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "down [N] - N Rahmen nach unten im Stack gehen" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "" "dump [Dateiname] - Befehle in eine Datei oder auf der Standardausgabe " "ausgeben" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" "enable [once|del] [Haltepunkte] [Bereich] - die angegebenen Haltepunkte " "aktivieren" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "end - eine Liste von Befehlen oder AWK-Anweisungen beenden" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "eval stmt|[p1, p2, ...] - AWK-Ausdrücke auswerten" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "exit - (dasselbe wie quit) Debugger verlassen" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "" "finish - mit Ausführung fortfahren, bis der angegebene Rahmen verlassen wird" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "frame [N] - den Stackrahmen Nummer N auswählen und ausgeben" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "" "help [Befehl] - Liste der Befehle oder die Beschreibung eines einzelnen " "Befehls ausgeben" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "" "ignore N Anzahl - den Ignorieren-Zähler von Haltepunkt N auf Anzahl setzen" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info Thema - source|sources|variables|functions|break|frame|args|locals|" "display|watch" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "" "list [-|+|[Dateiname:]Zeilennr|Funktion|Breich] - die angegebenen Zeilen " "ausgeben" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "" "next [Anzahl] - Programm schrittweise ausführen, aber Subroutinen in einem " "Rutsch ausführen" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" "nexti [Anzahl] - einen Befehl abarbeiten, aber Subroutinen in einem Rutsch " "ausführen" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "option [Name[=Wert]] - Debuggeroptionen setzen oder anzeigen" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "print Var [Var] - den Wert einer Variablen oder eines Feldes ausgeben" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "printf Format, [Arg], ... - formatierte Ausgabe" #: command.y:872 msgid "quit - exit debugger" msgstr "quit - Debugger verlassen" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "" "return [Wert] - den ausgewählten Stapelrahmen zu seinem Aufrufer " "zurückkehren lassen" #: command.y:876 msgid "run - start or restart executing program" msgstr "run - Programm erstmals oder erneut ausführen" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "save Dateiname - Befehle der Sitzung in einer Datei sichern" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "set Var = Wert - einer skalaren Variablen einen Wert zuweisen" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" "silent - unterdrückt die übliche Nachricht, wenn ein Halte- bzw. " "Beobachtungspunkt erreicht wird" #: command.y:886 msgid "source file - execute commands from file" msgstr "source Datei - die Befehle aus der Datei ausführen" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" "step [Anzahl] - Programm schrittweise ausführen, bis es eine andere Zeile " "des Quellcodes erreicht" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [Anzahl] - genau einen Befehl ausführen" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "tbreak [[Dateiname:]N|Funktion] - einen temporären Haltepunkt setzen" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "trace on|off - Instruktionen vor der Ausführung ausgeben" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "" "undisplay [N] - Variablen von der Liste der automatisch anzuzeigenden " "entfernen" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" "until [[Dateiname:]N|Funktion - ausführen, bis das Programm eine andere " "Zeile erreicht oder Zeile N im aktuellen Rahmen" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [N] - Variablen von der Beobachtungsliste löschen" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "up [N] - N Rahmen im Kellerspeicher nach oben gehen" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "watch Var - einen Beobachtungspunkt für eine Variable setzen" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "where [N] - (dasselbe wie backtrace) Spur von allen oder den N innersten " "(oder äußersten, wenn N < 0) Stapelrahmen ausgeben" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "Fehler: " #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "der Befehl kann nicht gelesen werden: %s\n" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "der Befehl kann nicht gelesen werden: %s" #: command.y:1126 msgid "invalid character in command" msgstr "ungültiges Zeichen im Befehl" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "unbekannter Befehl – »%.*s«, versuchen Sie es mit »help«" #: command.y:1294 msgid "invalid character" msgstr "ungültiges Zeichen" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "undefinierter Befehl: %s\n" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "" "die Anzahl von Zeilen setzen oder anzeigen, die in der Verlaufsdatei " "gespeichert werden sollen" #: debug.c:259 msgid "set or show the list command window size" msgstr "die Größe des Fensters für den Befehl list setzen oder anzeigen" #: debug.c:261 msgid "set or show gawk output file" msgstr "die gawk-Ausgabedatei festlegen oder anzeigen" #: debug.c:263 msgid "set or show debugger prompt" msgstr "den Debugger-Prompt festlegen oder anzeigen" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "" "das Sichern der Befehlshistorie (rück)setzen oder anzeigen (on oder off)" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "das Sichern der Optionen (rück)setzen oder anzeigen (on oder off)" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "" "das Verfolgen von Instruktionen (rück)setzen oder anzeigen (on oder off)" #: debug.c:358 msgid "program not running" msgstr "das Programm läuft gerade nicht" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "die Quelldatei »%s« ist leer.\n" #: debug.c:502 msgid "no current source file" msgstr "keine aktuelle Quelldatei" #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "die Quelldatei »%s« kann nicht gefunden werden: %s" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "" "Warnung: Quelldatei »%s« wurde seit der Programmübersetzung verändert.\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "" "die Zeilennummer %d ist außerhalb des gültigen Bereichs: »%s« hat %d Zeilen" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "unerwartetes Dateiende beim Lesen von Datei »%s«, Zeile %d" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "Quelldatei »%s« wurde seit dem Start des Programmes verändert" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "Derzeitige Quelldatei: %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "Anzahl von Zeilen: %d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "Quelldatei (Zeilen): %s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "Nummer Anz. Aktiv Ort\n" "\n" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "\tAnzahl Treffer = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "\tdie nächsten %ld Treffer\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "\tHaltebedingung: %s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "\tBefehle:\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "Derzeitiger Stapelrahmen: " #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "Aufgerufen aus Rahmen: " #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "Aufrufer des Rahmens: " #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "Keine in main().\n" #: debug.c:870 msgid "No arguments.\n" msgstr "Keine Argumente.\n" #: debug.c:871 msgid "No locals.\n" msgstr "Keine lokalen.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "Alle definierten Variablen:\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "Alle definierten Funktionen:\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "Auto-Anzeige-Variablen:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "Zu überwachende Variablen:\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "im aktuellen Kontext gibt es kein Symbol mit Namen »%s«\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "»%s« ist kein Feld\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = nicht initialisiertes Feld\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "Das Feld »%s« ist leer\n" #: debug.c:1184 debug.c:1236 #, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "Index [\"%.*s\"] ist in Feld »%s« nicht vorhanden\n" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "»%s[\"%.*s\"]« ist kein Feld\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "»%s« ist keine skalare Variable" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "Versuch, das Feld »%s[\"%.*s\"]« in einem Skalarkontext zu verwenden" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "Versuch, den Skalar »%s[\"%.*s\"]« als Feld zu verwenden" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "»%s« ist eine Funktion" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "Watchpoint %d ist bedingungslos\n" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "kein anzuzeigendes Element mit Nummer %ld" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "kein zu beobachtendes Element mit Nummer %ld" #: debug.c:1596 #, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d: Index [\"%.*s\"] ist in Feld »%s« nicht vorhanden\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "Es wird versucht, einen Skalar als Feld zu verwenden" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "" "Watchpoint %d wurde gelöscht, weil der Parameter außerhalb des " "Gültigkeitsbereichs ist.\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "" "Anzuzeigendes Element %d wurde gelöscht, weil der Parameter außerhalb des " "Gültigkeitsbereichs ist.\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr " in Datei »%s«, Zeile %d\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr " bei »%s«:%d" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "#%ld\tin " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "Weitere Stapelrahmen folgen ...\n" #: debug.c:2092 msgid "invalid frame number" msgstr "ungültige Rahmennummer" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Hinweis: Breakpont %d (aktiv, ignoriert für die nächsten %ld Treffer) wird " "auch an %s:%d gesetzt" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "Hinweis: Breakpont %d (aktiv) wird auch an %s:%d gesetzt" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Hinweis: Breakpoint %d (inaktiv, ignoriert für die nächsten %ld Treffer) " "wird auch von %s:%d gesetzt" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "Hinweis: Breakpont %d (inaktiv) wird auch an %s:%d gesetzt" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "Breakpont %d wird auf Datei %s, Zeile %d gesetzt\n" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "In Datei »%s« kann kein Breakpoint gesetzt werden\n" #: debug.c:2444 #, c-format msgid "line number %d in file `%s' is out of range" msgstr "Zeilennummer %d in Datei »%s« liegt außerhalb des gültigen Bereichs" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "Interner Fehler: Regel wurde nicht gefunden\n" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "In »%s«:%d kann kein Breakpoint gesetzt werden\n" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "In Funktion »%s« kann kein Breakpoint gesetzt werden\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "Breakpoint %d in Datei »%s« Zeile %d ist bedingungslos\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "Zeile Nummer %d in Datei »%s« liegt außerhalb des gültigen Bereichs" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "Breakpoint %d wurde gelöscht" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "Am Beginn von Funktion »%s« gibt es keine Breakpoints\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "Bei Datei »%s« Zeile %d gibt es keine Breakpoints\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "Ungültige Breakpoint-Nummer" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "Alle Breakpoints löschen? (j oder n) " #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "j" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "" "Die nächsten %ld Überschreitungen von Breakpoint %d werden ignoriert.\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "Wenn Breakpoint %d das nächste Mal erreicht wird, wird angehalten.\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "" "Es können nur Programme untersucht werden, die mittels der Option »-f« " "übergeben wurden.\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "Wird neu gestartet …\n" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "Der Debugger konnte nicht neu gestartet werden" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "Das Programm läuft bereits. Neu starten (j/n)? " #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "Das Programm wurde nicht neu gestartet\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "Fehler: Neustart nicht möglich, da die Operation verboten ist\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "" "Fehler (%s): Neustart nicht möglich, der Rest der Befehle wird ignoriert\n" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "Das Programm wird gestartet:\n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "Das Programm endete nicht normal mit dem Rückgabewert: %d\n" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "Das Programm endete normal mit dem Rückgabewert: %d\n" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "Das Prgramm läuft. Trotzdem beenden (j/n) " #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "Es wird an keinem Breakpoint gestoppt; das Argument wird ignoriert.\n" #: debug.c:3091 #, c-format msgid "invalid breakpoint number %d" msgstr "ungültige Haltepunktnummer %d" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "" "Die nächsten %ld Überschreitungen von Breakpoint %d werden ignoriert.\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "»finish« hat in main() des äußersten Rahmens keine Bedeutung\n" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "Laufen bis zur Rückkehr von " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "»return« hat in main() des äußersten Rahmens keine Bedeutung\n" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "Die angegebene Stelle in Funktion »%s« kann nicht gefunden werden\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "ungültige Quellzeilennummer %d in Datei »%s«" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "Die Stelle %d in Datei »%s« wurde nicht gefunden\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "Das Element ist kein Feld\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "untypisierte Variable\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "Stopp in %s ...\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "»finish« hat bei dem nichtlokalen Sprung »%s« keine Bedeutung\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "»finish« hat bei dem nichtlokalen Sprung »%s« keine Bedeutung\n" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "" "\t------ [Eingabe] um fortzufahren oder [q] + [Eingabe] zum Beenden ------" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%.*s\"] ist in Feld »%s« nicht vorhanden" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "Ausgabe wird an die Standardausgabe geschickt\n" #: debug.c:5449 msgid "invalid number" msgstr "ungültige Zahl" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "" "»%s« ist im aktuellen Kontext nicht zulässig; die Anweisung wird ignoriert" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "" "»return« ist im aktuellen Kontext nicht zulässig; die Anweisung wird " "ignoriert" #: debug.c:5639 #, c-format msgid "fatal error during eval, need to restart.\n" msgstr "Fataler Fehler beim Auswerten, Neustart erforderlich.\n" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "im aktuellen Kontext gibt es kein Symbol mit Namen »%s«" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "unbekannter Knotentyp %d" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "unbekannter Opcode %d" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "Opcode %s ist weder ein Operator noch ein Schlüsselwort" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "Pufferüberlauf in genflags2str" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# Funktions-Aufruf-Stapel\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "»IGNORECASE« ist eine gawk-Erweiterung" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "»BINMODE« ist eine gawk-Erweiterung" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "BINMODE Wert »%s« ist ungültig und wird als 3 behandelt" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "Falsche »%sFMT«-Angabe »%s«" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "»--lint« wird abgeschaltet, da an »LINT« zugewiesen wird" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "Referenz auf nicht initialisiertes Argument »%s«" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "Referenz auf die nicht initialisierte Variable »%s«" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "nicht numerischer Wert für Feldreferenz verwendet" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "Referenz auf ein Feld von einem Null-String" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "Versuch des Zugriffs auf Feld %ld" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "Referenz auf das nicht initialisierte Feld »$%ld«" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "Funktion »%s« mit mehr Argumenten aufgerufen als in der Deklaration" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: unerwarteter Typ »%s«" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "Division durch Null versucht in »/=«" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "Division durch Null versucht in »%%=«" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "Erweiterungen sind im Spielwiesenmodus nicht erlaubt" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "-l / @load sind gawk-Erweiterungen" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext: NULL lib_name erhalten" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext: Bibliothek »%s« kann nicht geöffnet werden: %s" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "" "load_ext: Bibliothek »%s«: definiert »plugin_is_GPL_compatible« nicht: %s" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "" "load_ext: Bibliothek »%s«: Funktion »%s« kann nicht aufgerufen werden: %s" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "" "load_ext: die Initialisierungsroutine %2$s von Bibliothek »%1$s« ist " "fehlgeschlagen" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin: Funktionsname fehlt" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "" "make_builtin: die in gawk eingebaute Funktion »%s« kann nicht als " "Funktionsname verwendet werden" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" "make_builtin: die in gawk eingebaute Funktion »%s« kann nicht als " "Namensraumname verwendet werden" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin: Funktion »%s« kann nicht neu definiert werden" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin: Funktion »%s« wurde bereits definiert" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin: Funktion »%s« wurde bereits vorher definiert" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin: negative Anzahl von Argumenten für Funktion »%s«" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "" "Funktion »%s«: Argument #%d: Versuch, einen Skalar als Feld zu verwenden" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "Funktion »%s«: Argument #%d: Versuch, ein Feld als Skalar zu verwenden" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "das dynamische Laden von Bibliotheken wird nicht unterstützt" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "stat: die symbolische Verknüpfung »%s« kann nicht gelesen werden" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "stat: das erste Argument ist keine Zeichenkette" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "stat: das zweite Argument ist kein Feld" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stat: ungültige Parameter" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "fts_init: Variable %s konnte nicht angelegt werden" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "fts wird auf diesem System nicht unterstützt" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element: nicht genug Speicher, um ein Feld anzulegen" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element: das Element konnte nicht gesetzt werden" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element: das Element konnte nicht gesetzt werden" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element: das Element konnte nicht gesetzt werden" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts-process: das Feld konnte nicht angelegt werden" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts-process: das Element konnte nicht gesetzt werden" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "fts: Aufruf mit falscher Anzahl an Argumenten, es werden 3 erwartet" #: extension/filefuncs.c:853 msgid "fts: first argument is not an array" msgstr "fts: das erste Argument ist kein Feld" #: extension/filefuncs.c:859 msgid "fts: second argument is not a number" msgstr "fts: das zweite Argument ist keine Zahl" #: extension/filefuncs.c:865 msgid "fts: third argument is not an array" msgstr "fts: das dritte Argument ist kein Feld" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts: Feld konnte nicht flachgemacht werden\n" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "" "fts: die heimtückische Kennung FTS_NOSTAT wird ignoriert, ätsch bätsch." #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch: Das erste Argument konnte nicht gelesen werden" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch: Das zweite Argument konnte nicht gelesen werden" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch: Das dritte Argument konnte nicht gelesen werden" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "fnmatch ist auf diesem System nicht implementiert\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "" "fnmatch_init: eine FNM_NOMATCH-Variable konnte nicht hinzugefügt werden" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "fnmatch_init: das Feldelement %s konnte nicht initialisiert werden" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "fnmatch init: das FNM-Feld konnte nicht installiert werden" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork: PROCINFO ist kein Feld!" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "inplace::begin: direktes Editieren ist bereits aktiv" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "inplace::begin: erwartet 2 Argumente, aber wurde mit %d aufgerufen" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "inplace::begin: das erste Argument ist kein Dateiname" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" "inplace::begin: direktes Editieren wird deaktiviert wegen des ungültigen " "Dateinamens »%s«" #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "inplace::begin: Status von »%s« kann nicht ermittelt werden (%s)" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "inplace::begin: »%s« ist keine reguläre Datei" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace::begin: mkstemp(»%s«) ist fehlgeschlagen (%s)" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace::begin:: chmod ist fehlgeschlagen (%s)" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace::begin: dup(stdout) ist fehlgeschlagen (%s)" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace::begin: dup2(%d, stdout) ist fehlgeschlagen (%s)" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace::begin: close(%d) ist fehlgeschlagen (%s)" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "inplace::end: 2 Argumente erwartet, wurde aber mit %d aufgerufen" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "inplace::end: das erste Argument ist kein Dateiname" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "inplace::end: direktes Editieren ist nicht aktiv" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace::end: dup2(%d, stdout) ist fehlgeschlagen (%s)" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace::end: close(%d) ist fehlgeschlagen (%s)" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace::end: fsetpos(stdout) ist fehlgeschlagen (%s)" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace::end: link(»%s«, »%s«) ist fehlgeschlagen (%s)" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace::end: rename(»%s«, »%s«) ist fehlgeschlagen (%s)" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "ord: das erste Argument ist keine Zeichenkette" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "chr: das erste Argument ist keine Zahl" #: extension/readdir.c:291 #, c-format msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "dir_take_control_of: %s: opendir/fdopendir ist fehlgeschlagen: %s" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "readfile: Aufruf mit der falschen Art von Argument" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput: die Variable REVOUT konnte nicht initialisiert werden" #: extension/rwarray.c:145 extension/rwarray.c:548 #, c-format msgid "%s: first argument is not a string" msgstr "%s: das erste Argument ist keine Zeichenkette" #: extension/rwarray.c:189 msgid "writea: second argument is not an array" msgstr "writea: das zweite Argument ist kein Feld" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "writeall: das Feld SYMTAB kann nicht gefunden werden" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "write_array: das Feld konnte nicht flachgemacht werden" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "write_array: das flachgemachte Feld konnte nicht freigegeben werden" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "Der Wert im Feld hat den unbekannten Typ %d" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" "rwarray-Erweiterung: GMP/MPFR-Wert erhalten, wurde jedoch ohne Unterstützung " "für GMP/MPFR compiliert." #: extension/rwarray.c:437 #, c-format msgid "cannot free number with unknown type %d" msgstr "Zahl mit unbekanntem Typ %d kann nicht freigegeben werden" #: extension/rwarray.c:442 #, c-format msgid "cannot free value with unhandled type %d" msgstr "Zahl mit unbehandeltem Typ %d kann nicht freigegeben werden" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "readall: Fehler beim Festlegen von %s::%s" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "readall: Fehler beim Festlegen von %s" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "reada: clear_array ist fehlgeschlagen" #: extension/rwarray.c:611 msgid "reada: second argument is not an array" msgstr "do_reada: das zweite Argument ist kein Feld" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "read_array: set_array_element ist fehlgeschlagen" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "" "Der wiederhergestellte Wert mit dem unbekannten Typcode %d wird als " "Zeichenkette behandelt" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" "rwarray-Erweiterung: GMP/MPFR-Wert in der Datei, wurde aber ohne GMP/MPFR-" "Unterstützung kompiliert." #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday: wird auf dieser Plattform nicht unterstützt" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep: das erforderliche numerische Argument fehlt" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep: das Argument ist negativ" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep: wird auf dieser Plattform nicht unterstützt" #: extension/time.c:232 msgid "strptime: called with no arguments" msgstr "strptime: Aufruf ohne Argumente" #: extension/time.c:240 #, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "do_strptime: Argument 1 ist keine Zeichenkette\n" #: extension/time.c:245 #, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "do_strptime: Argument 2 ist keine Zeichenkette\n" #: field.c:321 msgid "input record too large" msgstr "Der Eingabe-Datensatz ist zu groß" #: field.c:443 msgid "NF set to negative value" msgstr "NF wird ein negativer Wert zugewiesen" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "Die Variable NF kann in vielen AWK-Versionen nicht vermindert werden" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "" "Der Zugriff auf Felder aus einer END-Regel heraus ist möglicherweise nicht " "portabel" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split: das vierte Argument ist eine gawk-Erweiterung" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split: das vierte Argument ist kein Feld" #: field.c:1138 field.c:1240 #, c-format msgid "%s: cannot use %s as fourth argument" msgstr "%s: %s kann nicht als viertes Argument verwendet werden" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: das zweite Argument ist kein Feld" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "" "split: als zweites und viertes Argument kann nicht das gleiche Feld " "verwendet werden" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "" "split: Ein Teilfeld des zweiten Arguments kann nicht als viertes Argument " "verwendet werden" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "" "split: Ein Teilfeld des vierten Arguments kann nicht als zweites Argument " "verwendet werden" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "" "split: Null-String als drittes Argument ist eine nicht standardisierte " "Erweiterung" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: Das vierte Argument ist kein Feld" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: Das zweite Argument ist kein Feld" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit: Das dritte Argument darf nicht Null sein" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "" "patsplit: als zweites und viertes Argument kann nicht das gleiche Feld " "verwendet werden" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" "patsplit: Ein Teilfeld des zweiten Arguments kann nicht als viertes Argument " "verwendet werden" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" "patsplit: Ein Teilfeld des vierten Arguments kann nicht als zweites Argument " "verwendet werden" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "Zuweisung zu FS/FIELDWIDTHS/FPAT hat bei --csv keine Auswirkung" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "»FIELDWIDTHS« ist eine gawk-Erweiterung" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "»*« muss der letzte Bezeichner in FIELDWIDTHS sein" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "ungültiger FIELDWIDTHS-Wert für Feld %d, nah bei »%s«" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "Null-String für »FS« ist eine gawk-Erweiterung" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "Das alte awk unterstützt keine regulären Ausdrücke als Wert von »FS«" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "»FPAT« ist eine gawk-Erweiterung" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node: Rückgabewert Null erhalten" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "awk_value_to_node: nicht im MPFR-Modus" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "awk_value_to_node: MPFR wird nicht unterstützt" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node: ungültiger Zahlentyp »%d«" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "add_ext_func: NULL name_space erhalten" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" "node_to_awk_value: unzulässige Kombination »%s« von Zahlenkennungen; Bitte " "senden Sie einen Fehlerbericht" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value: Null-Knoten erhalten" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value: Null-Wert erhalten" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" "node_to_awk_value fand die ungültige Kombination von Schaltern »%s«: Bitte " "senden Sie einen Fehlerbericht" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element: Null-Feld erhalten" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element: Null-Index erhalten" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "" "api_flatten_array_typed: Index %d konnte nicht in %s umgewandelt werden" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "api_flatten_array_typed: Wert %d konnte nicht in %s umgewandelt werden" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "api_get_mpfr: MPFR wird nicht unterstützt" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "Das Ende der Regel BEGINFILE ist unauffindbar" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "Der unbekannte Dateityp »%s« kann nicht für »%s« geöffnet werden" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "" "das Kommandozeilen-Argument »%s« ist ein Verzeichnis: wird übersprungen" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "Die Datei »%s« kann nicht zum Lesen geöffnet werden: %s" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "Das Schließen des Dateideskriptors %d (»%s«) ist fehlgeschlagen: %s" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "»%.*s« wird sowohl als Eingabe- als auch als Ausgabedatei verwendet" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "" "»%.*s« wird sowohl als Eingabedatei als auch als Eingaberöhre verwendet" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "" "»%.*s« wird sowohl als Eingabedatei als auch als Zweiwegeröhre verwendet" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "" "»%.*s« wird sowohl als Eingabedatei als auch als Ausgaberöhre verwendet" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "Unnötige Kombination von »>« und »>>« für Datei »%.*s«" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "" "»%.*s« wird sowohl als Eingaberöhre als auch als Ausgabedatei verwendet" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "" "»%.*s« wird sowohl als Ausgabedatei als auch als Ausgaberöhre verwendet" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "" "»%.*s« wird sowohl als Ausgabedatei als auch als Zweiwegeröhre verwendet" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "»%.*s« wird sowohl als Eingabe- als auch als Ausgaberöhre verwendet" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "" "»%.*s« wird sowohl als Eingaberöhre als auch als Zweiwegeröhre verwendet" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "" "»%.*s« wird sowohl als Ausgaberöhre als auch als Zweiwegeröhre verwendet" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "Umlenkungen sind im Spielwiesenmodus nicht erlaubt" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "Der Ausdruck in einer Umlenkung mittels »%s« ist eine Zahl" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "Der Ausdruck für eine Umlenkung mittels »%s« ist ein leerer String" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "Der Dateiname »%.*s« für eine Umlenkung mittels »%s« kann das Ergebnis eines " "logischen Ausdrucks sein" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "get_file kann die Pipe »%s« mit fd %d nicht erzeugen" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "Die Pipe »%s« kann nicht für die Ausgabe geöffnet werden: %s" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "Die Pipe »%s« kann nicht für die Eingabe geöffnet werden: %s" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" "Die Erzeugung eines Sockets mittels get_file für »%s« mit fd %d wird auf " "dieser Plattform nicht unterstützt" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "" "Die bidirektionale Pipe »%s« kann nicht für die Ein-/Ausgabe geöffnet " "werden: %s" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "Von »%s« kann nicht umgelenkt werden: %s" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "Zu »%s« kann nicht umgelenkt werden: %s" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "Die Systemgrenze offener Dateien ist erreicht, daher werden nun " "Dateideskriptoren mehrfach verwendet" #: io.c:1221 #, c-format msgid "close of `%s' failed: %s" msgstr "Fehler beim Schließen von »%s«: %s" #: io.c:1229 msgid "too many pipes or input files open" msgstr "Zu viele Pipes oder Eingabedateien offen" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: Das zweite Argument muss »to« oder »from« sein" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "close: »%.*s« ist weder offene Datei, noch Pipe oder Ko-Prozess" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "»close« für eine Umlenkung, die nie geöffnet wurde" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close: Umlenkung »%s« wurde nicht mit »|&« geöffnet, das zweite Argument " "wird ignoriert" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "Fehlerstatus (%d) beim Schließen der Pipe »%s«: %s" #: io.c:1400 #, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "Fehlerstatus (%d) beim Schließen der Röhre »%s«: %s" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "Fehlerstatus (%d) beim Schließen der Datei »%s«: %s" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "Das explizite Schließen des Sockets »%s« fehlt" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "Das explizite Schließen des Ko-Prozesses »%s« fehlt" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "Das explizite Schließen der Pipe »%s« fehlt" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "Das explizite Schließen der Datei »%s« fehlt" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "fflush: die Standardausgabe kann nicht geleert werden: %s" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "fflush: die Standardfehlerausgabe kann nicht geleert werden: %s" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "Fehler beim Schreiben auf die Standardausgabe: %s" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "Fehler beim Schreiben auf die Standardfehlerausgabe: %s" #: io.c:1513 #, c-format msgid "pipe flush of `%s' failed: %s" msgstr "Das Leeren der Röhre »%s« ist fehlgeschlagen: %s" #: io.c:1516 #, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "Ko-Prozess: Das Leeren der Röhre zu »%s« ist fehlgeschlagen: %s" #: io.c:1519 #, c-format msgid "file flush of `%s' failed: %s" msgstr "Das Leeren der Datei »%s« ist fehlgeschlagen: %s" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "Der lokale Port »%s« ist ungültig in »/inet«: %s" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "Der lokale Port »%s« ist ungültig in »/inet«" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "Die Angaben zu entferntem Host und Port (%s, %s) sind ungültig: %s" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "Die Angaben zu entferntem Host und Port (%s, %s) sind ungültig" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "TCP/IP-Verbindungen werden nicht unterstützt" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "»%s« konnte nicht geöffnet werden, Modus »%s«" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "" "Das Schließen der übergeordneten Terminal-Gerätedatei ist fehlgeschlagen: %s" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "" "Das Schließen der Standardausgabe im Kindprozess ist fehlgeschlagen: %s" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "" "Das Verschieben der untergeordneten Terminal-Gerätedatei zur Standardausgabe " "im Kindprozess ist fehlgeschlagen (dup: %s)" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "Schließen von stdin im Kindprozess fehlgeschlagen: %s" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "" "Das Verschieben der untergeordneten Terminal-Gerätedatei zur Standardeingabe " "im Kindprozess ist fehlgeschlagen (dup: %s)" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "" "Das Schließen der untergeordneten Terminal-Gerätedatei ist fehlgeschlagen: %s" #: io.c:2317 msgid "could not create child process or open pty" msgstr "Kindprozess konnte nicht erzeugt oder Terminal nicht geöffnet werden" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "" "Das Verschieben der Pipe zur Standardausgabe im Kindprozess ist " "fehlgeschlagen (dup: %s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "" "Das Verschieben der Pipe zur Standardeingabe im Kindprozess ist " "fehlgeschlagen (dup: %s)" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "" "Das Wiederherstellen der Standardausgabe im Elternprozess ist fehlgeschlagen" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "" "Das Wiederherstellen der Standardeingabe im Elternprozess ist fehlgeschlagen" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "Das Schließen der Pipe ist fehlgeschlagen: %s" #: io.c:2534 msgid "`|&' not supported" msgstr "»|&« wird nicht unterstützt" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "Pipe »%s« kann nicht geöffnet werden: %s" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "Kindprozess für »%s« kann nicht erzeugt werden (fork: %s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "" "getline: es wird versucht, vom geschlossenen lesenden Ende einer " "bidirektionalen Pipe zu lesen" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser: NULL-Zeiger erhalten" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" "Eingabeparser »%s« steht im Konflikt mit dem vorher installierten " "Eingabeparser »%s«" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "Eingabeparser »%s« konnte »%s« nicht öffnen" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_wrapper: NULL-Zeiger erhalten" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "Ausgabeverpackung »%s« steht im Konflikt mit Ausgabeverpackung »%s«" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "Ausgabeverpackung »%s« konnte »%s« nicht öffnen" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor: NULL-Zeiger erhalten" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "Zweiwegeprozessor »%s« steht im Konflikt mit Zweiwegeprozessor »%s«" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "Zweiwegeprozessor »%s« konnte »%s« nicht öffnen" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "Die Datei »%s« ist leer" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "Es konnte kein weiterer Speicher für die Eingabe beschafft werden" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "Zuweisung zu RS hat bei --cvs keine Auswirkung" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "Multicharacter-Wert von »RS« ist eine gawk-Erweiterung" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "IPv6-Verbindungen werden nicht unterstützt" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" "gawk_popen_write: Pipe-Dateideskriptor konnte nicht auf stdin verschoben " "werden" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "" "Die Umgebungsvariable »POSIXLY_CORRECT« ist gesetzt: »--posix« wird " "eingeschaltet" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "»--posix« hat Vorrang vor »--traditional«" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "»--posix« /»--traditional« hat Vorrang vor »--non-decimal-data«" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "»--posix« hat Vorrang vor »--characters-as-bytes«" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "»--posix« und »--csv« können nicht kombiniert werden" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "%s als setuid root auszuführen kann zu Sicherheitsproblemen führen" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "Die Optionen »-r/--re-interval« haben keine Auswirkung mehr" #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "" "Das Setzen des Binärmodus für die Standardeingabe ist nicht möglich: %s" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "" "Das Setzen des Binärmodus für die Standardausgabe ist nicht möglich: %s" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "" "Das Setzen des Binärmodus für die Standardfehlerausgabe ist nicht möglich: %s" #: main.c:483 msgid "no program text at all!" msgstr "Es wurde überhaupt kein Programmtext angegeben!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "Aufruf: %s [POSIX- oder GNU-Optionen] -f Programm [--] Datei ...\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "Aufruf: %s [POSIX- oder GNU-Optionen] -- %cProgramm%c Datei ...\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "POSIX-Optionen\t\tlange GNU-Optionen: (standard)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f Programm\t\t--file=Programm\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F Feldtrenner\t\t\t--field-separator=Feldtrenner\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "\t-v var=Wert\t\t--assign=var=Wert\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "POSIX-Optionen\t\tGNU-Optionen (lang): (Erweiterungen)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d [Datei]\t\t--dump-variables[=Datei]\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-D[Datei]\t\t--debug[=Datei]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e 'Programmtext'\t--source=Programmtext\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E Datei\t\t\t--exec=Datei\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "\t-i einzubindende_Datei\t\t--include=einzubindende_Datei\n" #: main.c:602 msgid "\t-I\t\t\t--trace\n" msgstr "\t-I\t\t\t--trace\n" #: main.c:603 msgid "\t-k\t\t\t--csv\n" msgstr "\t-k\t\t\t--csv\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "\t-l Bibliothek\t\t--load=Bibliothek\n" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "\t-M\t\t\t--bignum\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-o[Datei]\t\t--pretty-print[=Datei]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p [Datei]\t\t--profile[=Datei]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-s\t\t\t--no-optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "\t-Z Regionsname\t\t--locale=Regionsname\n" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "Zum Berichten von Fehlern nutzen Sie bitte das Programm »gawkbug«.\n" "Die vollständige Anleitung finden Sie unter dem Punkt »Bugs«\n" "in »gawk.info«, den Sie als Kapitel »Reporting Problems and Bugs«\n" "in der gedruckten Version finden, alternativ auch unter der Adresse\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "\n" "Bitte melden Sie Fehler NICHT über die Newsgruppe comp.lang.awk,\n" "und auch NICHT über ein Webforum wie Stack Overflow.\\\n" "\n" "Fehler in der Übersetzung senden Sie bitte als E-Mail an\n" "translation-team-de@lists.sourceforge.net.\n" "\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" "Den Quellcode für gawk finden Sie unter\n" "%s/gawk-%s.tar.gz\n" "\n" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk ist eine Sprache zur Suche nach und dem Verarbeiten von Mustern.\n" "Normalerweise liest das Programm von der Standardeingabe und gibt\n" "auf der Standardausgabe aus.\n" "\n" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "Beispiele:\n" "\t%s '{ summe += $1 }; END { print summe }' Datei\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Copyright © 1989, 1991-%d Free Software Foundation.\n" "\n" "Dieses Programm ist Freie Software. Sie können es unter den Bedingungen\n" "der von der Free Software Foundation veröffentlichten GNU \n" "General Public License weitergeben und/oder ändern.\n" "Es gilt Version 3 dieser Lizenz oder (nach Ihrer Wahl) irgendeine\n" "spätere Version.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "Dieses Programm wird weitergegeben in der Hoffnung, dass es nützlich ist,\n" "aber OHNE JEDE GEWÄHRLEISTUNG; nicht einmal mit der impliziten Gewähr-\n" "leistung einer HANDELBARKEIT oder der EIGNUNG FÜR EINEN BESTIMMTEN ZWECK.\n" "Sehen Sie bitte die GNU General Public License für weitere Details.\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "Sie sollten eine Kopie der GNU General Public License zusammen mit\n" "diesem Programm erhalten haben. Wenn nicht, lesen Sie bitte\n" "http://www.gnu.org/licenses/.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "-Ft setzt FS im POSIX-awk nicht auf Tab" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: Argument »%s« von »-v« ist nicht in der Form »Variable=Wert«\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "»%s« ist kein gültiger Variablenname" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "»%s« ist kein Variablenname, es wird nach der Datei »%s=%s« gesucht" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "" "die eingebaute Funktion »%s« kann nicht als Variablenname verwendet werden" # c-format #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "Funktion »%s« kann nicht als Variablenname verwendet werden" #: main.c:1294 msgid "floating point exception" msgstr "Gleitkomma-Ausnahme" #: main.c:1304 msgid "fatal error: internal error" msgstr "Fataler Fehler: interner Fehler" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "Kein bereits geöffneter Dateideskriptor %d" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "/dev/null konnte nicht für Dateideskriptor %d geöffnet werden" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "Das leere Argument für »--source« wird ignoriert" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "»--profile« hat Vorrang vor »--pretty-print«" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "" "-M wurde ignoriert: die Unterstützung von MPFR/GMP wurde nicht eingebaut" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "Verwenden Sie »GAWK_PERSIST_FILE=%s gawk …« anstelle von --persist." #: main.c:1726 msgid "Persistent memory is not supported." msgstr "Persistenter Speicher wird nicht unterstützt." #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: Die Option »-W %s« ist unbekannt und wird ignoriert\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: Die Option %c erfordert ein Argument\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "%s: Schwerwiegend: Fehler bei stat für %s: %s\n" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" "%s: Schwerwiegend: Wenn gawk als root läuft, kann kein persistenter Speicher " "verwendet werden.\n" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "%s: Warnung: %s gehört nicht der euid %d.\n" #: main.c:1913 msgid "persistent memory is not supported" msgstr "persistenter Speicher wird nicht unterstützt" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" "%s: fatal: Fehler beim Initialisieren der Allozierung für persistenten " "Speicher: Rückgabewert %d, pma.c Zeile %d.\n" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "PREC-Wert »%.*s« ist ungültig" #: mpfr.c:718 #, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "ROUNDMODE-Wert »%.*s« ist ungültig" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: das erste Argument ist keine Zahl" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: das zweite Argument ist keine Zahl" #: mpfr.c:825 #, c-format msgid "%s: received negative argument %.*s" msgstr "%s: Negatives Argument %.*s erhalten" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "Argument ist keine Zahl" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: das erste Argument ist keine Zahl" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%Rg): ein negativer Wert ist unzulässig" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "compl(%Rg): Dezimalteil wird abgeschnitten" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "cmpl(%Zd): Negative Werte sind unzulässig" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s: das Argument Nr. %d ist keine Zahl" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "" "%s: Argument Nr. %d hat den ungültigen Wert %Rg, es wird stattdessen 0 " "verwendet" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%s: der negative Wert %2$Rg in Argument Nr. %1$d ist unzulässig" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "%s: der Nachkommateil %2$Rg in Argument Nr. %1$d wird abgeschnitten" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%1$s: der negative Wert %3$Zd in Argument Nr. %2$d ist unzulässig" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: wird mit weniger als zwei Argumenten aufgerufen" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or: wird mit weniger als zwei Argumenten aufgerufen" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "xor: wird mit weniger als zwei Argumenten aufgerufen" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: das Argument ist keine Zahl" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "intdiv: das erste Argument ist keine Zahl" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "intdiv: das zweite Argument ist keine Zahl" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "Kommandozeile:" #: node.c:477 msgid "backslash at end of string" msgstr "Backslash am Ende der Zeichenkette" #: node.c:511 msgid "could not make typed regex" msgstr "Der typisierte Regex konnte nicht erzeugt werden" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "Das alte awk unterstützt die Escapesequenz »\\%c« nicht" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX erlaubt keine »\\x«-Escapes" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "In der »\\x«-Escapesequenz sind keine hexadezimalen Zahlen" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "Die Hex-Sequenz \\x%.*s aus %d Zeichen wird wahrscheinlich nicht wie " "gewünscht interpretiert" #: node.c:705 msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX erlaubt keine »\\u«-Escapes" #: node.c:713 msgid "no hex digits in `\\u' escape sequence" msgstr "In der »\\u«-Escapesequenz sind keine hexadezimalen Zahlen" #: node.c:744 msgid "invalid `\\u' escape sequence" msgstr "Ungültige »\\u«-Escapesequenz" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "Escapesequenz »\\%c« wird wie ein normales »%c« behandelt" #: node.c:908 msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "Es wurden unbekannte Multibyte-Daten gefunden. Ihre Daten entsprechen " "eventuell nicht der gesetzten Region" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "" "%s %s »%s«: Die Kennungen des Dateideskriptors konnten nicht abgefragt " "werden: (fcntl F_GETFD: %s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "" "%s %s »%s«: close-on-exec konnte nicht gesetzt werden: (fcntl F_SETFD: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "Warnung: /proc/self/exe: readlink: %s\n" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "Warnung: Persönlichkeit: %s\n" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "waitpid: hat Exit-Status %#o\n" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "schwerwiegend: posix_spawn: %s\n" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "" "Das Programm ist zu tief verschachtelt. Vielleicht sollten Sie Ihren Code " "refactorn" #: profile.c:114 msgid "sending profile to standard error" msgstr "Das Profil wird auf der Standardfehlerausgabe ausgegeben" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# %s Regel(n)\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# Regel(n)\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "Interner Fehler: %s mit null vname" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "Interner Fehler: eingebaute Fuktion mit leerem fname" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "%s# Erweiterungen geladen (-l und/oder @load)\n" "\n" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\n" "# Eingebundene Dateien (-i und/oder @include)\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# gawk-Profil, erzeugt %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# Funktionen in alphabetischer Reihenfolge\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str: unbekannter Umlenkungstyp %d" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" "Das Verhalten eines regulären Ausdrucks, der NUL-Zeichen enthält, ist von " "POSIX nicht spezifiziert" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "unerlaubtes NUL-Byte in dynamischem regulären Ausdruck" #: re.c:215 #, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "" "Escapesequenz »\\%c« wird in regulären Ausdrücken wie ein normales »%c« " "behandelt" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" "Die Escapesequenz »\\%c« ist kein bekannter Operator für reguläre Ausdrücke" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "" "Regulärer-Ausdruck-Komponente »%.*s« sollte wahrscheinlich »[%.*s]« sein" #: support/dfa.c:910 msgid "unbalanced [" msgstr "nicht geschlossene [" #: support/dfa.c:1031 msgid "invalid character class" msgstr "ungültige Zeichenklasse" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "Die Syntax für Zeichenklassen ist [[:space:]], nicht [:space:]" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "nicht beendetes \\ Escape" #: support/dfa.c:1345 msgid "? at start of expression" msgstr "? am Beginn eines Ausdrucks" #: support/dfa.c:1357 msgid "* at start of expression" msgstr "* am Beginn eines Ausdrucks" #: support/dfa.c:1371 msgid "+ at start of expression" msgstr "+ am Beginn eines Ausdrucks" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "{...} am Beginn eines Ausdrucks" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "Ungültiger Inhalt von \\{\\}" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "Regulärer Ausdruck ist zu groß" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "überzähliges \\ vor nicht-druckbarem Zeichen" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "überzähliges \\ vor einem Leerzeichen" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "überzähliges \\ vor %s" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "überzähliges \\" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "nicht geschlossene (" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "keine Syntax angegeben" #: support/dfa.c:2077 msgid "unbalanced )" msgstr "nicht geöffnete )" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: Option »%s« ist mehrdeutig; Mögliche Bedeutung:" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s: Die Option »--%s« hat keine Argumente\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: Die Option »%c%s« hat keine Argumente\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: Die Option »%s« erfordert ein Argument\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: Die Option »--%s« ist unbekannt\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: Die Option »%c%s« ist unbekannt\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: Ungültige Option -- »%c«\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s Die Option »%c« erfordert ein Argument\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: Die Option »-W %s« ist mehrdeutig\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: Die Option »-W %s« hat keine Argumente\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: Die Option »-W %s« erfordert ein Argument\n" #: support/regcomp.c:122 msgid "Success" msgstr "Erfolg" #: support/regcomp.c:125 msgid "No match" msgstr "Kein Treffer" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "Ungültiger Regulärer Ausdruck" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "Ungültiges Zeichen" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "Ungültiger Name für eine Zeichenklasse" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "Angehängter Backslash" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "Ungültige Rück-Referenz" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "[, [^, [:, [., oder [= werden nicht geschlossen" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "( oder \\( werden nicht geschlossen" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "\\{ wird nicht geschlossen" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "Ungültiger Inhalt von \\{\\}" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "Ungültiges Bereichsende" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "Kein freier Speicher mehr vorhanden" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "Vorangehender regulärer Ausdruck ist ungültig" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "Vorzeitiges Ende des regulären Ausdrucks" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "Regulärer Ausdruck ist zu groß" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr ") oder \\) werden nicht geöffnet" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "Kein vorangehender regulärer Ausdruck" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" "aktuelle Einstellung von -M/--bignum entspricht nicht der in PMA " "gespeicherten" #: symbol.c:781 #, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "" "Funktion »%s«: Funktion »%s« kann nicht als Parametername verwendet werden" #: symbol.c:911 msgid "cannot pop main context" msgstr "der Hauptkontext kann nicht entfernt werden" #~ msgid "fatal: must use `count$' on all formats or none" #~ msgstr "" #~ "Fatal: »Position$« muss entweder auf alle Formate angewandt werden oder " #~ "auf keines" #, c-format #~ msgid "field width is ignored for `%%' specifier" #~ msgstr "Feldbreite wird für die »%%«-Angabe ignoriert" #, c-format #~ msgid "precision is ignored for `%%' specifier" #~ msgstr "Genauigkeit wird für die »%%«-Angabe ignoriert" #, c-format #~ msgid "field width and precision are ignored for `%%' specifier" #~ msgstr "Feldbreite und Genauigkeit werden für die »%%«-Angabe ignoriert" #~ msgid "fatal: `$' is not permitted in awk formats" #~ msgstr "Fatal: »$« ist in awk-Formaten nicht zulässig" #~ msgid "fatal: argument index with `$' must be > 0" #~ msgstr "Fatal: die Argumentposition bei »$« muss > 0 sein" #, c-format #~ msgid "" #~ "fatal: argument index %ld greater than total number of supplied arguments" #~ msgstr "" #~ "Fatal: die Argumentposition %ld ist größer als die Gesamtanzahl " #~ "angegebener Argumente" #~ msgid "fatal: `$' not permitted after period in format" #~ msgstr "Fatal: »$« nach Punkt in Formatangabe nicht zulässig" #~ msgid "fatal: no `$' supplied for positional field width or precision" #~ msgstr "Fatal: »$« fehlt in positionsabhängiger Feldbreite oder Genauigkeit" # #, c-format #~ msgid "`%c' is meaningless in awk formats; ignored" #~ msgstr "»%c« ist in awk-Formaten bedeutungslos, ignoriert" #, c-format #~ msgid "fatal: `%c' is not permitted in POSIX awk formats" #~ msgstr "Fatal: »%c« ist in POSIX-awk-Formaten nicht zulässig" #, c-format #~ msgid "[s]printf: value %g is too big for %%c format" #~ msgstr "[s]printf: Wert %g ist außerhalb des Bereichs für Format »%%c«" #, c-format #~ msgid "[s]printf: value %g is not a valid wide character" #~ msgstr "[s]printf: Wert %g ist kein gultiges Wide-Zeichen" #, c-format #~ msgid "[s]printf: value %g is out of range for `%%%c' format" #~ msgstr "[s]printf: Wert %g ist außerhalb des Bereichs für Format »%%%c«" #, c-format #~ msgid "[s]printf: value %s is out of range for `%%%c' format" #~ msgstr "[s]printf: Wert %s ist außerhalb des Bereichs für Format »%%%c«" #, c-format #~ msgid "%%%c format is POSIX standard but not portable to other awks" #~ msgstr "" #~ "das Format %%%c ist zwar in POSIX, aber nicht auf andere awks übertragbar" #, c-format #~ msgid "" #~ "ignoring unknown format specifier character `%c': no argument converted" #~ msgstr "" #~ "das unbekannte Zeichen »%c« in der Formatspezifikation wird ignoriert: " #~ "keine Argumente umgewandelt" #~ msgid "fatal: not enough arguments to satisfy format string" #~ msgstr "Fatal: nicht genügend Argumente für die Formatangabe" #~ msgid "^ ran out for this one" #~ msgstr "^ hierfür fehlte es" #~ msgid "[s]printf: format specifier does not have control letter" #~ msgstr "[s]printf: Format-Spezifikation hat keinen Steuerbuchstaben" #~ msgid "too many arguments supplied for format string" #~ msgstr "zu viele Argumente für den Formatstring" #, c-format #~ msgid "%s: received non-string format string argument" #~ msgstr "%s: Argument für das Format ist keine Zeichenkette" #~ msgid "sprintf: no arguments" #~ msgstr "sprintf: keine Argumente" #~ msgid "printf: no arguments" #~ msgstr "printf: keine Argumente" #~ msgid "printf: attempt to write to closed write end of two-way pipe" #~ msgstr "" #~ "printf: Versuch in die geschlossene schreibende Seite einer " #~ "bidirektionalen Pipe zu schreiben" #, c-format #~ msgid "%s" #~ msgstr "%s" #~ msgid "\t-W nostalgia\t\t--nostalgia\n" #~ msgstr "\t-W nostalgia\t\t--nostalgia\n" #~ msgid "fatal error: internal error: segfault" #~ msgstr "Fataler Fehler: interner Fehler: Speicherzugriffsfehler" #~ msgid "fatal error: internal error: stack overflow" #~ msgstr "Fataler Fehler: interner Fehler: Stapelüberlauf" #~ msgid "typeof: invalid argument type `%s'" #~ msgstr "typeof: ungültiger Parametertyp »%s«" #~ msgid "" #~ "The time extension is obsolete. Use the timex extension from gawkextlib " #~ "instead." #~ msgstr "" #~ "Die Erweiterung »time« ist veraltet. Nutzen Sie stattdessen die " #~ "Erweiterung »timex« aus gawkextlib." #~ msgid "do_writea: first argument is not a string" #~ msgstr "do_writea: das erste Argument ist keine Zeichenkette" #~ msgid "do_reada: first argument is not a string" #~ msgstr "do_reada: das erste Argument ist keine Zeichenkette" #~ msgid "do_writea: argument 1 is not an array" #~ msgstr "do_writea: das Argument 1 ist kein Feld" #~ msgid "do_reada: argument 0 is not a string" #~ msgstr "do_reada: Argument 0 ist keine Zeichenkette" #~ msgid "do_reada: argument 1 is not an array" #~ msgstr "do_reada: Argument 1 ist kein Feld" #~ msgid "`L' is meaningless in awk formats; ignored" #~ msgstr "»L« ist in awk-Formaten bedeutungslos, ignoriert" #~ msgid "fatal: `L' is not permitted in POSIX awk formats" #~ msgstr "Fatal: »L« ist in POSIX-awk-Formaten nicht zulässig" #~ msgid "`h' is meaningless in awk formats; ignored" #~ msgstr "»h« ist in awk-Formaten bedeutungslos, ignoriert" #~ msgid "fatal: `h' is not permitted in POSIX awk formats" #~ msgstr "Fatal: »h« ist in POSIX-awk-Formaten nicht zulässig" #~ msgid "No symbol `%s' in current context" #~ msgstr "Im aktuellen Kontext gibt es kein Symbol »%s«" #~ msgid "fts: first parameter is not an array" #~ msgstr "fts: das erste Argument ist kein Feld" #~ msgid "fts: third parameter is not an array" #~ msgstr "fts: das dritte Argument ist kein Feld" #~ msgid "adump: first argument not an array" #~ msgstr "adump: Das erste Argument ist kein Feld" #~ msgid "asort: second argument not an array" #~ msgstr "asort: Das zweite Argument ist kein Feld" #~ msgid "asorti: second argument not an array" #~ msgstr "asorti: Das zweite Argument ist kein Feld" #~ msgid "asorti: first argument not an array" #~ msgstr "asorti: Das erste Argument ist kein Feld" #~ msgid "asorti: first argument cannot be SYMTAB" #~ msgstr "asorti: Das erste Argument darf nicht SYMTAB sein" #~ msgid "asorti: first argument cannot be FUNCTAB" #~ msgstr "asorti: Das erste Argument darf nicht FUNCTAB sein" #~ msgid "asorti: cannot use a subarray of first arg for second arg" #~ msgstr "" #~ "asorti: das zweite Argument darf kein Teilfeld des ersten Arguments sein" #~ msgid "asorti: cannot use a subarray of second arg for first arg" #~ msgstr "" #~ "asorti: das erste Argument darf kein Teilfeld des zweiten Arguments sein" #~ msgid "can't read sourcefile `%s' (%s)" #~ msgstr "die Quelldatei »%s« kann nicht gelesen werden (%s)" #~ msgid "POSIX does not allow operator `**='" #~ msgstr "POSIX erlaubt den Operator »**=« nicht" #~ msgid "old awk does not support operator `**='" #~ msgstr "das alte awk unterstützt den Operator »**=« nicht" #~ msgid "old awk does not support operator `**'" #~ msgstr "das alte awk unterstützt den Operator »**« nicht" #~ msgid "operator `^=' is not supported in old awk" #~ msgstr "das alte awk unterstützt den Operator »^=« nicht" #~ msgid "could not open `%s' for writing (%s)" #~ msgstr "»%s« kann nicht zum Schreiben geöffnet werden (%s)" #~ msgid "exp: received non-numeric argument" #~ msgstr "exp: das Argument ist keine Zahl" #~ msgid "length: received non-string argument" #~ msgstr "length: Argument ist keine Zeichenkette" #~ msgid "log: received non-numeric argument" #~ msgstr "log: Argument ist keine Zahl" #~ msgid "sqrt: received non-numeric argument" #~ msgstr "sqrt: das Argument ist keine Zahl" #~ msgid "sqrt: called with negative argument %g" #~ msgstr "sqrt: das Argument %g ist negativ" #~ msgid "strftime: received non-numeric second argument" #~ msgstr "strftime: das zweite Argument ist keine Zahl" #~ msgid "strftime: received non-string first argument" #~ msgstr "strftime: das erste Argument ist keine Zeichenkette" #~ msgid "mktime: received non-string argument" #~ msgstr "mktime: das Argument ist keine Zeichenkette" #~ msgid "tolower: received non-string argument" #~ msgstr "tolower: das Argument ist keine Zeichenkette" #~ msgid "toupper: received non-string argument" #~ msgstr "toupper: das Argument ist keine Zeichenkette" #~ msgid "sin: received non-numeric argument" #~ msgstr "sin: das Argument ist keine Zahl" #~ msgid "cos: received non-numeric argument" #~ msgstr "cos: das Argument ist keine Zahl" #~ msgid "rshift: received non-numeric first argument" #~ msgstr "rshift: das erste Argument ist keine Zahl" #~ msgid "rshift: received non-numeric second argument" #~ msgstr "rshift: das zweite Argument ist keine Zahl" #~ msgid "and: argument %d is non-numeric" #~ msgstr "and: das Argument %d ist nicht numerisch" #~ msgid "and: argument %d negative value %g is not allowed" #~ msgstr "and: der negative Wert %2$g von Argument %1$d ist unzulässig" #~ msgid "or: argument %d negative value %g is not allowed" #~ msgstr "or: der negative Wert %2$g von Argument %1$d ist unzuässig" #~ msgid "xor: argument %d is non-numeric" #~ msgstr "xor: das Argument %d ist nicht numerisch" #~ msgid "xor: argument %d negative value %g is not allowed" #~ msgstr "xor: der negative Wert %2$g von Argument %1$d ist unzulässig" #~ msgid "Can't find rule!!!\n" #~ msgstr "Die Regel kann nicht gefunden werden!!!\n" #~ msgid "q" #~ msgstr "b" #~ msgid "fts: bad first parameter" #~ msgstr "fts: ungültiger Parameter" #~ msgid "fts: bad second parameter" #~ msgstr "fts: ungültiger zweiter Parameter" #~ msgid "fts: bad third parameter" #~ msgstr "%s: ungültiger dritter Parameter" #~ msgid "fts: clear_array() failed\n" #~ msgstr "fts: clear_array() ist fehlgeschlagen\n" #~ msgid "ord: called with inappropriate argument(s)" #~ msgstr "ord: Aufruf mit ungeeigneten Argumenten" #~ msgid "chr: called with inappropriate argument(s)" #~ msgstr "chr: Aufruf mit ungeeigneten Argumenten" #~ msgid "`isarray' is deprecated. Use `typeof' instead" #~ msgstr "»isarray« ist veraltet, verwenden statt dessen »typeof«" #~ msgid "setenv(TZ, %s) failed (%s)" #~ msgstr "setenv (TZ, %s) ist fehlgeschlagen (%s)" #~ msgid "setenv(TZ, %s) restoration failed (%s)" #~ msgstr "die Wiederherstellung von setenv (TZ, %s) ist fehlgeschlagen (%s)" #~ msgid "unsetenv(TZ) failed (%s)" #~ msgstr "unsetenv(TZ) ist fehlgeschlagen (%s)" #~ msgid "gensub: third argument %g treated as 1" #~ msgstr "gensub: das dritte Argument %g wird als 1 interpretiert" #~ msgid "`extension' is a gawk extension" #~ msgstr "»extension« ist eine gawk-Erweiterung" #~ msgid "extension: received NULL lib_name" #~ msgstr "extension: NULL lib_name erhalten" #~ msgid "extension: cannot open library `%s' (%s)" #~ msgstr "extension: Bibliothek »%s« kann nicht geöffnet werden (%s)" #~ msgid "" #~ "extension: library `%s': does not define `plugin_is_GPL_compatible' (%s)" #~ msgstr "" #~ "extension: Bibliothek »%s«: definiert »plugin_is_GPL_compatible« nicht " #~ "(%s)" #~ msgid "extension: library `%s': cannot call function `%s' (%s)" #~ msgstr "" #~ "extension: Bibliothek »%s«: Funktion »%s« kann nicht aufgerufen werden " #~ "(%s)" #~ msgid "extension: missing function name" #~ msgstr "Erweiterung: Funktionsname fehlt" #~ msgid "extension: illegal character `%c' in function name `%s'" #~ msgstr "extension: unzulässiges Zeichen »%c« in Funktionsname »%s«" #~ msgid "extension: can't redefine function `%s'" #~ msgstr "extension: Funktion »%s« kann nicht neu definiert werden" #~ msgid "extension: function `%s' already defined" #~ msgstr "extension: Funktion »%s« wurde bereits definiert" #~ msgid "extension: function name `%s' previously defined" #~ msgstr "extension: Funktion »%s« wurde bereits vorher definiert" #~ msgid "extension: can't use gawk built-in `%s' as function name" #~ msgstr "" #~ "extension: die eingebaute Funktion »%s« kann nicht als Funktionsname " #~ "verwendet werden" #~ msgid "chdir: called with incorrect number of arguments, expecting 1" #~ msgstr "" #~ "chdir: Aufgruf mit einer ungültigen Anzahl von Argumenten, 1 wird erwartet" #~ msgid "stat: called with wrong number of arguments" #~ msgstr "stat: Aufruf mit falscher Anzahl Argumenten" #~ msgid "statvfs: called with wrong number of arguments" #~ msgstr "statvfs: Aufruf mit falscher Anzahl von Argumenten" #~ msgid "fnmatch: called with less than three arguments" #~ msgstr "fnmatch: Aufruf mit weniger als drei Argumenten" #~ msgid "fnmatch: called with more than three arguments" #~ msgstr "fnmatch: Aufruf mit mehr als drei Argumenten" #~ msgid "fork: called with too many arguments" #~ msgstr "fork: Aufruf mit zu vielen Argumenten" #~ msgid "waitpid: called with too many arguments" #~ msgstr "waitpid: Aufruf mit zu vielen Argumenten" #~ msgid "wait: called with no arguments" #~ msgstr "wait: Aufruf ohne Argumente" #~ msgid "wait: called with too many arguments" #~ msgstr "wait: Aufruf mit zu vielen Argumenten" #~ msgid "ord: called with too many arguments" #~ msgstr "ord: Aufruf mit yu vielen Argumenten" #~ msgid "chr: called with too many arguments" #~ msgstr "chr: Aufruf mit zu vielen Argumenten" #~ msgid "readfile: called with too many arguments" #~ msgstr "readfile: Aufruf mit zu vielen Argumenten" #~ msgid "writea: called with too many arguments" #~ msgstr "writea: Aufruf mit zu vielen Argumenten" #~ msgid "reada: called with too many arguments" #~ msgstr "reada: Aufruf mit zu vielen Argumenten" #~ msgid "gettimeofday: ignoring arguments" #~ msgstr "gettimeofday: die Argumente werden ignoriert" #~ msgid "sleep: called with too many arguments" #~ msgstr "sleep: Aufruf mit zu vielen Argumenten" #~ msgid "unknown value for field spec: %d\n" #~ msgstr "unbekannter Wert für eine Feldangabe: %d\n" #~ msgid "function `%s' defined to take no more than %d argument(s)" #~ msgstr "" #~ "Funktion »%s« wird als Funktion definiert, die nie mehr als %d " #~ "Argument(e) akzeptiert" #~ msgid "function `%s': missing argument #%d" #~ msgstr "Funktion »%s«: fehlendes Argument #%d" EOF echo Extracting po/es.po cat << \EOF > po/es.po # Mensajes en español para gawk. # Copyright (C) 2001 - 2025 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # Javier , 2018. # Francisco Javier Serrador , 2018. # Antonio Ceballos Roa , 2021. # Cristian Othón Martínez Vera , 2001, 2002, 2003, 2004, 2005, 2006, 2007, 2008, 2009, 2010, 2011, 2012, 2022, 2023, 2024, 2025 msgid "" msgstr "" "Project-Id-Version: gawk 5.3.1b\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2025-03-24 16:40-0600\n" "Last-Translator: Cristian Othón Martínez Vera \n" "Language-Team: Spanish \n" "Language: es\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Bugs: Report translation errors to the Language-Team address.\n" #: array.c:249 #, c-format msgid "from %s" msgstr "desde %s" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "se intenta utilizar un valor escalar como una matriz" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "se intenta utilizar el parámetro escalar «%s» como una matriz" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "se intenta utilizar el escalar «%s» como una matriz" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "se intenta utilizar la matriz «%s» en un contexto escalar" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "delete: el índice «%.*s» no está dentro de la matriz «%s»" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "se intenta utilizar el escalar «%s[\"%.*s\"]» como una matriz" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "%s: el primer argumento no es una matriz" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "%s: el segundo argumento no es una matriz" #: array.c:901 field.c:1150 field.c:1247 #, c-format msgid "%s: cannot use %s as second argument" msgstr "%s: no se puede utilizar %s como segundo argumento" #: array.c:909 #, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "%s: el primer argumento no puede ser SYMTAB sin un segundo argumento" #: array.c:911 #, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "%s: el primer argumento no puede ser FUNCTAB sin un segundo argumento" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" "asort/asorti: usar la misma matriz como fuente y destino sin un tercer " "argumento es tonto." #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "" "%s: no se puede utilizar una submatriz del primer argumento para el segundo " "argumento" #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "" "%s: no se puede utilziar una submatriz del segundo argumento para el primer " "argumento" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "«%s» es inválido como nombre de función" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "la función de comparación de ordenamiento «%s» no está definida" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "los bloques %s deben tener una parte de acción" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "cada regla debe tener un patrón o una parte de acción" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "el awk antiguo no admite reglas `BEGIN' o `END' múltiples" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "«%s» es una función interna, no se puede redefinir" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "" "la expresión regular constante `//' parece un comentario de C++, pero no lo " "es" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "" "la expresión regular constante `/%s/' parece un comentario de C, pero no lo " "es" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "valores case duplicados en el cuerpo de un switch: %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "se detectó un `default' duplicado en el cuerpo de un switch" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "no se permite `break' fuera de un bucle o switch" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "`continue' no se permite fuera de un bucle" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "se usó `next' en la acción %s" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "se usó `nextfile' en la acción %s" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "se usó `return' fuera del contexto de la función" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" "el `print' simple en la regla BEGIN o END probablemente debe ser `print \"\"'" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "no se permite `delete' con SYMTAB" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "no se permite `delete' con FUNCTAB" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "`delete(array)' es una extensión no portable de tawk" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "las tuberías bidireccionales multietapa no funcionan" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "la concatenación como destino de una redirección de E/S `>' es ambigua" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "expresión regular del lado derecho de asignación" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "expresión regular a la izquierda de un operador `~' o `!~'" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "" "el awk antiguo no admite la palabra clave `in' excepto después de `for'" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "expresión regular al lado derecho de una comparación" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "`getline' no redirigido es inválido dentro de la regla «%s»" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "`getline' no redirigido indefinido dentro de la acción de END" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "el awk antiguo no admite matrices multidimensionales" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "la llamada de `length' sin paréntesis no es portable" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "las llamadas indirectas a función son una extensión de gawk" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "" "no se puede usar la variable especial «%s» como llamada indirecta a función" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "se intenta utilizar «%s» que no es función en una llamada a función" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "expresión de subíndice inválida" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "aviso: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "fatal: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "nueva línea o fin de la cadena inesperados" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" "los ficheros fuente o los argumentos por línea de órdenes deben contener " "funciones o reglas completas" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "no se puede abrir el fichero fuente «%s» para lectura: %s" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "no se puede abrir la biblioteca compartida «%s» para lectura: %s" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "razón desconocida" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "no se puede incluir «%s» y emplearlo como un fichero de programa" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "ya se incluyó el fichero fuente «%s»" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "la biblioteca compartida «%s» ya está cargada" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "@include es una extensión de gawk" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "nombre de fichero vacío después de @include" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "@load es una extensión de gawk" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "nombre de fichero vacío después de @load" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "texto de programa vacío en la línea de órdenes" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "no se puede leer el fichero fuente «%s»: %s" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "el fichero fuente «%s» está vacío" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "error: carácter inválido '\\%03o' en el código fuente" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "el fichero fuente no termina con línea nueva" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "expreg sin terminar finaliza con `\\' al final del fichero" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" "%s: %d: el modificador de expresión regular `/.../%c' de tawk no funciona en " "gawk" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" "el modificador de expresión regular `/.../%c' de tawk no funciona en gawk" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "expreg sin terminar" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "expreg sin terminar al final del fichero" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "la utilización de la continuación de línea `\\ #...' no es portable" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "el último carácter de la línea no es una barra inclinada invertida" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "las matrices multidimensionales son una extensión de gawk" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX no permite el operador `%s'" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "el operador `%s' no se admite en el awk antiguo" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "cadena sin terminar" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "POSIX no permite nuevas líneas físicas en valores de cadena" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "" "la barra inclinada invertida como continuación de cadena no es portable" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "carácter «%c» inválido en la expresión" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "«%s» es una extensión de gawk" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX no permite «%s»" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "«%s» no se admite en el awk antiguo" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "¡`goto' se considera dañino!" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d es inválido como número de argumentos para %s" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "" "%s: un literal de cadena como último argumento de substitute no tiene efecto" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "el tercer argumento de %s no es un objecto modificable" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match: el tercer argumento es una extensión de gawk" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close: el segundo argumento es una extensión de gawk" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "la utilización de dcgettext(_\"...\") es incorrecta: quite el subrayado " "inicial" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "la utilización de dcngettext(_\"...\") es incorrecta: quite el subrayado " "inicial" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "index: no se permite una expreg constante como segundo argumento" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "función «%s»: el parámetro «%s» oculta una variable global" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "no se puede abrir «%s» para escritura: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "se envía la lista de variables a la salida común de error" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "%s: falló close: %s" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "¡se llamó a shadow_funcs() dos veces!" #: awkgram.y:4980 msgid "there were shadowed variables" msgstr "había variables opacadas" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "el nombre de función «%s» se definió previamente" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "" "función «%s»: no se puede usar un nombre de función como nombre de parámetro" #: awkgram.y:5126 #, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" "función «%s»: parámetro «%s»: POSIX no admite usar una variable especial " "como un parámetro de función" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "" "función «%s»: el parámetro «%s» no puede contener un espacio de nombres" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "función «%s»: el parámetro #%d, «%s», duplica el parámetro #%d" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "se llamó a la función «%s» pero nunca se definió" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "se definió la función «%s» pero nunca se la llamó directamente" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "expreg constante para el parámetro #%d da un valor booleano" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "se llamó a la función «%s» con espacio entre el nombre y el `(',\n" "o se usó como una variable o una matriz" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "se intentó una división entre cero" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "se intentó una división entre cero en `%%'" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "" "no puede asignar un valor al resultado de un campo expresión post-intremental" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "objetivo de asignación inválido (código de operación %s)" #: awkgram.y:6266 msgid "statement has no effect" msgstr "la declaración no tiene efecto" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" "identificador %s: no se permiten los nombres calificados en modo " "tradicional / POSIX" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "" "identificador %s: el separador de espacio de nombres es dos signos de dos " "puntos, no uno" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "el identificador calificado «%s» está mal formado" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" "identificador «%s»: el separador de espacio de nombres solo puede aparecer " "una vez en un nombre calificado" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" "no se permite utilizar el identificador reservado «%s» como espacio de " "nombres" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" "no se permite utilizar el identificador reservado «%s» como segundo " "componente de un nombre calificado" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "@namespace es una extensión de gawk" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" "el nombre de espacio de nombres «%s» debe cumplir las reglas de nombres de " "identificadores" #: builtin.c:93 builtin.c:100 #, c-format msgid "%s: called with %d arguments" msgstr "%s: llamado con %d argumentos" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "falló %s a \"%s\": %s" #: builtin.c:129 msgid "standard output" msgstr "salida estándar" #: builtin.c:130 msgid "standard error" msgstr "error estándar" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s: se recibió un argumento no numérico" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp: el argumento %g está fuera de rango" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "%s: se recibió un argumento que no es una cadena" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: no se puede vaciar: se abrió la tubería «%.*s» para lectura, no para " "escritura" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" "fflush: no se puede vaciar: se abrió el fichero «%.*s» para lectura, no para " "escritura" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush: no se puede vaciar el fichero «%.*s»: %s" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" "fflush: no se puede vaciar: la tubería dos vías «%.*s» tiene cerrado el " "final de escritura" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "fflush: «%.*s» no es un fichero abierto, tubería o co-proceso" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "%s: el primer argumento recibido no es una cadena" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "%s: el segundo argumento recibido no es una cadena" #: builtin.c:595 msgid "length: received array argument" msgstr "length: se recibió un argumento de matriz" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "`length(array)' es una extensión de gawk" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "%s: se recibió el argumento negativo %g" #: builtin.c:698 builtin.c:2949 #, c-format msgid "%s: received non-numeric third argument" msgstr "%s: el tercer argumento recibido no es númerico" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "%s: el segundo argumento recibido no es númerico" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: la longitud %g no es >= 1" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: la longitud %g no es >= 0" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: se truncará la longitud no entera %g" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "" "substr: la longitud %g es demasiado grande para ser índice de cadena, se " "trunca a %g" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: el índice de inicio %g es inválido, se usa 1" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "substr: se truncará el índice de inicio no entero %g" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: la cadena de origen es de longitud cero" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: el índice de inicio %g está después del fin de la cadena" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: la cadena %g en el índice de inicio %g excede la longitud del primer " "argumento (%lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "" "strftime: el valor de formato en PROCINFO[\"strftime\"] tiene tipo numérico" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "" "strftime: el segundo argumento es menor que 0 o demasiado grande para time_t" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "strftime: segundo argumento fuera de rango para tiempo time_t" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: se recibió una cadena de formato vacía" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "" "mktime: por lo menos uno de los valores está fuera del rango por defecto" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "no se permite la función 'system' en modo sandbox" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "" "print: se intenta escribir en el final de escritura cerrado de una tubería " "de vía doble" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "referencia al campo sin inicializar `$%d'" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "%s: el primer argumento recibido no es númerico" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: el tercer argumento no es una matriz" #: builtin.c:1604 #, c-format msgid "%s: cannot use %s as third argument" msgstr "%s: no se puede usar %s como tercer argumento" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: el tercer argumento `%.*s' tratado como 1" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s: se puede indirectamente solo con dos argumentos" #: builtin.c:2242 msgid "indirect call to gensub requires three or four arguments" msgstr "la llamada indirecta a gensub requiere tres o cuatro argumentos" #: builtin.c:2304 msgid "indirect call to match requires two or three arguments" msgstr "la llamada indirecta a match requiere dos o tres argumentos" #: builtin.c:2365 #, c-format msgid "indirect call to %s requires two to four arguments" msgstr "la llamada indirecta a %s requiere de dos a cuatro argumentos" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): no se permiten los valores negativos" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f): se truncarán los valores fraccionarios" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "" "lshift(%f, %f): un valor de desplazamiento demasiado grande dará resultados " "extraños" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f, %f): no se permiten los valores negativos" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): se truncarán los valores fraccionarios" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "" "rshift(%f, %f): un valor de desplazamiento muy grande dará resultados " "extraños" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "%s: llamado con menos de dos argumentos" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "%s: el argumento %d es no numérico" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%s: no se permite el argumento %d con valor negativo %g" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): no se permite un valor negativo" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): se truncará el valor fraccionario" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: «%s» no es una categoría local válida" #: builtin.c:2842 builtin.c:2860 #, c-format msgid "%s: received non-string third argument" msgstr "%s: el tercer argumento recibido no es una cadena" #: builtin.c:2915 builtin.c:2936 #, c-format msgid "%s: received non-string fifth argument" msgstr "%s: el quinto argumento recibido no es una cadena" #: builtin.c:2925 builtin.c:2942 #, c-format msgid "%s: received non-string fourth argument" msgstr "%s: el cuarto argumento recibido no es una cadena" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "intdiv: el tercer argumento no es una matriz" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "intdiv: se intentó una división entre cero" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "typeof: el segundo argumento no es una matriz" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" "typeof detectó una combinación de opciones «%s» inválida; por favor, envíe " "un informe de defecto." #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "tipode: tipo de argumento inválido «%s»" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "no se puede añadir un fichero nuevo (%.*s) a ARGV en modo sandbox" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "Teclee sentencia(s) (g)awk. Termine con la orden «end»\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "número de marco inválido: %d" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "info: opción inválida - «%s»" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "fuente `%s': ya se ha cargado" #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "save: «%s»: orden no permitida" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" "no se puede usar la orden «commands» para órdenes de puntos de ruptura/vigías" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "aún no se ha establecido ningún punto de ruptura/vigía" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "número de punto de ruptura/vigía inválido" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "Teclee órdenes para cuando %s %d es alcanzado, uno por línea.\n" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "Finalice con la orden «end»\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "`end' válido solo en la orden `commands' o `eval'" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "`silent' válido solo en la orden `commands'" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "trace: opción inválida - «%s»" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "condition: número de punto de ruptura/vigía inválido" #: command.y:452 msgid "argument not a string" msgstr "el argumento no es una cadena" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "option: parámetro inválido - «%s»" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "no existe la función - «%s»" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "enable: opción inválida - «%s»" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "especificación de rango inválida: %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "valor no numérico para número de campo" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "se encontró un valor no numérico, se esperaba uno numérico" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "valor entero distinto de cero" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" "backtrace [N] - escribe traza de todo o de los N marcos más internos " "(externos si N < 0)" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "" "break [[nombre_fichero:]N]|función] - establece punto de ruptura en la " "localización especificada" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "" "clear [[nombre_fichero:]N|función] - borra puntos de ruptura anteriormente " "establecidos" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" "commands [núm] - inicia una lista de órdenes para ser ejecutadas al alcanzar " "un punto de ruptura(vigía)" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" "condition núm [expr] - establece o quita punto condicional de ruptura o vigía" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "continue [CONTADOR] - continúa el programa que se está depurando" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "" "delete [puntos_ruptura] [rango] - borra puntos de ruptura especificados" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "" "disable [puntos_ruptura] [rango] - desactiva puntos de ruptura especificados" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "" "display [var] - escribe el valor de la variable cada vez que el programa se " "detiene" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "down [N] - baja N marcos por la pila" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "" "dump [nombre_fichero] - vuelca intrucciones al fichero o salida estándar" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" "enable [once|del] [puntos_ruptura] [rango] - activa los puntos de ruptura " "especificados" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "end - finaliza una lista de órdenes o sentencias awk" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "eval stmt|[p1, p2, ...] - evalúa sentencia(s) awk" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "exit - (lo mismo que quit) sale del depurador" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "finish - ejecuta hasta que retorna el marco de pila seleccionado" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "frame [N] - selecciona y escribe el marco de pila número N" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "" "help [orden] - escribe la lista de órdenes o la explicación de la orden" # TODO next #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "" "ignore N CONTADOR - establece cuenta-ignora del número N de puntos de " "ruptura a CONTADOR" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info topic - fuente|fuentes|variables|funciones|ruptura|marco|args|locales|" "pantalla|visor" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "" "list [-|+|[nombre_fichero:]num_línea|función|rango] - lista línea(s) " "específicada(s)" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "" "next [CONTADOR] - paso programado, procediendo a través de llamadas a " "subrutina" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" "nexti [CONTADOR] - un paso de instrucción, pero procediendo a través de " "llamadas a subrutina" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "option [nombre[=valor]] - establece o muestra opcion(es) del depurador" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "print var [var] - escribe valor de una variable o matriz" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "printf formato, [arg], … - salida formateada" #: command.y:872 msgid "quit - exit debugger" msgstr "quit - sale del depurador" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "" "return [valor] - hace que el marco de pila seleccionado devuelva a su " "llamador" #: command.y:876 msgid "run - start or restart executing program" msgstr "run - inicia o reinicia la ejecución del programa" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "save nombre_fichero - guarda órdenes de la sesión al fichero" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "set var = valor - asigna valor a una variable escalar" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" "silent - suspende el mensaje usual al detenerse en un punto de ruptura/vigía" #: command.y:886 msgid "source file - execute commands from file" msgstr "source fichero - ejecuta órdenes del fichero" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" "step [CONTADOR] - paso de programa hasta que alcanza una línea de la fuente " "distinta" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [CONTADOR] - paso de una instrucción exactamente" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "" "tbreak [[nombre_fichero:]N|función] - establece un punto de ruptura temporal" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "trace on|off - escribe la instrucción antes de ejecutar" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "undisplay [N] - quita variable(s) de la lista de vista automática" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" "until [[nombre_fichero:]N|función] - ejecuta hasta que el programa alcanza " "una línea diferente o la línea N dentro del marco actual" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [N] - quita variable(s) de la lista de vigía" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "up [N] - sube N marcos hacia arriba en la pila" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "watch var - establece un punto de vigía para una variable" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "where [N] - (lo mismo que backtrace) escribe traza de todo o N marcos más " "internos (más externos si N < 0)" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "error: " #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "no se puede leer la orden: %s\n" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "no se puede leer la orden: %s" #: command.y:1126 msgid "invalid character in command" msgstr "carácter inválido en la orden" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "orden desconocida - «%.*s», intente con help" #: command.y:1294 msgid "invalid character" msgstr "carácter inválido" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "orden no definida: %s\n" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "" "establece o muestra el número de líneas para conservar en el fichero " "histórico" #: debug.c:259 msgid "set or show the list command window size" msgstr "establece o muestra el tamaño de la ventana de la lista de órdenes" #: debug.c:261 msgid "set or show gawk output file" msgstr "establece o muestra el fichero de salida gawk" #: debug.c:263 msgid "set or show debugger prompt" msgstr "establece o muestra la petición del depurador" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "" "(des)establece o muestra el guardado de histórico de órdenes (valor=on|off)" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "(des)establece o muestra el guardado de opciones (valor=on|off)" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "(des)establece o muestra el trazado de instrucciones (valor=on|off)" #: debug.c:358 msgid "program not running" msgstr "no se está ejecutando el programa" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "el fichero fuente «%s» está vacío.\n" #: debug.c:502 msgid "no current source file" msgstr "no hay un fichero fuente" #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "no se puede encontrar el fichero fuente nombrado «%s»: %s" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "" "aviso: se modificó el fichero fuente «%s» después de la compilación del " "programa\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "el número lineal %d está fuera de los límites; «%s» tiene %d líneas" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "fdl inesperado al leer el fichero «%s», línea %d" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "" "se modificó el fichero fuente «%s» desde el inicio de la ejecución del " "programa" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "Fichero fuente actual: %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "Número de líneas: %d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "Fichero fuente (líneas): %s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "Número Disp Activado Localización\n" "\n" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "\tnº de alcances = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "\tignora siguiente %ld punto(s)\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "\tcondición stop: %s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "\tórdenes:\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "Marco actual: " #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "Llamado por marco: " #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "Llamador del marco: " #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "Ninguno en main().\n" #: debug.c:870 msgid "No arguments.\n" msgstr "Sin argumentos.\n" #: debug.c:871 msgid "No locals.\n" msgstr "Sin locales.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "Todas las variables definidas:\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "Todas las funciones definidas:\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "Autoenseñar variables:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "Vigilar variables:\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "no hay un símbolo «%s» en el contexto actual\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "«%s» no es una matriz\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = campo sin inicializar\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "la matriz «%s» está vacía\n" #: debug.c:1184 debug.c:1236 #, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "el subíndice \"%.*s\" no está en la matriz «%s»\n" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "`%s[\"%.*s\"]' no es una matriz\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "«%s» no es una variable escalar" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "se intenta utilizar la matriz `%s[\"%.*s\"]' en un contexto escalar" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "se intenta usar el escalar `%s[\"%.*s\"]' como una matriz" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "`%s' es una función" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "el punto de vigía %d es incondicional\n" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "no se muestra el ítem numerado %ld" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "no se ve el ítem numerado %ld" #: debug.c:1596 #, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d: el subíndice \"%.*s\" no está en la matriz «%s»\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "se intenta utilizar un valor escalar como una matriz" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "" "Se borró el punto vigía %d porque el parámetro está fuera del ámbito.\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "Pantalla %d eliminada porque el parámetro está fuera del ámbito.\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr " en el fichero «%s», línea %d\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr " en «%s»:%d" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "#%ld\ten " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "Más pilas de marcos a continuación …\n" #: debug.c:2092 msgid "invalid frame number" msgstr "número de marco inválido" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Nota: punto de ruptura %d (activado, ignora los siguientes %ld alcances), " "también se estableció en %s:%d" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "Nota: punto de ruptura %d (activado), también se estableció en %s:%d" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Nota: punto de ruptura %d (desactivado, ignora los siguientes %ld alcances), " "también se estableció en %s:%d" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "" "Nota: punto de ruptura %d (desactivado), también se estableció en %s:%d" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "Se estableció el punto de ruptura %d en el fichero «%s», línea %d\n" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "no se puede establecer el punto de ruptura en el fichero «%s»\n" #: debug.c:2444 #, c-format msgid "line number %d in file `%s' is out of range" msgstr "el número de línea %d en el fichero «%s» está fuera de rango" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "error interno: no se puede encontrar la regla\n" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "no se puede establecer el punto de ruptura en «%s»: %d\n" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "no se puede establecer el punto de ruptura en la función «%s»\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "" "se establece el punto de ruptura %d en el fichero «%s», la línea %d es " "incondicional\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "el número de línea %d en el fichero «%s» está fuera de rango" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "Se borra el punto de ruptura %d" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "Sin punto de ruptura(s) al entrar a la función «%s»\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "Sin punto de ruptura en el fichero «%s», línea #%d\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "número de punto de ruptura inválido" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "¿Borro todos los puntos de ruptura? (s o n) " #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "s" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "Se ignorará el/los siguiente(s) %ld paso(s) del punto de ruptura %d.\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "" "Se detendrá la siguiente ocasión en que se alcance el punto de ruptura %d.\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "Solo se pueden depurar programas proporcionados con la opción `-f'.\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "Reiniciando ...\n" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "Fallo al reiniciar el depurador" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "" "El programa ya se está ejecutando. ¿Reiniciar desde el principio (s/n)? " #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "No se reinició el programa\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "error: no se puede reiniciar, operación no permitida\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "" "error (%s): no se puede reiniciar, se descarta el resto de las órdenes\n" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "Se inicia el programa:\n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "Programa terminado anormalmente con valor de salida: %d\n" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "Programa terminado normalmente con valor de salida: %d\n" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "El programa se está ejecutando. ¿Sale de todas formas (s/n)? " #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "No se detuvo en algún punto de ruptura; se descarta el argumento.\n" #: debug.c:3091 #, c-format msgid "invalid breakpoint number %d" msgstr "número de punto de ruptura %d inválido" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "Se ignorarán los siguientes %ld pasos del punto de ruptura %d.\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "'finish' no tiene significado en el marco main() más externo\n" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "Ejecutar hasta devolver desde " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "'return' no tiene significado en el marco main() más externo\n" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "No se puede encontrar la ubicación especificada en la función `%s'\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "línea de fuente %d inválida en el fichero «%s»" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "" "no se puede encontrar la ubicación %d especificada en el fichero «%s»\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "el elemento no está en una matriz\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "variable sin tipo\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "Se detiene en %s …\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "'finish' no tiene significado en el salto «%s» que no es local\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "'until' no tiene significado en el salto «%s» que no es local\n" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "\t------[Intro] para continuar o [q] + [Intro] para salir------" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%.*s\"] no está en la matriz «%s»" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "enviando la salida a stdout\n" #: debug.c:5449 msgid "invalid number" msgstr "número inválido" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "no se permite `%s' en el contexto actual; se descarta la declaración" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "" "no se permite `return' en el contexto actual; se descarta la declaración" #: debug.c:5639 #, c-format msgid "fatal error during eval, need to restart.\n" msgstr "error fatal durante la evaluación, se necesita reiniciar.\n" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "sin símbolo «%s» en el contexto actual" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "el tipo de nodo %d es desconocido" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "el código de operación %d es desconocido" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "el código operacional %s no es un operador o una palabra clave" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "desbordamiento de almacenamiento temporal en genflags2str" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# Pila de Llamadas de Funciones:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "`IGNORECASE' es una extensión de gawk" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "`BINMODE' es una extensión de gawk" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "el valor de BINMODE «%s» es inválido, se trata como 3" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "especificación «%sFMT» «%s» errónea" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "se desactiva `--lint' debido a una asignación a `LINT'" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "referencia al argumento sin inicializar «%s»" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "referencia a la variable sin inicializar «%s»" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "se intenta una referencia de campo desde un valor que no es númerico" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "se intenta una referencia de campo desde una cadena nula" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "se intenta acceder al campo %ld" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "referencia al campo sin inicializar `$%ld'" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "se llamó a la función «%s» con más argumentos de los declarados" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: tipo inesperado «%s»" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "se intentó una división entre cero en `/='" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "se intentó una división entre cero en `%%='" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "no se permiten las extensiones en modo sandbox" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "-l / @load son extensiones gawk" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext: se recibió lib_name NULO" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext: no se puede abrir la biblioteca «%s»: %s" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "load_ext: la biblioteca «%s»: no define `plugin_is_GPL_compatible': %s" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "load_ext: la biblioteca «%s»: no puede llamar a la función «%s»: %s" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "" "load_ext: falló la rutina de inicialización «%2$s» de la biblioteca «%1$s»" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin: falta un nombre de función" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "" "make_builtin: no se puede utilizar la orden interna de gawk «%s» como nombre " "de función" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" "make_builtin: no se puede utilizar la orden interna de gawk «%s» como nombre " "de espacio de nombres" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin: no se puede redefinir la función «%s»" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin: la función «%s» ya está definida" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin: el nombre de función «%s» se definió anteriormente" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin: cuenta de argumento negativa para la función «%s»" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "" "función «%s»: argumento #%d: se intentó usar un escalar como una matriz" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "" "función «%s»: argumento #%d: se intentó usar una matriz como un escalar" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "no se admite la carga dinámica de bibliotecas" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "estado: no se puede leer el enlace simbólico «%s»" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "stat: el primer argumento no es una cadena" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "stat: el segundo argumento no es una matriz" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stat: parámetros erróneos" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "fts init: no se puede crear la variable %s" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "no se admite fts en este sistema" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element: no se puede crear la matriz, memoria agotada" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element: no se puede establecer el elemento" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element: no se puede establecer el elemento" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element: no se puede establecer el elemento" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts-process: no se puede crear la matríz" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts-process: no se puede establecer el elemento" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "fts: se llamó con el número incorrecto de argumentos, se esperaban 3" #: extension/filefuncs.c:853 msgid "fts: first argument is not an array" msgstr "fts: el primer argumento no es una matriz" #: extension/filefuncs.c:859 msgid "fts: second argument is not a number" msgstr "fts: el segundo argumento no es un número" #: extension/filefuncs.c:865 msgid "fts: third argument is not an array" msgstr "fts: el tercer argumento no es una matriz" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts: no se puede aplanar la matríz\n" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "fts: se descarga la opción furtiva FTS_NOSTAT. juar, juar, juar." #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch: no se puede obtener el primer argumento" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch: no se puede obtener el segundo argumento" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch: no se puede obtener el tercer argumento" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "fnmatch no está implementado en este sistema\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "fnmatch init: no se puede agregar la variable FNM_NOMATCH" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "fnmatch init: no se puede establecer el elemento matriz %s" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "fnmatch init: no se puede instalar la matríz FNM" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork: ¡PROCINFO no es una matriz!" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "inplace::begin: ya está activa la edición en lugar" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "inplace::begin: se esperan 2 argumentos pero se llamó con %d" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "" "inplace::begin: no se puede obtener el 1er argumento como una cadena de " "nombre de fichero" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" "inplace::begin: se desactiva la edición en lugar para el NOMBREFICHERO " "inválido «%s»" #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "inplace::begin: No se puede ejecutar stat «%s» (%s)" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "inplace::begin: `%s' no es un fichero regular" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace::begin: falló mkstemp(`%s') (%s)" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace::begin: falló chmod (%s)" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace::begin: falló dup(stdout) (%s)" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace::begin: falló dup2(%d, stdout) (%s)" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace::begin: falló close(%d) (%s)" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "inplace::end: se esperan 2 argumentos pero se llamó con %d" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "" "inplace::end: no se puede obtener el 1er argumento como una cadena de nombre " "de fichero" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "inplace::end: no está activa la edición en lugar" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace::end: falló dup2(%d, stdout) (%s)" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace::end: falló close(%d) (%s)" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace::end: falló fsetpos(stdout) (%s)" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace::end: falló link(`%s', `%s') (%s)" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace::end: falló rename(`%s', `%s') (%s)" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "ord: el primer argumento no es una cadena" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "chr: el primer argumento no es un número" #: extension/readdir.c:291 #, c-format msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "dir_take_control_of: %s: falló opendir/fdopendir: %s" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "readfile: se llamó con el tipo erróneo de argumento" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput: no se puede inicializar la variable REVOUT" #: extension/rwarray.c:145 extension/rwarray.c:548 #, c-format msgid "%s: first argument is not a string" msgstr "%s: el primer argumento no es una cadena" #: extension/rwarray.c:189 msgid "writea: second argument is not an array" msgstr "writea: el segundo argumento no es una matriz" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "writeall: no se puede encontrar la matriz SYMTAB" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "write_array: no se puede aplanar la matriz" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "write_array: no se puede liberar la matríz aplanada" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "el valor de la matriz tiene el tipo %d desconocido" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" "extensión rwarray: se recibió un valor GMP/MPFR pero se compiló sin soporte " "para GMP/MPFR." #: extension/rwarray.c:437 #, c-format msgid "cannot free number with unknown type %d" msgstr "no se puede liberar el número con tipo %d desconocido" #: extension/rwarray.c:442 #, c-format msgid "cannot free value with unhandled type %d" msgstr "no se puede liberar el valor con tipo %d sin manejar" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "readall: no se puede definir %s::%s" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "readall: no se puede definir %s" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "reada: falló clear_array" #: extension/rwarray.c:611 msgid "reada: second argument is not an array" msgstr "reada: el segundo argumento no es una matriz" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "read_array: falló set_array_element" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "" "se trata el valor valor recuperado con código de tipo %d desconocido como " "una cadena de texto" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" "extensión rwarray: valor GMP/MPFR en el fichero pero se compiló sin soporte " "para GMP/MPFR." #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday: no se admite en esta plataforma" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep: falta un argumento numérico requerido" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep: el argumento es negativo" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep: no se admite en esta plataforma" #: extension/time.c:232 msgid "strptime: called with no arguments" msgstr "strptime: se llamó sin argumentos" #: extension/time.c:240 #, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "do_strptime: el argumento 1 no es una cadena\n" #: extension/time.c:245 #, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "do_strptime: el argumento 2 no es una cadena\n" #: field.c:321 msgid "input record too large" msgstr "el registro de entrada es demasiado grande" #: field.c:443 msgid "NF set to negative value" msgstr "se define NF con un valor negativo" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "decrementar NF no es portable para muchas versiones de awk" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "tal vez no es portable acceder campos desde una regla END" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split: el cuarto argumento es una extensión de gawk" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split: el cuarto argumento no es una matriz" #: field.c:1138 field.c:1240 #, c-format msgid "%s: cannot use %s as fourth argument" msgstr "%s: no se puede utilizar %s como cuarto argumento" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: el segundo argumento no es una matriz" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "" "split: no se puede usar la misma matriz para el segundo y cuarto argumentos" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "" "split: no se puede usar una submatriz del segundo argumento para el cuarto " "argumento" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "" "split: no se puede usar una submatriz del cuarto argumento para el segundo " "argumento" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "" "split: la cadena nula para el tercer argumento es una extensión que no es " "estándar" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: el cuarto argumento no es una matriz" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: el segundo argumento no es una matriz" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit: el tercer argumento no debe ser nulo" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "" "patsplit: no se puede usar la misma matriz para segundo y cuarto argumentos" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" "patsplit: no se puede usar una submatriz del segundo argumento para el " "cuarto argumento" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" "patsplit: no se puede usar una submatriz del cuarto argumento para el " "segundo argumento" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" "la asignación a FS/FIELDWIDTHS/FPAT no tiene efecto cuando se usa --csv" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "`FIELDWIDTHS' es una extensión gawk" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "`*' debe ser el último designador en FIELDWIDTHS" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "valor de FIELDWIDTHS inválido, para campo %d, cercano a «%s»" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "la cadena nula para `FS' es una extensión de gawk" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "el awk antiguo no admite expresiones regulares como valor de `FS'" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "`FPAT' es una extensión de gawk" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node: se recibió retval nulo" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "awk_value_to_node: no dentro del modo MPFR" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "awk_value_to_node: no se admite MPFR" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node: tipo numérico inválido «%d»" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "add_ext_func: se recibió un parámetro name_space NULO" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" "node_to_awk_value: se detectó una combinación inválida de opciones númericas " "«%s»; envíe un reporte de defecto." #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value: se recibió un nodo nulo" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value: se recibió un valor nulo" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" "node_to_awk_value detectó una combinación inválida de opciones «%s»; envíe " "un reporte de defecto." #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element: se recibió una matriz nula" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element: se recibió un subíndice nulo" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "api_flatten_array_typed: no se puede convertir el índice %d a %s" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "api_flatten_array_typed: no se puede convertir el valor %d a %s" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "api_get_mpfr: no se admite MPFR" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "no se puede encontrar el final de la regla BEGINFILE" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "no se puede abrir el tipo de fichero no reconocido «%s» para «%s»" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "el argumento de la línea de órdenes «%s» es un directorio: se salta" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "no se puede abrir el fichero «%s» para lectura: %s" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "falló el cierre de fd %d («%s»): %s" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "se utilizó `%.*s' como fichero de entrada y de salida" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "se utilizó `%.*s' como tubería de entrada y de salida" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "se utilizó `%.*s' como fichero de entrada y tubería de dos vías" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "se utilizó `%.*s' como fichero de entrada y tubería de salida" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "mezcla innecesaria de `>' y `>>' para el fichero `%.*s'" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "se utilizó `%.*s' como tubería de entrada y fichero de salida" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "se utilizó `%.*s' como fichero de salida y tubería de salida" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "se utilizó `%.*s' como fichero de salida y tubería de dos vías" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "se utilizó `%.*s' como tubería de entrada y de salida" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "se utilizó `%.*s' como tubería de entrada y tubería de dos vías" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "se utilizó `%.*s' como tubería de salida y tubería de dos vías" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "no se permite la redirección en modo sandbox" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "la expresión dentro de la redirección «%s» es un número" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "la expresión para la redirección «%s» tiene un valor de cadena nula" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "el nombre del fichero «%.*s» para la redirección «%s» quizá es un resultado " "de una expresión lógica" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "get_file no puede crear una tubería «%s» con fd %d" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "no se puede abrir la tubería «%s» para salida: %s" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "no se puede abrir la tubería «%s» para entrada: %s" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" "no se admite la creación del socket get_file en esta plataforma para «%s» " "con fd %d" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "no puede abrir la tubería de dos vías «%s» para entrada/salida: %s" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "no se puede redirigir desde «%s»: %s" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "no se puede redirigir a «%s»: %s" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "se alcanzó el límite del sistema para ficheros abiertos: comenzando a " "multiplexar los descriptores de fichero" #: io.c:1221 #, c-format msgid "close of `%s' failed: %s" msgstr "falló el cierre de «%s»: %s" #: io.c:1229 msgid "too many pipes or input files open" msgstr "demasiadas tuberías o ficheros de entrada abiertos" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: el segundo argumento debe ser `to' o `from'" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "close: `%.*s' no es un fichero abierto, tubería o co-proceso" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "cierre de redirección que nunca se abrió" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close: la redirección «%s» no se abrió con `|&', se descarta el segundo " "argumento" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "estado de fallo (%d) al cerrar la tubería de «%s»: %s" #: io.c:1400 #, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "estado de fallo (%d) al cerrar la tubería de dos vias «%s»: %s" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "estado de fallo (%d) al cerrar el fichero de «%s»: %s" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "no se proporcionó ningún cierre explícito de `socket' «%s»" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "no se proporcionó ningún cierre explícito del co-proceso «%s»" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "no se proporcionó ningún cierre explícito de la tubería «%s»" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "no se proporcionó ningún cierre explícito del fichero «%s»" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "fflush: no se puede tirar la salida estándar: %s" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "fflush: no se puede tirar la salida de error estándar: %s" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "error al escribir en la salida estándar: %s" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "error al escribir en la salida de error estándar: %s" #: io.c:1513 #, c-format msgid "pipe flush of `%s' failed: %s" msgstr "falló la limpieza de la tubería «%s»: %s" #: io.c:1516 #, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "falló el vaciado del co-proceso de la tubería a «%s»: %s" #: io.c:1519 #, c-format msgid "file flush of `%s' failed: %s" msgstr "falló el vaciado del fichero «%s»: %s" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "el puerto local %s inválido en `/inet': %s" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "el puerto local %s inválido en `/inet'" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "" "el anfitrión remoto y la información de puerto (%s, %s) son inválidos: %s" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "el anfitrión remoto y la información de puerto (%s, %s) son inválidos" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "no se admiten las comunicaciones TCP/IP" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "no se puede abrir «%s», modo «%s»" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "falló el cierre del pty maestro: %s" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "falló el cierre de la salida estándar en el hijo: %s" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "" "falló el movimiento del pty esclavo a la salida estándar en el hijo (dup: %s)" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "falló el cierre de la entrada estándar en el hijo: %s" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "" "falló el movimiento del pty esclavo a la entrada estándar en el hijo (dup: " "%s)" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "falló el cierre del pty esclavo: %s" #: io.c:2317 msgid "could not create child process or open pty" msgstr "no se puede crear el proceso hijo o abrir pty" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "falló el movimiento de la salida estándar en el hijo (dup: %s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "" "falló el movimiento de la tubería a la entrada estándar en el hijo (dup: %s)" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "falló la restauración de la salida estándar en el proceso padre" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "falló la restauración de la entrada estándar en el proceso padre" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "falló el cierre de la tubería: %s" #: io.c:2534 msgid "`|&' not supported" msgstr "no se admite `|&'" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "no se puede abrir la tubería «%s»: %s" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "no se puede crear el proceso hijo para «%s» (fork: %s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "" "getline: se intenta leer desde el final cerrado para lectura de la tubería " "de dos vías" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser: se recibió un puntero NULO" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" "intérprete entrante «%s» en conflicto con el intérprete de entrada «%s» " "instalado anteriormente" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "falló el interprete de entrada «%s» para abrir «%s»" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_wrapper: se recibió un puntero NULO" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" "envoltorio de salida «%s» en conflicto con el envoltorio de salida «%s» " "instalado anteriormente" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "falló el envoltorio de salida «%s» al abrir «%s»" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor: se recibió un puntero NULO" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" "el procesador de dos vías «%s» en conflicto con el procesador de dos vias " "«%s» instalado previamente" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "falló el procesador de dos vías «%s» para abrir «%s»" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "el fichero de datos «%s» está vacío" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "no se puede reservar más memoria de entrada" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "la asignación a RS no tiene efecto cuando se usa --csv" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "el valor multicaracter de `RS' es una extensión de gawk" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "no se admite la comunicación IPv6" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" "gawk_popen_write: falló al mover el descriptor de fichero de la tubería a la " "entrada estándar" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "" "la variable de ambiente `POSIXLY_CORRECT' definida: activando `--posix'" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "`--posix' se impone a `--traditional'" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "`--posix'/`--traditional' se impone a `--non-decimal-data'" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "`--posix' sobrepone a `--character-as-bytes'" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "`--posix' y `--csv' tienen conflictos entre sí" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "ejecutar %s como setuid root puede ser un problema de seguridad" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "Las opciones -r/--re-interval ya no tienen ningún efecto" #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "no se puede establecer el modo binario en la entrada estándar: %s" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "no se puede establecer el modo binario en la salida estándar: %s" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "" "no se puede establecer el modo binario en la salida de error estándar: %s" #: main.c:483 msgid "no program text at all!" msgstr "¡No hay ningún programa de texto!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "" "Modo de empleo: %s [opciones estilo POSIX o GNU] -f fichprog [--] fichero …\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "" "Modo de empleo: %s [opciones estilo POSIX o GNU] [--] %cprograma%c fichero " "…\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "Opciones POSIX:\t\tOpciones largas GNU: (común)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f fichprog\t\t--file=fichprog\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F sc\t\t\t--field-separator=sc\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "\t-v var=valor\t\t--assign=var=valor\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "Opciones cortas:\t\tOpciones largas GNU: (extensiones)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[fichero]\t\t--dump-variables[=fichero]\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-D[fichero]\t\t--debug[=fichero]\n" # Esta es la línea más larga de la lista de argumentos. # Probar con gawk para revisar tabuladores. cfuga #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e 'texto-prog'\t--source='texto-prog'\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E fichero\t\t--exec=fichero\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "\t-i ficheroinclusivo\t--incluide=ficheroincluido\n" #: main.c:602 msgid "\t-I\t\t\t--trace\n" msgstr "\t-I\t\t\t--trace\n" #: main.c:603 msgid "\t-k\t\t\t--csv\n" msgstr "\t-k\t\t\t--csv\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "" "\t-l biblioteca\t\t--load=biblioteca\n" "\n" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "\t-M\t\t\t--bignum\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-o[fichero]\t\t--profile[=fichero]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[fichero]\t\t--profile[=fichero]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-s\t\t\t--no-optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "\t-Z nombre-local\t\t--locale=nombre-local\n" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "Para indicar defectos, utilice el programa `gawkbug'.\n" "Para obtener instrucciones completas, consulte el nodo `Bugs'\n" "en `gawk.info', el cual está en la sección\n" "`Reporting Problems and Bugs' en la versión impresa.\n" "Esta misma información se puede encontrar en\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "POR FAVOR NO intente indicar defectos publicando en comp.lang.awk,\n" "o utilizando un foro web tal como Stack Overflow.\n" "\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" "El código fuente de gawk se puede obtener en\n" "%s/gawk-%s.tar.gz\n" "\n" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk es un lenguaje de reconocimiento y procesamiento de patrones.\n" "Por defecto lee la entrada común y escribe en la salida común.\n" "\n" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "Ejemplos:\n" "\t%s '{ sum += $1 }; END { print sum }' fichero\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "© 1989, 1991-%d Free Software Foundation.\n" "\n" "Este programa es software libre; se puede redistribuir y/o modificar\n" "bajo los términos de la Licencia Pública General de GNU tal como es " "publicada\n" "por la Free Software Foundation; ya sea por la versión 3 de la Licencia, o\n" "(a su elección) cualquier versión posterior.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "Este programa se distribuye con la esperanza que será útil,\n" "pero SIN NINGUNA GARANTÍA; aún sin la garantía implícita de\n" "COMERCIABILIDAD o IDONEIDAD PARA UN FIN DETERMINADO. Vea la\n" "Licencia Pública General de GNU para más detalles.\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "Debería haber recibido una copia de la Licencia Pública General de GNU\n" "junto con este programa. Si no es así, vea http://www.gnu.org/licenses/.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "-Ft no establece FS a tabulador en el awk de POSIX" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: el argumento «%s» para `-v' no es de la forma `var=valor'\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "«%s» no es un nombre de variable legal" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "«%s» no es un nombre de variable, se busca el fichero `%s=%s'" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "" "no se puede utilizar la orden interna de gawk «%s» como nombre de variable" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "no se puede usar la función «%s» como nombre de variable" #: main.c:1294 msgid "floating point exception" msgstr "excepción de coma flotante" #: main.c:1304 msgid "fatal error: internal error" msgstr "error fatal: error interno" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "no existe el df %d abierto previamente" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "no se puede abrir previamente /dev/null para el df %d" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "argumento vacío para `-e/--source' ignorado" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "`--profile' se impone a `--pretty-print'" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "se descarta -M: no se compiló el soporte para MPFR/GMP" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "Utilice `GAWK_PERSIST_FILE=%s gawk ...' en lugar de --persist." #: main.c:1726 msgid "Persistent memory is not supported." msgstr "No se admite la memoria persistente." #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: no se reconoce la opción `-W %s', se descarta\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: la opción requiere un argumento -- %c\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "%s: fatal: no se puede ejecutar stat en %s: %s\n" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" "%s: fatal: no se permite usar memoria persistente cuando se ejecuta como " "root.\n" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "%s: aviso: %s no pertenece al euid %d.\n" #: main.c:1913 msgid "persistent memory is not supported" msgstr "no se admite la memoria persistente" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" "%s: fatal: fallo al inicializar el alojador de memoria persistente: valor de " "devolución %d, línea pma.c: %d.\n" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "Valor PREC «%.*s» es inválido" #: mpfr.c:718 #, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "el valor ROUNDMODE `%.*s' es inválido" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: el primer argumento recibido no es númerico" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: el segundo argumento recibido no es númerico" #: mpfr.c:825 #, c-format msgid "%s: received negative argument %.*s" msgstr "%s: se recibió el argumento negativo %.*s" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int: se recibió un argumento que no es númerico" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: se recibió un argumento que no es númerico" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%Rg): valor negativo no está permitido" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "comp(%Rg): valor fraccionario será truncado" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%Zd): valores negativos no serán permitidos" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s: argumento no-numérico recibido #%d" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "%s: argumento #%d tiene valor inválido %Rg, utilizando 0" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%s: argumento #%d valor negativo %Rg no está permitido" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "%s: argumento #%d valor fraccional %Rg serán truncados" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%s: argumento #%d valor negativo %Zd no está permitido" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: llamado con menos de dos argumentos" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "o: llamado con menos de dos argumentos" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "oex: llamado con menos de dos argumentos" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: se recibió un argumento que no es númerico" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "intdiv: primer argumento recibido es no-númerico" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "intdiv: segundo argumento recibido no es númerico" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "línea ord.:" #: node.c:477 msgid "backslash at end of string" msgstr "barra invertida al final de la cadena" #: node.c:511 msgid "could not make typed regex" msgstr "no pudo hacer expreg tipada" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "el awk antiguo no admite la secuencia `\\%c' de escape" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX no permite `\\x' como escapes" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "no hay dígitos hexadecimales en `\\x' como secuencia de escape" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "escape hexadecimal \\x%.*s de %d caracteres tal vez no se interprete de la " "forma esperada" #: node.c:705 msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX no permite `\\u' como escapes" #: node.c:713 msgid "no hex digits in `\\u' escape sequence" msgstr "no hay dígitos hexadecimales en `\\u' como secuencia de escape" #: node.c:744 msgid "invalid `\\u' escape sequence" msgstr "secuencia de escape `\\u' inválida" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "la secuencia de escape `\\%c' tratada como una simple `%c'" #: node.c:908 msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "Se detectaron datos multibyte inválidos. Puede ser que no coincidan sus " "datos con su local" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "" "%s %s «%s»: no se pueden obtener las opciones del fd: (fcntl F_GETFD: %s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "%s %s «%s»: no se puede establecer close-on-exec: (fcntl F_SETFD: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "aviso: /proc/self/exe: readlink: %s\n" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "aviso: personalidad: %s\n" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "waitpid: se recibió el estado de salida %#o\n" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "fatal: posix_spawn: %s\n" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "" "El nivel de indentación del programa es demasiado profundo. Considere " "refactorizar su código" #: profile.c:114 msgid "sending profile to standard error" msgstr "se envía el perfil a la salida común de error" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# %s regla(s)\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# Regla(s)\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "error interno: %s con vname nulo" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "error interno: compilado con fname nulo" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "%s# Extensiones cargadas (-l y/o @load)\n" "\n" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\n" "# Ficheros incluidos (-i y/o @include)\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# perfil de gawk, creado %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# Funciones, enumeradas alfabéticamente\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str: tipo de redirección %d desconocida" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" "la conducta de coincidir con una expresión regular que contiene caracteres " "NUL no está definida por POSIX" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "byte NUL inválido en la expresión regular dinámica" #: re.c:215 #, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "" "la secuencia de escape de expresión regular `\\%c' se trata como una simple " "`%c'" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" "la secuencia de escape de expresión regular `\\%c' no es un operador de " "expresión regular conocido" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "" "el componente de expresión regular `%.*s' probablemente debe ser `[%.*s]'" #: support/dfa.c:910 msgid "unbalanced [" msgstr "desbalanceado [" #: support/dfa.c:1031 msgid "invalid character class" msgstr "clase de carácter inválido" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "sintaxis de clase de carácter es [[:espacio:]], no [:espacio:]" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "escape \\ no terminado" #: support/dfa.c:1345 msgid "? at start of expression" msgstr "? al inicio de la expresión" #: support/dfa.c:1357 msgid "* at start of expression" msgstr "* al inicio de la expresión" #: support/dfa.c:1371 msgid "+ at start of expression" msgstr "+ al inicio de la expresión" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "{...} al inicio de la expresión" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "contenido inválido de \\{\\}" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "expresión regular demasiado grande" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "\\ sobrante antes de un carácter no imprimible" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "\\ sobrante antes de espacio en blanco" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "\\ sobrante antes de %s" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "\\ sobrante" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "desbalanceado (" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "sin sintaxis especificada" #: support/dfa.c:2077 msgid "unbalanced )" msgstr ") desbalanceado" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: la opción '%s' es ambigua; posibilidades:" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s: la opción '--%s' no admite ningún argumento\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: la opción '%c%s' no admite ningún argumento\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: la opción '--%s' requiere un argumento\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: no se reconoce la opción '--%s'\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: no se reconoce la opción '%c%s'\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: opción inválida -- «%c»\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s: la opción requiere un argumento -- «%c»\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: la opción '-W %s' es ambigua\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: la opción '-W %s' no admite ningún argumento\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: la opción '-W %s' requiere un argumento\n" #: support/regcomp.c:122 msgid "Success" msgstr "Correcto" #: support/regcomp.c:125 msgid "No match" msgstr "No hay coincidencia" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "Expresión regular inválida" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "Caracter de ordenación inválido" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "Nombre de clase de caracter inválido" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "Barra invertida al final" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "Referencia hacia atrás inválida" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "[, [^, [:, [., o [= desemparejados" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "Desemparajados ( o \\(" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "Desemparejado \\{" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "Contenido inválido de \\{\\}" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "Final de rango inválido" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "Memoria agotada" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "Expresión regular precedente inválida" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "Fin prematuro de la expresión regular" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "Expresión regular demasiado grande" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr ") o \\) desemparejados" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "No hay una expresión regular previa" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" "la configuración actual de -M/--bignum no coincide con las opciones " "guardadas en el fichero de respaldo PMA" #: symbol.c:781 #, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "" "función «%s»: no se puede usar la función «%s» como nombre de parámetro" #: symbol.c:911 msgid "cannot pop main context" msgstr "no se puede extraer por arriba el contexto principal" #~ msgid "fatal: must use `count$' on all formats or none" #~ msgstr "fatal: se debe utilizar `count$' en todos los formatos o en ninguno" #, c-format #~ msgid "field width is ignored for `%%' specifier" #~ msgstr "se descarta la anchura del campo para el especificador `%%'" #, c-format #~ msgid "precision is ignored for `%%' specifier" #~ msgstr "se descarta la precisión para el especificador `%%'" #, c-format #~ msgid "field width and precision are ignored for `%%' specifier" #~ msgstr "" #~ "se descartan la anchura y precisión del campo para el especificador `%%'" #~ msgid "fatal: `$' is not permitted in awk formats" #~ msgstr "fatal: no se permite `$' en los formatos de awk" #~ msgid "fatal: argument index with `$' must be > 0" #~ msgstr "fatal: el índice del argumento con `$' debe ser > 0" #, c-format #~ msgid "" #~ "fatal: argument index %ld greater than total number of supplied arguments" #~ msgstr "" #~ "fatal: el índice del argumento %ld es mayor que el número total de " #~ "argumentos proporcionados" #~ msgid "fatal: `$' not permitted after period in format" #~ msgstr "fatal: no se permite `$' después de un punto en el formato" #~ msgid "fatal: no `$' supplied for positional field width or precision" #~ msgstr "" #~ "fatal: no se proporciona `$' para la anchura o la precisión del campo " #~ "posicional" #, c-format #~ msgid "`%c' is meaningless in awk formats; ignored" #~ msgstr "`%c' no tiene significado en los formatos de awk; se descarta" #, c-format #~ msgid "fatal: `%c' is not permitted in POSIX awk formats" #~ msgstr "fatal: no se permite `%c' en los formatos POSIX de awk" #, c-format #~ msgid "[s]printf: value %g is too big for %%c format" #~ msgstr "[s]printf: el valor %g es demasiado grande para el formato %%c" #, c-format #~ msgid "[s]printf: value %g is not a valid wide character" #~ msgstr "[s]printf: el valor %g no es un carácter ancho válido" #, c-format #~ msgid "[s]printf: value %g is out of range for `%%%c' format" #~ msgstr "[s]printf: el valor %g está fuera del rango para el formato `%%%c'" #, c-format #~ msgid "[s]printf: value %s is out of range for `%%%c' format" #~ msgstr "[s]printf: el valor %s está fuera del rango para el formato `%%%c'" #, c-format #~ msgid "%%%c format is POSIX standard but not portable to other awks" #~ msgstr "el formato %%%c es estándar POSIX pero no es portable a otros awks" #, c-format #~ msgid "" #~ "ignoring unknown format specifier character `%c': no argument converted" #~ msgstr "" #~ "se descarta el carácter especificador de formato `%c' desconocido: no se " #~ "convirtió ningún argumento" #~ msgid "fatal: not enough arguments to satisfy format string" #~ msgstr "" #~ "fatal: no hay suficientes argumentos para satisfacer a la cadena de " #~ "formato" #~ msgid "^ ran out for this one" #~ msgstr "se acabó ^ para éste" #~ msgid "[s]printf: format specifier does not have control letter" #~ msgstr "[s]printf: el especificador de formato no tiene letras de control" #~ msgid "too many arguments supplied for format string" #~ msgstr "se proporcionaron demasiados argumentos para la cadena de formato" #, c-format #~ msgid "%s: received non-string format string argument" #~ msgstr "" #~ "%s: el primer argumento recibido no es una cadena de formato de cadena" #~ msgid "sprintf: no arguments" #~ msgstr "sprintf: sin argumentos" #~ msgid "printf: no arguments" #~ msgstr "printf: sin argumentos" #~ msgid "printf: attempt to write to closed write end of two-way pipe" #~ msgstr "" #~ "printf: se intenta escribir al final de escritura cerrado de una tuberías " #~ "de vía doble" #, c-format #~ msgid "%s" #~ msgstr "%s" #~ msgid "\t-W nostalgia\t\t--nostalgia\n" #~ msgstr "\t-W nostalgia\t\t--nostalgia\n" #~ msgid "fatal error: internal error: segfault" #~ msgstr "error fatal: error interno: falla de segmentación" #~ msgid "fatal error: internal error: stack overflow" #~ msgstr "error fatal: error interno: desbordamiento de pila" #~ msgid "typeof: invalid argument type `%s'" #~ msgstr "tipode: tipo de argumento inválido «%s»" #~ msgid "" #~ "The time extension is obsolete. Use the timex extension from gawkextlib " #~ "instead." #~ msgstr "" #~ "La extensión time es obsoleta. Utilice en su lugar la extensión timex de " #~ "gawkextlib." #~ msgid "do_writea: first argument is not a string" #~ msgstr "do_writea: el primer argumento no es una cadena" #~ msgid "do_reada: first argument is not a string" #~ msgstr "do_reada: el primer argumento no es una cadena" #~ msgid "do_writea: argument 1 is not an array" #~ msgstr "do_writea: el argumento 1 no es una matriz" #~ msgid "do_reada: argument 0 is not a string" #~ msgstr "do_reada: el argumento 0 no es una cadena" #~ msgid "do_reada: argument 1 is not an array" #~ msgstr "do_reada: el argumento 1 no es una matriz" #~ msgid "`L' is meaningless in awk formats; ignored" #~ msgstr "`L' no tiene significado en los formatos de awk; se descarta" #~ msgid "fatal: `L' is not permitted in POSIX awk formats" #~ msgstr "fatal: no se permite `L' en los formatos POSIX de awk" #~ msgid "`h' is meaningless in awk formats; ignored" #~ msgstr "`h' no tiene significado en los formatos de awk; se descarta" #~ msgid "fatal: `h' is not permitted in POSIX awk formats" #~ msgstr "fatal: no se permite `h' en los formatos POSIX de awk" #~ msgid "No symbol `%s' in current context" #~ msgstr "Ningún símbolo «%s» en contexto actual" #~ msgid "adump: first argument not an array" #~ msgstr "adump: el primer argumento no es una matriz" #~ msgid "asort: second argument not an array" #~ msgstr "asort: el segundo argumento no es una matriz" #~ msgid "asorti: second argument not an array" #~ msgstr "asorti: el segundo argumento no es una matriz" #~ msgid "asorti: first argument not an array" #~ msgstr "asorti: el primer argumento no es una matriz" #~ msgid "asorti: cannot use a subarray of first arg for second arg" #~ msgstr "" #~ "asorti: no se puede usar una submatriz del primer argumento para el " #~ "segundo argumento" #~ msgid "asorti: cannot use a subarray of second arg for first arg" #~ msgstr "" #~ "asorti: no se puede usar una submatriz del segundo argumento para el " #~ "primer argumento" #~ msgid "can't read sourcefile `%s' (%s)" #~ msgstr "no puede leer el fichero fuente «%s» (%s)" #~ msgid "POSIX does not allow operator `**='" #~ msgstr "POSIX no permite el operador `**='" #~ msgid "old awk does not support operator `**='" #~ msgstr "el awk antiguo no admite el operador `**='" #~ msgid "old awk does not support operator `**'" #~ msgstr "el awk antiguo no admite el operador `**'" #~ msgid "operator `^=' is not supported in old awk" #~ msgstr "el operador `^=' no se admite en el awk antiguo" #~ msgid "could not open `%s' for writing (%s)" #~ msgstr "no se puede abrir «%s» para escritura (%s)" #~ msgid "exp: received non-numeric argument" #~ msgstr "exp: se recibió un argumento que no es númerico" #~ msgid "length: received non-string argument" #~ msgstr "length: se recibió un argumento que no es una cadena" #~ msgid "log: received non-numeric argument" #~ msgstr "log: se recibió un argumento que no es númerico" #~ msgid "sqrt: received non-numeric argument" #~ msgstr "sqrt: se recibió un argumento que no es un númerico" #~ msgid "sqrt: called with negative argument %g" #~ msgstr "sqrt: se llamó con el argumento negativo %g" #~ msgid "strftime: received non-numeric second argument" #~ msgstr "strftime: el segundo argumento recibido no es númerico" #~ msgid "strftime: received non-string first argument" #~ msgstr "strftime: el primer argumento recibido no es una cadena" #~ msgid "setenv(TZ, %s) failed (%s)" #~ msgstr "setenv(TZ, %s) fallado (%s)" #~ msgid "setenv(TZ, %s) restoration failed (%s)" #~ msgstr "setenv(TZ, %s) restauración falladoa (%s)" #~ msgid "unsetenv(TZ) failed (%s)" #~ msgstr "unsetenv(TZ) fallado (%s)" #~ msgid "mktime: received non-string argument" #~ msgstr "mktime: se recibió un argumento que no es una cadena" #~ msgid "tolower: received non-string argument" #~ msgstr "tolower: se recibió un argumento que no es una cadena" #~ msgid "toupper: received non-string argument" #~ msgstr "toupper: se recibió un argumento que no es una cadena" #~ msgid "sin: received non-numeric argument" #~ msgstr "sin: se recibió un argumento que no es númerico" #~ msgid "cos: received non-numeric argument" #~ msgstr "cos: se recibió un argumento que no es númerico" #~ msgid "lshift: received non-numeric first argument" #~ msgstr "lshift: el primer argumento recibido no es númerico" #~ msgid "lshift: received non-numeric second argument" #~ msgstr "lshift: el segundo argumento recibido no es númerico" #~ msgid "rshift: received non-numeric first argument" #~ msgstr "rshift: el primer argumento recibido no es númerico" #~ msgid "rshift: received non-numeric second argument" #~ msgstr "rshift: el segundo argumento recibido no es númerico" #~ msgid "and: argument %d is non-numeric" #~ msgstr "y: argumento %d es no-numérico" #~ msgid "and: argument %d negative value %g is not allowed" #~ msgstr "y: argumento negativo %d valorador %g no está permitido" #~ msgid "or: argument %d negative value %g is not allowed" #~ msgstr "o: argumento negativo %d valorador %g no está permitido" #~ msgid "xor: argument %d is non-numeric" #~ msgstr "oex: argumento %d es no-numérico" #~ msgid "xor: argument %d negative value %g is not allowed" #~ msgstr "oex: argumento negativo %d valorado %g no está permitido" #~ msgid "Can't find rule!!!\n" #~ msgstr "¡¡¡No puede encontrar regla!!!\n" #~ msgid "q" #~ msgstr "q" #~ msgid "fts: bad first parameter" #~ msgstr "fts: primer parámetro equivocado" #~ msgid "fts: bad second parameter" #~ msgstr "fts: segundo parámetro equivocado" #~ msgid "fts: bad third parameter" #~ msgstr "fts: tercer parámetro equivocado" #~ msgid "fts: clear_array() failed\n" #~ msgstr "fts: fts_array() fallado\n" #~ msgid "ord: called with inappropriate argument(s)" #~ msgstr "ord: llamado con argumento(s) inapropiado(s)" #~ msgid "chr: called with inappropriate argument(s)" #~ msgstr "chr: llamado con argumento(s) inapropiados" #~ msgid "reference to uninitialized element `%s[\"%.*s\"]'" #~ msgstr "referencia al elemento sin inicializar `%s[\"%.*s\"]'" #~ msgid "subscript of array `%s' is null string" #~ msgstr "el subíndice de la matriz `%s' es la cadena nula" #~ msgid "%s: empty (null)\n" #~ msgstr "%s: vacío (nulo)\n" #~ msgid "%s: empty (zero)\n" #~ msgstr "%s: vacío (cero)\n" #~ msgid "%s: table_size = %d, array_size = %d\n" #~ msgstr "%s: tamaño_tabla = %d, tamaño_matriz = %d\n" #~ msgid "%s: array_ref to %s\n" #~ msgstr "%s: array_ref a %s\n" #~ msgid "`nextfile' is a gawk extension" #~ msgstr "`nextfile' es una extensión de gawk" #~ msgid "`delete array' is a gawk extension" #~ msgstr "`delete array' es una extensión de gawk" #~ msgid "`getline var' invalid inside `%s' rule" #~ msgstr "`getline var' inválido dentro de la regla `%s'" #~ msgid "`getline' invalid inside `%s' rule" #~ msgstr "`getline' inválido dentro de la regla `%s'" #~ msgid "use of non-array as array" #~ msgstr "uso de una matriz que no es matriz" #~ msgid "`%s' is a Bell Labs extension" #~ msgstr "`%s' es una extensión de Bell Labs" #~ msgid "and(%lf, %lf): negative values will give strange results" #~ msgstr "and(%lf, %lf): los valores negativos darán resultados extraños" #~ msgid "or(%lf, %lf): negative values will give strange results" #~ msgstr "or(%lf, %lf): los valores negativos darán resultados extraños" #~ msgid "or(%lf, %lf): fractional values will be truncated" #~ msgstr "or(%lf, %lf): los valores fraccionarios serán truncados" #~ msgid "xor: received non-numeric first argument" #~ msgstr "xor: el primer argumento recibido no es númerico" #~ msgid "xor: received non-numeric second argument" #~ msgstr "xor: el segundo argumento recibido no es númerico" #~ msgid "xor(%lf, %lf): negative values will give strange results" #~ msgstr "xor(%lf, %lf): los valores negativos darán resultados extraños" #~ msgid "xor(%lf, %lf): fractional values will be truncated" #~ msgstr "xor(%lf, %lf): los valores fraccionarios se truncarán" #~ msgid "can't use function name `%s' as variable or array" #~ msgstr "" #~ "no se puede usar el nombre de la función `%s' como variable o matriz" #~ msgid "assignment used in conditional context" #~ msgstr "se usó una asignación en un contexto condicional" #~ msgid "" #~ "for loop: array `%s' changed size from %ld to %ld during loop execution" #~ msgstr "" #~ "bucle for: la matriz `%s' cambió de tamaño de %ld a %ld durante la " #~ "ejecución del bucle" #~ msgid "function called indirectly through `%s' does not exist" #~ msgstr "no existe la función llamada indirectamente a través de `%s'" #~ msgid "function `%s' not defined" #~ msgstr "la función `%s' no está definida" #~ msgid "error reading input file `%s': %s" #~ msgstr "error al leer el fichero de entrada `%s': %s" #~ msgid "`nextfile' cannot be called from a `%s' rule" #~ msgstr "`nextfile' no se puede llamar desde una regla `%s'" #~ msgid "`next' cannot be called from a `%s' rule" #~ msgstr "`next' no se puede llamar desde una regla `%s'" #~ msgid "Sorry, don't know how to interpret `%s'" #~ msgstr "Perdón, no se cómo interpretar `%s'" #~ msgid "`extension' is a gawk extension" #~ msgstr "`extension' es una extensión de gawk" #~ msgid "extension: illegal character `%c' in function name `%s'" #~ msgstr "extension: carácter ilegal `%c' en el nombre de la función `%s'" #~ msgid "function `%s' defined to take no more than %d argument(s)" #~ msgstr "la función `%s' se definió para tomar no más de %d argumento(s)" #~ msgid "function `%s': missing argument #%d" #~ msgstr "función `%s': falta el argumento #%d" #~ msgid "Operation Not Supported" #~ msgstr "No Se Admite La Operación" #~ msgid "no (known) protocol supplied in special filename `%s'" #~ msgstr "" #~ "no se proporciona algún protocolo (conocido) en el nombre de fichero " #~ "especial `%s'" #~ msgid "special file name `%s' is incomplete" #~ msgstr "el nombre de fichero especial `%s' está incompleto" #~ msgid "must supply a remote hostname to `/inet'" #~ msgstr "se debe proporcionar a `/inet' un nombre de anfitrión remoto" #~ msgid "must supply a remote port to `/inet'" #~ msgstr "se debe proporcionar a `/inet' un puerto remoto" #~ msgid "`-m[fr]' option irrelevant in gawk" #~ msgstr "la opción -m[fr] es irrelevante en gawk" #~ msgid "-m option usage: `-m[fr] nnn'" #~ msgstr "uso de la opción -m: `-m[fr]' nnn" #~ msgid "\t-R file\t\t\t--command=file\n" #~ msgstr "\t-R fichero\t\t\t--command=fichero\n" #~ msgid "" #~ "\n" #~ "To report bugs, see node `Bugs' in `gawk.info', which is\n" #~ "section `Reporting Problems and Bugs' in the printed version.\n" #~ "\n" #~ msgstr "" #~ "\n" #~ "Para reportar bichos, consulte el nodo `Bugs' en `gawk.info', el cual\n" #~ "corresponde a la sección `Reporting Problems and Bugs' en la versión " #~ "impresa.\n" #~ "Reporte los errores de los mensajes en español a .\n" #~ "\n" #~ msgid "could not find groups: %s" #~ msgstr "no se pueden encontrar los grupos: %s" #~ msgid "" #~ "\t# %s block(s)\n" #~ "\n" #~ msgstr "" #~ "\t# bloque(s) %s\n" #~ "\n" #~ msgid "range of the form `[%c-%c]' is locale dependent" #~ msgstr "el rango de la forma `[%c-%c]' depende del local" #~ msgid "assignment is not allowed to result of builtin function" #~ msgstr "no se permite la asignación como resultado de una función interna" #~ msgid "attempt to use array in a scalar context" #~ msgstr "se intentó usar una matriz en un contexto escalar" #~ msgid "statement may have no effect" #~ msgstr "la sentencia puede no tener efecto" #~ msgid "out of memory" #~ msgstr "memoria agotada" #~ msgid "attempt to use scalar `%s' as array" #~ msgstr "se intentó usar el dato escalar `%s' como una matriz" #~ msgid "call of `length' without parentheses is deprecated by POSIX" #~ msgstr "la llamada de `length' sin paréntesis está obsoleta por POSIX" #~ msgid "division by zero attempted in `/'" #~ msgstr "se intentó una división por cero en `/'" #~ msgid "length: untyped parameter argument will be forced to scalar" #~ msgstr "length: un argumento de parámetro sin tipo se forzará a escalar" #~ msgid "length: untyped argument will be forced to scalar" #~ msgstr "length: un argumento sin tipo se forzará a escalar" #~ msgid "`break' outside a loop is not portable" #~ msgstr "`break' fuera de un ciclo no es transportable" #~ msgid "`continue' outside a loop is not portable" #~ msgstr "`continue' fuera de un ciclo no es transportable" #~ msgid "`nextfile' cannot be called from a BEGIN rule" #~ msgstr "`nextfile' no se puede llamar desde una regla BEGIN" #~ msgid "" #~ "concatenation: side effects in one expression have changed the length of " #~ "another!" #~ msgstr "" #~ "concatenación: ¡Los efectos laterales en una expresión han cambiado la " #~ "longitud de otra!" #~ msgid "illegal type (%s) in tree_eval" #~ msgstr "tipo ilegal (%s) en tree_eval" #~ msgid "\t# -- main --\n" #~ msgstr "\t# -- principal --\n" #~ msgid "invalid tree type %s in redirect()" #~ msgstr "tipo de árbol %s inválido en redirect()" #~ msgid "/inet/raw client not ready yet, sorry" #~ msgstr "el cliente /inet/raw no está listo aún, perdón" #~ msgid "only root may use `/inet/raw'." #~ msgstr "sólo root puede utilizar `/inet/raw'." #~ msgid "/inet/raw server not ready yet, sorry" #~ msgstr "el servidor /inet/raw no está listo aún, perdón" #~ msgid "file `%s' is a directory" #~ msgstr "el fichero `%s' es un directorio" #~ msgid "use `PROCINFO[\"%s\"]' instead of `%s'" #~ msgstr "use `PROCINFO[\"%s\"]' en lugar de `%s'" #~ msgid "use `PROCINFO[...]' instead of `/dev/user'" #~ msgstr "use `PROCINFO[...]' en lugar de `/dev/user'" #~ msgid "\t-m[fr] val\n" #~ msgstr "\t-m[fr] valor\n" #~ msgid "\t-W compat\t\t--compat\n" #~ msgstr "\t-W compat\t\t--compat\n" #~ msgid "\t-W copyleft\t\t--copyleft\n" #~ msgstr "\t-W copyleft\t\t--copyleft\n" #~ msgid "\t-W usage\t\t--usage\n" #~ msgstr "\t-W usage\t\t--usage\n" #~ msgid "can't convert string to float" #~ msgstr "no se puede convertir una cadena a coma flotante" #~ msgid "# treated internally as `delete'" #~ msgstr "# se trata internamente como `delete'" #~ msgid "# this is a dynamically loaded extension function" #~ msgstr "# esta es una función de extensión cargada dinámicamente" #~ msgid "" #~ "\t# BEGIN block(s)\n" #~ "\n" #~ msgstr "" #~ "\t# bloque(s) BEGIN\n" #~ "\n" #~ msgid "unexpected type %s in prec_level" #~ msgstr "tipo %s inesperado en prec_level" #~ msgid "Unknown node type %s in pp_var" #~ msgstr "Tipo de nodo %s desconocido en pp_var" #~ msgid "can't open two way socket `%s' for input/output (%s)" #~ msgstr "" #~ "no se puede abrir el `socket' de dos vías `%s' para entrada/salida (%s)" #~ msgid "%s: illegal option -- %c\n" #~ msgstr "%s: opción ilegal -- %c\n" #~ msgid "function %s called\n" #~ msgstr "se llamó a la función %s\n" #~ msgid "field %d in FIELDWIDTHS, must be > 0" #~ msgstr "el campo %d en FIELDWIDTHS, debe ser > 0" #~ msgid "or used as a variable or an array" #~ msgstr "o se usó como una variable o una matriz" #~ msgid "substr: length %g is < 0" #~ msgstr "substr: la longitud %g es < 0" #~ msgid "regex match failed, not enough memory to match string \"%.*s%s\"" #~ msgstr "" #~ "falló la coincidencia de la expresión regular, no hay suficiente memoria " #~ "para que coincida la cadena \"%.*s%s\"" #~ msgid "delete: illegal use of variable `%s' as array" #~ msgstr "delete: uso ilegal de la variable `%s' como una matriz" #~ msgid "internal error: Node_var_array with null vname" #~ msgstr "error interno: Node_var_array con vname nulo" #~ msgid "invalid syntax in name `%s' for variable assignment" #~ msgstr "sintaxis inválida en el nombre `%s' para la asignación de variable" #~ msgid "or used in other expression context" #~ msgstr "se usó or en otro contexto de la expresión" #~ msgid "`%s' is a function, assignment is not allowed" #~ msgstr "`%s' es una función, no se permite asignación" #~ msgid "BEGIN blocks must have an action part" #~ msgstr "Los bloques BEGIN deben tener una parte de acción" #~ msgid "`nextfile' used in BEGIN or END action" #~ msgstr "`nextfile' es usado en la acción de BEGIN o END" #~ msgid "non-redirected `getline' undefined inside BEGIN or END action" #~ msgstr "" #~ "`getline' no redirigido indefinido dentro de la acción de BEGIN o END" # tokentab? cfuga #~ msgid "fptr %x not in tokentab\n" #~ msgstr "fptr %x no está en tokentab\n" #~ msgid "gsub third parameter is not a changeable object" #~ msgstr "el tercer argumento de gsub no es un objecto que se puede cambiar" #~ msgid "unfinished repeat count" #~ msgstr "cuenta de repetición sin terminar" #~ msgid "malformed repeat count" #~ msgstr "cuenta de repetición malformada" #~ msgid "" #~ "\n" #~ "To report bugs, see node `Bugs' in `gawk.info', which is\n" #~ msgstr "" #~ "\n" #~ "Para reportar `bugs', vea el nodo `Bugs' en gawk.info, que es\n" #~ msgid "pipe from `%s': could not set close-on-exec (fcntl: %s)" #~ msgstr "tubería de `%s': no se puede establecer close-on-exec (fcntl: %s)" #~ msgid "pipe to `%s': could not set close-on-exec (fcntl: %s)" #~ msgstr "tubería a `%s': no se puede establecer close-on-exec (fcntl: %s)" EOF echo Extracting po/fi.po cat << \EOF > po/fi.po # Finnish messages for gawk. # Copyright © 2010, 2011, 2012, 2013, 2014, 2015, 2017 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # Jorma Karvonen , 2010-2015, 2017. # msgid "" msgstr "" "Project-Id-Version: gawk 4.1.62\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2017-08-19 12:18+0300\n" "Last-Translator: Jorma Karvonen \n" "Language-Team: Finnish \n" "Language: fi\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Bugs: Report translation errors to the Language-Team address.\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Generator: Poedit 2.0.1\n" #: array.c:249 #, c-format msgid "from %s" msgstr "taulukosta %s" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "yritettiin käyttää skalaariarvoa taulukkona" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "yritettiin käyttää skalaariparametria ”%s” taulukkona" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "yritettiin käyttää skalaaria ”%s” taulukkona" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "yritettiin käyttää taulukkoa ”%s” skalaarikontekstissa" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "delete: indeksi ”%.*s” ei ole taulukossa ”%s”" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "yritettiin käyttää skalaaria ”%s[\"%.*s\"]” taulukkona" #: array.c:856 array.c:906 #, fuzzy, c-format msgid "%s: first argument is not an array" msgstr "asort: ensimmäinen argumentti ei ole taulukko" #: array.c:898 #, fuzzy, c-format msgid "%s: second argument is not an array" msgstr "split: toinen argumentti ei ole taulukko" #: array.c:901 field.c:1150 field.c:1247 #, fuzzy, c-format msgid "%s: cannot use %s as second argument" msgstr "" "asort: ensimmäisen argumentin alitaulukon käyttö toiselle argumentille " "epäonnistui" #: array.c:909 #, fuzzy, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "asort: ensimmäinen argumentti ei ole taulukko" #: array.c:911 #, fuzzy, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "asort: ensimmäinen argumentti ei ole taulukko" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" #: array.c:923 #, fuzzy, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "" "asort: ensimmäisen argumentin alitaulukon käyttö toiselle argumentille " "epäonnistui" #: array.c:928 #, fuzzy, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "" "asort: toisen argumentin alitaulukon käyttö ensimmäiselle argumentille " "epäonnistui" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "”%s” on virheellinen funktionimenä" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "lajitteluvertailufunktiota ”%s” ei ole määritelty" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "%s lohkoilla on oltava toiminto-osa" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "jokaisella säännöllä on oltava malli tai toiminto-osa" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "vanha awk ei tue useita ”BEGIN”- tai ”END”-sääntöjä" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "”%s” on sisäänrakennettu funktio. Sitä ei voi määritellä uudelleen" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "" "säännöllisen lausekkeen vakio ”//” näyttää C++-kommentilta, mutta ei ole" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "" "säännöllisen lausekkeen vakio ”/%s/” näyttää C-kommentilta, mutta ei ole" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "kaksi samanlaista case-arvoa switch-rakenteen rungossa: %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "kaksoiskappale ”default” havaittu switch-rungossa" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "”break” ei ole sallittu silmukan tai switch-lauseen ulkopuolella" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "”continue” ei ole sallittu silmukan ulkopuolella" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "”next” käytetty %s-toiminnossa" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "”nextfile” käytetty %s-toiminnossa" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "”return” käytetty funktiokontekstin ulkopuolella" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" "pelkkä ”print” BEGIN- tai END-säännössä pitäisi luultavasti olla ”print \"\"”" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "”delete” ei ole sallittu kohteessa SYMTAB" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "”delete” ei ole sallittu kohteessa FUNCTAB" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "”delete(array)” ei ole siirrettävä tawk-laajennus" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "monivaiheiset kaksisuuntaiset putket eivät toimi" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "säännöllinen lauseke sijoituksen oikealla puolella" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "säännöllinen lauseke ”~”- tai ”!~”-operaattorin vasemmalla puolella" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "vanha awk ei tue avainsanaa ”in” paitsi ”for”-sanan jälkeen" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "säännöllinen lauseke vertailun oikealla puolella" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "edelleenohjaamaton ”getline” virheellinen ”%s”-säännön sisällä" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "edelleenohjaamaton ”getline” määrittelemätön END-toiminnon sisällä" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "vanha awk ei tue moniulotteisia taulukkoja" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "”length”-kutsu ilman sulkumerkkejä ei ole siirrettävä" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "epäsuorat funktiokutsut ovat gawk-laajennus" #: awkgram.y:2033 #, fuzzy, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "erikoismuuttujan ”%s” käyttö epäsuoralle funktiokutsulle epäonnistui" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "yritys käyttää ei-funktio ”%s” funktiokutsussa" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "virheellinen indeksointilauseke" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "varoitus: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "tuhoisa: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "odottamaton rivinvaihto tai merkkijonon loppu" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, fuzzy, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "lähdetiedoston ”%s” avaaminen lukemista varten (%s) epäonnistui" #: awkgram.y:2883 awkgram.y:3020 #, fuzzy, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "jaetun kirjaston ”%s” avaaminen lukemista varten (%s) epäonnistui" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "syy tuntematon" #: awkgram.y:2894 awkgram.y:2918 #, fuzzy, c-format msgid "cannot include `%s' and use it as a program file" msgstr "kohteen ”%s” sisällyttäminen ja käyttö ohjelmatiedostona epäonnistui" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "on jo sisällytetty lähdetiedostoon ”%s”" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "jaettu kirjasto ”%s” on jo ladattu" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "@include on gawk-laajennus" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "tyhjä tiedostonimi @include:n jälkeen" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "@load on gawk-laajennus" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "tyhjä tiedostonimi @load:n jälkeen" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "tyhjä ohjelmateksti komentorivillä" #: awkgram.y:3261 debug.c:470 debug.c:628 #, fuzzy, c-format msgid "cannot read source file `%s': %s" msgstr "lähdetiedoston ”%s” (%s) lukeminen epäonnistui" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "lähdetiedosto ”%s” on tyhjä" #: awkgram.y:3332 #, fuzzy, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "PEBKAC-virhe: virheellinen merkki ’\\%03o’ lähdekoodissa" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "lähdetiedoston lopussa ei ole rivinvaihtoa" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "" "päättämätön säännöllinen lauseke loppuu ”\\”-merkkeihin tiedoston lopussa" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "%s: %d: tawk:n regex-määre ”/.../%c” ei toimi gawk:ssa" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "tawkin regex-määre ”/.../%c” ei toimi gawkissa" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "päättämätön säännöllinen lauseke" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "päättämätön säännöllinen lauseke tiedoston lopussa" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "”\\ #...”-rivijatkamisen käyttö ei ole siirrettävä" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "kenoviiva ei ole rivin viimeinen merkki" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "moniulotteiset taulukot ovat gawk-laajennus" #: awkgram.y:3903 awkgram.y:3914 #, fuzzy, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX ei salli operaattoria ”**”" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, fuzzy, c-format msgid "operator `%s' is not supported in old awk" msgstr "operaattoria ”^” ei tueta vanhassa awk:ssa" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "päättämätön merkkijono" #: awkgram.y:4066 main.c:1237 #, fuzzy msgid "POSIX does not allow physical newlines in string values" msgstr "POSIX ei salli ”\\x”-koodinvaihtoja" #: awkgram.y:4068 node.c:482 #, fuzzy msgid "backslash string continuation is not portable" msgstr "”\\ #...”-rivijatkamisen käyttö ei ole siirrettävä" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "virheellinen merkki ’%c’ lausekkeessa" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "”%s” on gawk-laajennus" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX ei salli operaattoria ”%s”" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "”%s” ei ole tuettu vanhassa awk-ohjelmassa" #: awkgram.y:4517 #, fuzzy msgid "`goto' considered harmful!" msgstr "”goto”-käskyä pidetään haitallisena!\n" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d on virheellinen argumenttilukumäärä operaattorille %s" #: awkgram.y:4621 #, fuzzy, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "" "%s: merkkijonoliteraalilla ei ole vaikutusta korvauksen viimeisenä " "argumenttina" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "%s kolmas parametri ei ole vaihdettava objekti" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match: kolmas argumentti on gawk-laajennus" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close: toinen argumentti on gawk-laajennus" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "dcgettext(_\"...\")-käyttö on virheellinen: poista alaviiva alusta" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "dcngettext(_\"...\")-käyttö on virheellinen: poista alaviiva alusta" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "indeksi: regexp-vakio toisena argumenttina ei ole sallitttu" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "funktio ”%s”: parametri ”%s” varjostaa yleismuuttujaa" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "tiedoston ”%s” avaaminen kirjoittamista varten epäonnistui: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "lähetetään muuttujaluettelo vakiovirheeseen" #: awkgram.y:4947 #, fuzzy, c-format msgid "%s: close failed: %s" msgstr "%s: sulkeminen epäonnistui (%s)" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "shadow_funcs() kutsuttu kahdesti!" #: awkgram.y:4980 #, fuzzy #| msgid "there were shadowed variables." msgid "there were shadowed variables" msgstr "siellä oli varjostettuja muuttujia." #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "funktionimi ”%s” on jo aikaisemmin määritelty" #: awkgram.y:5123 #, fuzzy, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "funktio ”%s”: funktionimen käyttö parametrinimenä epäonnistui" #: awkgram.y:5126 #, fuzzy, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" "funktio ”%s”: erikoismuuttujan ”%s” käyttö funktioparametrina epäonnistui" #: awkgram.y:5130 #, fuzzy, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "funktio ”%s”: parametri ”%s” varjostaa yleismuuttujaa" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "funktio ”%s”: parametri #%d, ”%s”, samanlainen parametri #%d" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "funktiota ”%s” kutsuttiin, mutta sitä ei ole koskaan määritelty" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "funktio ”%s” määriteltiin, mutta sitä ei ole koskaan kutsuttu suoraan" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "säännöllisen lausekkeen vakio parametrille #%d antaa boolean-arvon" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "funktio ”%s” kutsuttu välilyönnillä nimen ja ”(”-merkin\n" "välillä, tai käytetty muuttujana tai taulukkona" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "nollalla jakoa yritettiin" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "jakoa nollalla yritettiin operaattorissa ”%%”" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "" "arvon sijoittaminen kenttäjälkikasvatuslausekkeen tulokseen epäonnistui" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "virheellinen sijoituskohde (käskykoodi %s)" #: awkgram.y:6266 msgid "statement has no effect" msgstr "käskyllä ei ole vaikutusta" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" #: awkgram.y:6883 #, fuzzy msgid "@namespace is a gawk extension" msgstr "@include on gawk-laajennus" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" #: builtin.c:93 builtin.c:100 #, fuzzy, c-format #| msgid "ord: called with no arguments" msgid "%s: called with %d arguments" msgstr "ord: kutsuttu ilman argumentteja" # kohteena voi olla vakiotuloste tai joku muu #: builtin.c:125 #, fuzzy, c-format msgid "%s to \"%s\" failed: %s" msgstr "%s kohteeseen ”%s” epäonnistui (%s)" #: builtin.c:129 msgid "standard output" msgstr "vakiotuloste" #: builtin.c:130 msgid "standard error" msgstr "vakiovirhe" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s: vastaanotettu argumentti ei ole numeerinen" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp: argumentti %g on lukualueen ulkopuolella" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, fuzzy, c-format msgid "%s: received non-string argument" msgstr "system: vastaanotettu argumentti ei ole merkkijono" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: tyhjentäminen epäonnistui: putki ”%.*s” avattu lukemista varten, ei " "kirjoittamiseen" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" "fflush: tyhjentäminen epäonnistui: tiedosto ”%.*s” avattu lukemista varten, " "ei kirjoittamiseen" #: builtin.c:307 #, fuzzy, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush: tiedoston ”%.*s” tyhjentäminen epäonnistui" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" "fflush: tyhjentäminen epäonnistui: kaksisuuntainen putki ”%.*s” suljettu " "kirjoituspäässä" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "fflush: ”%.*s” ei ole avoin tiedosto, putki tai apuprosessi" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, fuzzy, c-format msgid "%s: received non-string first argument" msgstr "index: ensimmäinen vastaanotettu argumentti ei ole merkkijono" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, fuzzy, c-format msgid "%s: received non-string second argument" msgstr "index: toinen vastaanotettu argumentti ei ole merkkijono" #: builtin.c:595 msgid "length: received array argument" msgstr "length: vastaanotettu taulukkoargumentti" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "”length(array)” on gawk-laajennus" #: builtin.c:655 builtin.c:677 #, fuzzy, c-format msgid "%s: received negative argument %g" msgstr "log: vastaanotettu negatiivinen argumentti %g" #: builtin.c:698 builtin.c:2949 #, fuzzy, c-format msgid "%s: received non-numeric third argument" msgstr "or: ensimmäinen vastaanotettu argumentti ei ole numeerinen" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, fuzzy, c-format msgid "%s: received non-numeric second argument" msgstr "or: toinen vastaanotettu argumentti ei ole numeerinen" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: pituus %g ei ole >= 1" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: pituus %g ei ole >= 0" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: typistetään pituus %g, joka ei ole kokonaisluku" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "" "substr: pituus %g liian suuri merkkijononindeksointiin, typistetään arvoon %g" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: aloitusindeksi %g on virheellinen, käytetään 1:tä" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "substr: typistetään aloitusindeksi %g, joka ei ole kokonaisluku" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: lähdemerkkijono on nollapituinen" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: aloitusindeksi %g on merkkijonon lopun jälkeen" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: pituus %g alkuindeksissä %g ylittää ensimmäisen argumentin pituuden " "(%lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "" "strftime: muotoarvolla kohteessa PROCINFO[\"strftime\"] on numerotyyppi" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "" "strftime: toinen argumentti on pienempi kuin 0 tai liian suuri time_t-" "rakenteeseen" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "strftime: kohteen time_t toinen argumentti lukualueen ulkopuolella" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: vastaanotettu tyhjä muotomerkkijono" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "mktime: vähintään yksi arvoista on oletuslukualueen ulkopuolella" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "’system’-funktio ei ole sallittu hiekkalaatikkotilassa" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "" "print: yritettiin kirjoittaa kaksisuuntaisen putken suljettuun " "kirjoituspäähän" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "viite alustamattomaan kenttään ”$%d”" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, fuzzy, c-format msgid "%s: received non-numeric first argument" msgstr "or: ensimmäinen vastaanotettu argumentti ei ole numeerinen" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: kolmas argumentti ei ole taulukko" #: builtin.c:1604 #, fuzzy, c-format #| msgid "fnmatch: could not get third argument" msgid "%s: cannot use %s as third argument" msgstr "fnmatch: kolmatta argumenttia ei saatu" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: kolmatta argumenttia ”%.*s” käsiteltiin kuin 1:stä" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s: voidaan kutsua epäsuorasti vain kahdella argumentilla" #: builtin.c:2242 #, fuzzy #| msgid "indirect call to %s requires at least two arguments" msgid "indirect call to gensub requires three or four arguments" msgstr "epäsuora kutsu kohteeseen %s vaatii vähintään kaksi argumenttia" #: builtin.c:2304 #, fuzzy #| msgid "indirect call to %s requires at least two arguments" msgid "indirect call to match requires two or three arguments" msgstr "epäsuora kutsu kohteeseen %s vaatii vähintään kaksi argumenttia" #: builtin.c:2365 #, fuzzy, c-format #| msgid "indirect call to %s requires at least two arguments" msgid "indirect call to %s requires two to four arguments" msgstr "epäsuora kutsu kohteeseen %s vaatii vähintään kaksi argumenttia" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): negatiiviset arvot eivät ole sallittuja" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f): jaosarvot typistetään" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "lshift(%f, %f): liian suuri siirrosarvo antaa outoja tuloksia" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f, %f): negatiiviset arvot eivät ole sallittuja" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): jaosarvot typistetään" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "rshift(%f, %f): liian suuri siirrosarvo antaa outoja tuloksia" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, fuzzy, c-format msgid "%s: called with less than two arguments" msgstr "or: kutsuttu vähemmällä kuin kahdella argumentilla" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, fuzzy, c-format msgid "%s: argument %d is non-numeric" msgstr "or: argumentti %d ei ole numeraaliargumentti" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, fuzzy, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%s: argumentin #%d negatiivinen arvo %Rg ei ole sallittu" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): negatiivinen arvo ei ole sallittu" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): jaosarvo typistetään" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: ”%s” ei ole kelvollinen paikallinen kategoria" #: builtin.c:2842 builtin.c:2860 #, fuzzy, c-format msgid "%s: received non-string third argument" msgstr "index: ensimmäinen vastaanotettu argumentti ei ole merkkijono" #: builtin.c:2915 builtin.c:2936 #, fuzzy, c-format msgid "%s: received non-string fifth argument" msgstr "index: ensimmäinen vastaanotettu argumentti ei ole merkkijono" #: builtin.c:2925 builtin.c:2942 #, fuzzy, c-format msgid "%s: received non-string fourth argument" msgstr "index: ensimmäinen vastaanotettu argumentti ei ole merkkijono" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "intdiv: kolmas argumentti ei ole taulukko" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "intdiv: nollalla jakoa yritettiin" #: builtin.c:3130 #, fuzzy msgid "typeof: second argument is not an array" msgstr "split: toinen argumentti ei ole taulukko" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" #: builtin.c:3272 #, fuzzy, c-format msgid "typeof: unknown argument type `%s'" msgstr "typeof: virheellinen argumenttityyppi ”%s”" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "" #: command.y:228 #, fuzzy, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "Kirjoita (g)awk-lause(et). Lopeta komennolla \"end\"\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "virheellinen kehysnumero: %d" #: command.y:298 #, fuzzy, c-format msgid "info: invalid option - `%s'" msgstr "info: virheellinen valitsin -- ”%s”" #: command.y:324 #, fuzzy, c-format msgid "source: `%s': already sourced" msgstr "source ”%s”: on jo merkitty lähteeksi." #: command.y:329 #, fuzzy, c-format msgid "save: `%s': command not permitted" msgstr "save ”%s”: komento ei ole sallittu." #: command.y:342 #, fuzzy msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" "Komennon ”commands” käyttö breakpoint/watchpoint-komentoja varten epäonnistui" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "yhtään breakpoint/watchpoint -kohdetta ei ole vielä asetettu" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "virheellinen breakpoint/watchpoint-numero" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "Kirjoita komennot, kun %s %d osui, yksi per rivi.\n" #: command.y:353 #, fuzzy, c-format msgid "End with the command `end'\n" msgstr "Lopeta komennolla ”end”\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "”end” on kelvollinen vain komennoissa ”commands” tai ”eval”" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "”silent” on kelvollinen vain komennossa ”commands”" #: command.y:376 #, fuzzy, c-format msgid "trace: invalid option - `%s'" msgstr "trace: virheellinen valitsin -- ”%s”" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "condition: virheellinen breakpoint/watchpoint-numero" #: command.y:452 msgid "argument not a string" msgstr "argumentti ei ole merkkijono" #: command.y:462 command.y:467 #, fuzzy, c-format msgid "option: invalid parameter - `%s'" msgstr "option: virheellinen parametri - ”%s”" #: command.y:477 #, fuzzy, c-format msgid "no such function - `%s'" msgstr "tuntematon funktio - ”%s”" #: command.y:534 #, fuzzy, c-format msgid "enable: invalid option - `%s'" msgstr "enable: virheellinen valitsin -- ”%s”" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "virheellinen lukualuemäärittely: %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "ei-numeerinen arvo kenttänumerolle" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "löytyi ei-numeerinen arvo, odotettiin numeraalia" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "nollasta poikkeava kokonaislukuarvo" #: command.y:820 #, fuzzy #| msgid "" #| "backtrace [N] - print trace of all or N innermost (outermost if N < 0) " #| "frames." msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" "backtrace [N] - tulosta kaikkien tai N:n sisimmäisen (ulommaisin, jos N < 0) " "kehyksen jäljet." #: command.y:822 #, fuzzy #| msgid "" #| "break [[filename:]N|function] - set breakpoint at the specified location." msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "" "break [[filename:]N|function] - aseta breakpoint määriteltyyn sijaintiin." #: command.y:824 #, fuzzy #| msgid "clear [[filename:]N|function] - delete breakpoints previously set." msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "" "clear [[filename:]N|function] - poista aiemmin asetetut breakpoint-kohdat." #: command.y:826 #, fuzzy #| msgid "" #| "commands [num] - starts a list of commands to be executed at a " #| "breakpoint(watchpoint) hit." msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" "commands [num] - aloittaa komentojen luettelon, joka suoritetaan " "keskeytyskohta(watchpoint)osumassa." #: command.y:828 #, fuzzy #| msgid "" #| "condition num [expr] - set or clear breakpoint or watchpoint condition." msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" "condition num [expr] - aseta tai nollaa keskeytyskohta- tai vahtikohtaehdot." #: command.y:830 #, fuzzy #| msgid "continue [COUNT] - continue program being debugged." msgid "continue [COUNT] - continue program being debugged" msgstr "continue [COUNT] - continue program being debugged." #: command.y:832 #, fuzzy #| msgid "delete [breakpoints] [range] - delete specified breakpoints." msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "" "delete [keskeytyskohdat] [lukualue] - poista määritellyt keskeytyskohdat." #: command.y:834 #, fuzzy #| msgid "disable [breakpoints] [range] - disable specified breakpoints." msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "" "disable [keskeytyskohdat] [lukualue] - ota pois käytöstä määritellyt " "keskeytyskohdat." #: command.y:836 #, fuzzy #| msgid "display [var] - print value of variable each time the program stops." msgid "display [var] - print value of variable each time the program stops" msgstr "" "display [muuttuja] - tulosta muuttujan arvo joka kerta kun ohjelma pysähtyy." #: command.y:838 #, fuzzy #| msgid "down [N] - move N frames down the stack." msgid "down [N] - move N frames down the stack" msgstr "down [N] - siirrä N kehystä alaspäin pinossa." #: command.y:840 #, fuzzy #| msgid "dump [filename] - dump instructions to file or stdout." msgid "dump [filename] - dump instructions to file or stdout" msgstr "dump [tiedostonimi] - vedosta käskyt tiedostoon tai vakiotulosteeseen." #: command.y:842 #, fuzzy #| msgid "" #| "enable [once|del] [breakpoints] [range] - enable specified breakpoints." msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" "enable [once|del] [keskeytyskohdat] [lukualue] - ota käyttöön määritellyt " "keskeytyskohdat." #: command.y:844 #, fuzzy #| msgid "end - end a list of commands or awk statements." msgid "end - end a list of commands or awk statements" msgstr "end - lopeta komentojen tai awk-lauseiden luottelo." #: command.y:846 #, fuzzy #| msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)." msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "eval stmt|[p1, p2, ...] - evaloi awk-lauseet." #: command.y:848 #, fuzzy #| msgid "exit - (same as quit) exit debugger." msgid "exit - (same as quit) exit debugger" msgstr "exit - (sama kuin quit) poistu vianjäljittäjästä." #: command.y:850 #, fuzzy #| msgid "finish - execute until selected stack frame returns." msgid "finish - execute until selected stack frame returns" msgstr "finish - suorita kunnes palautetaan valittu pinokehys." #: command.y:852 #, fuzzy #| msgid "frame [N] - select and print stack frame number N." msgid "frame [N] - select and print stack frame number N" msgstr "frame [N] - valitse ja tulosta pinokehys numero N." #: command.y:854 #, fuzzy #| msgid "help [command] - print list of commands or explanation of command." msgid "help [command] - print list of commands or explanation of command" msgstr "help [komento] - tulosta komentoluettelo tai komennon selitys." #: command.y:856 #, fuzzy #| msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT." msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "" "ignore N COUNT - aseta keskeytyskohdan ignore-count numero N arvoon COUNT." #: command.y:858 #, fuzzy #| msgid "" #| "info topic - source|sources|variables|functions|break|frame|args|locals|" #| "display|watch." msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info aihe - source|sources|variables|functions|break|frame|args|locals|" "display|watch." #: command.y:860 #, fuzzy #| msgid "" #| "list [-|+|[filename:]lineno|function|range] - list specified line(s)." msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "" "list [-|+|[tiedostonimi:]rivinumero|funktio|lukualue] - luettele määritellyt " "rivit." #: command.y:862 #, fuzzy #| msgid "next [COUNT] - step program, proceeding through subroutine calls." msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "next [COUNT] - askella ohjelmaa, etene alirutiinikutsujen kautta." #: command.y:864 #, fuzzy #| msgid "" #| "nexti [COUNT] - step one instruction, but proceed through subroutine " #| "calls." msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" "nexti [COUNT] - askella yksi käsky, mutta etene alirutiinikutsujen kautta." #: command.y:866 #, fuzzy #| msgid "option [name[=value]] - set or display debugger option(s)." msgid "option [name[=value]] - set or display debugger option(s)" msgstr "option [nimi[=arvo]] - aseta tai näytä vianjäljittäjävalitsimet." #: command.y:868 #, fuzzy #| msgid "print var [var] - print value of a variable or array." msgid "print var [var] - print value of a variable or array" msgstr "print var [muuttuja] - tulosta muutujan tai taulukon arvo." #: command.y:870 #, fuzzy #| msgid "printf format, [arg], ... - formatted output." msgid "printf format, [arg], ... - formatted output" msgstr "printf muoto, [argumentti], ... - muotoiltu tuloste." #: command.y:872 #, fuzzy #| msgid "quit - exit debugger." msgid "quit - exit debugger" msgstr "quit - poistu vianjäljittäjästä." #: command.y:874 #, fuzzy #| msgid "return [value] - make selected stack frame return to its caller." msgid "return [value] - make selected stack frame return to its caller" msgstr "return [arvo] - tekee valitun pinokehyksen paluun sen kutsujalle." #: command.y:876 #, fuzzy #| msgid "run - start or restart executing program." msgid "run - start or restart executing program" msgstr "run - käynnistä tai uudelleenkäynnistä ohjelman suoritus." #: command.y:879 #, fuzzy #| msgid "save filename - save commands from the session to file." msgid "save filename - save commands from the session to file" msgstr "save tiedostonimi - tallenna komennot istunnosta tiedostoon." #: command.y:882 #, fuzzy #| msgid "set var = value - assign value to a scalar variable." msgid "set var = value - assign value to a scalar variable" msgstr "set var = arvo - liitä arvo skalaarimuuttujaan." #: command.y:884 #, fuzzy #| msgid "" #| "silent - suspends usual message when stopped at a breakpoint/watchpoint." msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" "silent - pysäyttää tavallisen viestin kun pysähdytään katkaisukohdassa/" "vahtipisteessä." #: command.y:886 #, fuzzy #| msgid "source file - execute commands from file." msgid "source file - execute commands from file" msgstr "source file - suorita komennot tiedostosta." #: command.y:888 #, fuzzy #| msgid "" #| "step [COUNT] - step program until it reaches a different source line." msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" "step [COUNT] - askella ohjelmaa, kunnes se saavuttaa eri lähdekoodirivin." #: command.y:890 #, fuzzy #| msgid "stepi [COUNT] - step one instruction exactly." msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [COUNT] - askella tarkalleen yksi käsky." #: command.y:892 #, fuzzy #| msgid "tbreak [[filename:]N|function] - set a temporary breakpoint." msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "tbreak [[tiedostonimi:]N|funktio] - aseta tilapäinen keskeytyskohta." #: command.y:894 #, fuzzy #| msgid "trace on|off - print instruction before executing." msgid "trace on|off - print instruction before executing" msgstr "trace on|off - tulosta käsky ennen suoritusta." #: command.y:896 #, fuzzy #| msgid "undisplay [N] - remove variable(s) from automatic display list." msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "undisplay [N] - poista muuttuja(t) automaattisesta näyttöluettelosta." #: command.y:898 #, fuzzy #| msgid "" #| "until [[filename:]N|function] - execute until program reaches a different " #| "line or line N within current frame." msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" "until [[tiedostonimi:]N|funktio] - suorita kunnes ohjelma tavoittaa eri " "rivin tai rivin N nykyisen kehyksen sisällä." #: command.y:900 #, fuzzy #| msgid "unwatch [N] - remove variable(s) from watch list." msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [N] - poista muuttuja(t) vahtiluettelosta." #: command.y:902 #, fuzzy #| msgid "up [N] - move N frames up the stack." msgid "up [N] - move N frames up the stack" msgstr "up [N] - siirrä N kehystä ylöspäin pinossa." #: command.y:904 #, fuzzy #| msgid "watch var - set a watchpoint for a variable." msgid "watch var - set a watchpoint for a variable" msgstr "watch muuttuja - aseta vahtikohta muuttujalle." #: command.y:906 #, fuzzy #| msgid "" #| "where [N] - (same as backtrace) print trace of all or N innermost " #| "(outermost if N < 0) frames." msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "missä [N] - (sama kuin paluujälki) tulostaa kaikkien tai N-sisimmäisen " "(ulommaisen jos N < 0) kehyksen jäljen." #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "virhe: " #: command.y:1061 #, fuzzy, c-format msgid "cannot read command: %s\n" msgstr "komennon (%s) lukeminen epäonnistui\n" #: command.y:1075 #, fuzzy, c-format msgid "cannot read command: %s" msgstr "komennon (%s) lukeminen epäonnistui" #: command.y:1126 msgid "invalid character in command" msgstr "virheellinen merkki komennossa" #: command.y:1162 #, fuzzy, c-format msgid "unknown command - `%.*s', try help" msgstr "tuntematon komento - \"%.*s\", kokeile käskyä help" #: command.y:1294 msgid "invalid character" msgstr "virheellinen merkki" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "määrittelemätön komento: %s\n" #: debug.c:257 #, fuzzy #| msgid "set or show the number of lines to keep in history file." msgid "set or show the number of lines to keep in history file" msgstr "aseta tai näytä historiatiedostossa säilytettävien rivien lukumäärä." #: debug.c:259 #, fuzzy #| msgid "set or show the list command window size." msgid "set or show the list command window size" msgstr "aseta tai näytä luettelokomentoikkunan koko." #: debug.c:261 #, fuzzy #| msgid "set or show gawk output file." msgid "set or show gawk output file" msgstr "aseta tai näytä gawk-tulostetiedosto." #: debug.c:263 #, fuzzy #| msgid "set or show debugger prompt." msgid "set or show debugger prompt" msgstr "aseta tai näytä vianjäljittäjäkehote." #: debug.c:265 #, fuzzy #| msgid "(un)set or show saving of command history (value=on|off)." msgid "(un)set or show saving of command history (value=on|off)" msgstr "" "aseta, poista asetus tai näytä komentohistoriatallennus (value=on|off)." #: debug.c:267 #, fuzzy #| msgid "(un)set or show saving of options (value=on|off)." msgid "(un)set or show saving of options (value=on|off)" msgstr "aseta, poista asetus tai näytä valitsintallennus (value=on|off)." #: debug.c:269 #, fuzzy #| msgid "(un)set or show instruction tracing (value=on|off)." msgid "(un)set or show instruction tracing (value=on|off)" msgstr "aseta, poista asetus tai näytä käskyjäljitys (value=on|off)." #: debug.c:358 #, fuzzy #| msgid "program not running." msgid "program not running" msgstr "ohjelma ei ole käynnissä." #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "lähdetiedosto ”%s” on tyhjä.\n" #: debug.c:502 #, fuzzy #| msgid "no current source file." msgid "no current source file" msgstr "ei nykyistä lähdekooditiedostoa." #: debug.c:527 #, fuzzy, c-format msgid "cannot find source file named `%s': %s" msgstr "lähdetiedostoa nimeltä ”%s” (%s) ei kyetä lukemaan" #: debug.c:551 #, fuzzy, c-format #| msgid "WARNING: source file `%s' modified since program compilation.\n" msgid "warning: source file `%s' modified since program compilation.\n" msgstr "" "VAROITUS: lähdekooditiedostoa ”%s” on muokattu ohjelman kääntämisen " "jälkeen.\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "rivinumero %d lukualueen ulkopuolella; kohteessa ”%s” on %d riviä" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "" "odottamaton eof-tiedostonloppumerkki luettaessa tiedostoa ”%s”, rivi %d" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "" "lähdekooditiedostoa ”%s” on muokattu ohjelman suorituksen aloituksen jälkeen" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "Nykyinen lähdetiedosto: %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "Rivien lukumäärä: %d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "Lähdetiedosto (riviä): %s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "Numero Disp Käytössä Sijainti\n" "\n" #: debug.c:787 #, fuzzy, c-format #| msgid "\tno of hits = %ld\n" msgid "\tnumber of hits = %ld\n" msgstr "\tosumien lukumäärä = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "\tohita seuraavat %ld osumaa\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "\tpysähtymisehto: %s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "\tkomennot:\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "Nykyinen kehys: " #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "Kehyksen kutsuma: " #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "Kehyksen kutsuja: " #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "Funktiossa main() ei ole mitään.\n" #: debug.c:870 msgid "No arguments.\n" msgstr "Ei argumentteja.\n" #: debug.c:871 msgid "No locals.\n" msgstr "Ei paikallisia muuttujia.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "Kaikki määritellyt muuttujat:\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "Kaikki määritellyt funktiot.\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "Automaattisesti näytettävät muuttujat:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "Vahtimuuttujia:\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "symbolia ”%s” ei löydy nykyisestä asiayhteydestä\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "”%s” ei ole taulukko\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = alustamaton kenttä\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "taulukko ”%s” on tyhjä\n" #: debug.c:1184 debug.c:1236 #, fuzzy, c-format #| msgid "[\"%.*s\"] not in array `%s'\n" msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "[\"%.*s\"] ei ole taulukossa ”%s”\n" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "”%s[\"%.*s\"]” ei ole taulukko\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "”%s” ei ole skalaarimuuttuja" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "yritettiin käyttää taulukkoa ”%s[\"%.*s\"]” skalaarikontekstissa" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "yritettiin käyttää skalaaria ”%s[\"%.*s\"]” taulukkona" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "”%s” on funktio" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "watchpoint %d ei ole ehdollinen\n" #: debug.c:1567 #, fuzzy, c-format #| msgid "No display item numbered %ld" msgid "no display item numbered %ld" msgstr "Yksikään näyttörivi ei ole numeroitu %ld" #: debug.c:1570 #, fuzzy, c-format #| msgid "No watch item numbered %ld" msgid "no watch item numbered %ld" msgstr "Yksikään vahtirivi ei ole numeroitu %ld" #: debug.c:1596 #, fuzzy, c-format #| msgid "%d: [\"%.*s\"] not in array `%s'\n" msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d: [\"%.*s\"] ei ole taulukossa ”%s”\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "yritettiin käyttää skalaariarvoa taulukkona" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "" "Watchpoint %d poistettiin, koska parametri on lukualueen ulkopuolella.\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "Display %d poistettiin, koska parametri on lukualueen ulkopuolella.\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr " tiedostossa ”%s”, rivi %d\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr " osoitteessa ”%s”:%d" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "#%ld\tkohteessa " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "Lisää pinokehyksiä seuraa ...\n" #: debug.c:2092 msgid "invalid frame number" msgstr "virheellinen kehysnumero" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Huomaa: keskeytyskohta %d (otettu käyttöön, ohita seuraavat %ld osumaa), " "asetettu myös osoitteessa %s:%d" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "" "Huomaa: keskeytyskohta %d (otettu käyttöön), asetettu myös kohdassa %s:%d" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Huomaa: keskeytyskohta %d (otettu pois käytöstä, ohita seuraavat %ld " "osumaa), asetettu myös kohdassa %s:%d" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "" "Huomaa: keskeytyskohta %d (otettu pois käytöstä), asetettu myös kohdassa %s:" "%d" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "Keskeytyskohta %d asetettu tiedostossa ”%s”, rivi %d\n" #: debug.c:2415 #, fuzzy, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "Keskeytyskohdan asetaminen tiedostossa ”%s” epäonnistui\n" #: debug.c:2444 #, fuzzy, c-format #| msgid "line number %d in file `%s' out of range" msgid "line number %d in file `%s' is out of range" msgstr "rivinumero %d tiedostossa ”%s” on lukualueen ulkopuolella" #: debug.c:2448 #, fuzzy, c-format msgid "internal error: cannot find rule\n" msgstr "sisäinen virhe: %s null vname-arvolla" #: debug.c:2450 #, fuzzy, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "Keskeytykohdan asettaminen kohdassa ”%s”:%d epäonnistui\n" #: debug.c:2462 #, fuzzy, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "Keskeytyskohdan asettaminen funktiossa ”%s” epäonnistui\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "keskeytyskohta %d asetettu tiedostossa ”%s”, rivi %d on ehdoton\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "rivinumero %d tiedostossa ”%s” on lukualueen ulkopuolella" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "Poistettu keskeytyskohta %d" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "Ei keskeytyskohtaa funktion ”%s” sisääntulossa\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "Tiedostossa ”%s” ei ole keskeytyskohtaa, rivi #%d\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "virheellinen keskeytyskohtanumero" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "Poistetaanko kaikki keskeytyskohdata? (y tai n) " #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "k" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "Keskeytyskohta %2$d:n seuraavat %1$ld risteystä ohitetaan.\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "Pysähtyy seuraavalla kerralla kun keskeytyskohta %d saavutetaan.\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "" "Vain ohjelmia, jotka tarjoavat valitsimen ”-f”, voidaan vikajäljittää.\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "Vianjäljittäjän uudelleenkäynnistys epäonnistui" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "Ohjelma on jo käynnissä. Käynnistetäänkö uudelleen alusta (y/n)? " #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "Ohjelma ei käynnistynyt uudelleen\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "virhe: uudelleenkäynnistys epäonnistui, toiminto ei ole sallittu\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "" "virhe (%s): uudelleenkäynnistys epäonnistui, loput komennot ohitetaan\n" #: debug.c:3026 #, fuzzy, c-format #| msgid "Starting program: \n" msgid "Starting program:\n" msgstr "Käynnistetään ohjelma: \n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "Ohjelma päättyi epänormaalisti päättymisarvolla: %d\n" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "Ohjelma päättyi normaalisti päättymisarvolla: %d\n" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "Ohjelma on käynnissä. Poistutaanko silti (y/n)? " #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "Ei pysäytetty yhdessäkään keskeytyskohdassa; argumentti ohitetaan.\n" #: debug.c:3091 #, fuzzy, c-format #| msgid "invalid breakpoint number %d." msgid "invalid breakpoint number %d" msgstr "virheellinen keskeytyskohtanumero %d." #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "Ohittaa seuraavat %ld keskeytyskohdan %d ylitystä.\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "" "’finish’ ei ole merkityksellinen ulommaisen kehyksen main()-funktiossa\n" #: debug.c:3288 #, fuzzy, c-format #| msgid "Run till return from " msgid "Run until return from " msgstr "Suorita kunnes paluu kohteesta " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "" "’return’ ei ole merkityksellinen ulommaisen kehyksen main()-funktiossa\n" #: debug.c:3444 #, fuzzy, c-format msgid "cannot find specified location in function `%s'\n" msgstr "Määritellyn sijainnin löytyminen funktiossa ”%s” epäonnistui\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "virheellinen lähdekoodirivi %d tiedostossa ”%s”" #: debug.c:3467 #, fuzzy, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "Määritellyn sijainnin %d löytyminen tiedostossa ”%s” epäonnistui\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "elementti ei ole taulukossa\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "tyypitön muuttuja\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "Pysäytetään kohdassa %s ...\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "’finish’ ei ole merkityksellinen ei-paikallisessa hypyssä ’%s’\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "’until’ ei ole merkityksellinen ei-paikallisessa hypyssä ’%s’\n" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 #, fuzzy msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "\t------Jatka painamalla [Enter] tai poistu painamalla q [Enter]------" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%.*s\"] ei ole taulukossa ”%s”" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "lähetetään tuloste vakiotulosteeseen\n" #: debug.c:5449 msgid "invalid number" msgstr "virheellinen numero" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "”%s” ei ole sallittu nykyisessä asiayhteydessä; lause ohitetaan" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "”return” ei ole sallittu nykyisessä asiayhteydessä; lause ohitetaan" #: debug.c:5639 #, fuzzy, c-format #| msgid "fatal error: internal error" msgid "fatal error during eval, need to restart.\n" msgstr "tuhoisa virhe: sisäinen virhe" #: debug.c:5829 #, fuzzy, c-format #| msgid "no symbol `%s' in current context\n" msgid "no symbol `%s' in current context" msgstr "symbolia ”%s” ei löydy nykyisestä asiayhteydestä\n" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "tuntematon solmutyyppi %d" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "tuntematon käskykoodi %d" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "käskykoodi %s ei ole operaattori tai avainsana" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "puskurin ylivuoto funktiossa genflags2str" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# Funktiokutsupino:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "”IGNORECASE” on gawk-laajennus" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "”BINMODE” on gawk-laajennus" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "BINMODE-arvo ”%s” on virheellinen, käsiteltiin arvona 3" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "väärä ”%sFMT”-määritys ”%s”" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "käännetään pois ”--lint”-valitsin ”LINT”-sijoituksen vuoksi" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "viite alustamattomaan argumenttiin ”%s”" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "viite alustamattomaan muuttujaan ”%s”" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "yritettiin kenttäviitettä arvosta, joka ei ole numeerinen" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "yritettiin kenttäviitettä null-merkkijonosta" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "yritettiin saantia kenttään %ld" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "viite alustamattomaan kenttään ”$%ld”" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "funktio ”%s” kutsuttiin useammalla argumentilla kuin esiteltiin" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: odottamaton tyyppi ”%s”" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "jakoa nollalla yritettiin operaatiossa ”/=”" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "jakoa nollalla yritettiin operaatiossa ”%%=”" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "laajennuksia ei sallita hiekkalaatikkotilassa" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "-l / @load ovat gawk-laajennuksia" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext: vastaanotettiin NULL lib_name" #: ext.c:60 #, fuzzy, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext: kirjaston ”%s” (%s) avaus epäonnistui\n" #: ext.c:66 #, fuzzy, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "" "load_ext: kirjasto ”%s”: ei määrittele ”plugin_is_GPL_compatible” (%s)\n" #: ext.c:72 #, fuzzy, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "load_ext: kirjasto ”%s”: funktion ”%s” (%s) kutsu epäonnistui\n" #: ext.c:76 #, fuzzy, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "load_ext: kirjaston ”%s” alustusrutiini ”%s” epäonnistui\n" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin: puuttuva funktionimi" #: ext.c:100 ext.c:111 #, fuzzy, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "" "make_builtin: gawk-ohjelman sisäisen muuttujanimen ”%s” käyttö funktionimenä " "epäonnistui" #: ext.c:109 #, fuzzy, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" "make_builtin: gawk-ohjelman sisäisen muuttujanimen ”%s” käyttö funktionimenä " "epäonnistui" #: ext.c:126 #, fuzzy, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin: funktion ”%s” uudelleenmäärittely epäonnistui" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin: funktio ”%s” on jo määritelty" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin: funktionimi ”%s” on määritelty jo aiemmin" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin: negatiivinen argumenttilukumäärä funktiolle ”%s”" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "funktio ”%s”: argumentti #%d: yritettiin käyttää skalaaria taulukkona" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "funktio ”%s”: argumentti #%d: yritettiin käyttää taulukkoa skalaarina" #: ext.c:238 #, fuzzy msgid "dynamic loading of libraries is not supported" msgstr "kirjaston dynaamista latausta ei tueta" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "stat: symbolisen linkin ”%s” lukeminen epäonnistui" #: extension/filefuncs.c:479 #, fuzzy msgid "stat: first argument is not a string" msgstr "do_writea: argumentti 0 ei ole merkkijono\n" #: extension/filefuncs.c:484 #, fuzzy msgid "stat: second argument is not an array" msgstr "split: toinen argumentti ei ole taulukko" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stat: väärät parametrit" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "fts init: muuttujan %s luominen epäonnistui" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "fts ei ole tuettu tässä järjestelmässä" #: extension/filefuncs.c:634 #, fuzzy msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element: taulukon luominen epäonnistui" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element: elementin asettaminen epäonnistui" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element: elementin asettaminen epäonnistui" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element: elementin asettaminen epäonnistui" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts-process: taulukon luominen epäonnistui" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts-process: elementin asettaminen epäonnistui" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "fts: kutsuttu argumenttien väärällä lukumäärällä, odotettiin 3" #: extension/filefuncs.c:853 #, fuzzy msgid "fts: first argument is not an array" msgstr "asort: ensimmäinen argumentti ei ole taulukko" #: extension/filefuncs.c:859 #, fuzzy msgid "fts: second argument is not a number" msgstr "split: toinen argumentti ei ole taulukko" #: extension/filefuncs.c:865 #, fuzzy msgid "fts: third argument is not an array" msgstr "match: kolmas argumentti ei ole taulukko" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts: taulukon litistäminen epäonnistui\n" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "fts: ohitetaan petollinen FTS_NOSTAT-lippu. nyyh, nyyh, nyyh." #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch: ensimmäistä argumenttia ei saatu" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch: toista argumenttia ei saatu" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch: kolmatta argumenttia ei saatu" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "fnmatch ei ole toteutettu tässä järjestelmässä\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "fnmatch init: muuttujan FNM_NOMATCH lisääminen epäonnistui" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "fnmatch init: taulukkoelementin %s asettaminen epäonnistui" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "fnmatch init: FNM-taulukon lisääminen epäonnistui" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork: PROCINFO ei ole taulukko!" #: extension/inplace.c:131 #, fuzzy msgid "inplace::begin: in-place editing already active" msgstr "inplace_begin: kohdallaanmuokkaus on jo aktivoitu" #: extension/inplace.c:134 #, fuzzy, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "" "inplace_begin: odotetaan 2 argumenttia, mutta kutsussa oli %d argumenttia" #: extension/inplace.c:137 #, fuzzy msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "" "inplace_begin: ensimmäisen argumentin noutaminen merkkijonotiedostonimenä " "epäonnistui" #: extension/inplace.c:145 #, fuzzy, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" "inplace_begin: ottaen pois käytöstä virheellisen TIEDOSTONIMI ”%s” " "muokkauksen" #: extension/inplace.c:152 #, fuzzy, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "inplace_begin: stat ”%s” (%s) epäonnistui" #: extension/inplace.c:159 #, fuzzy, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "inplace_begin: ”%s” ei ole tavallinen tiedosto" #: extension/inplace.c:170 #, fuzzy, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace_begin: mkstemp(”%s”) epäonnistui (%s)" #: extension/inplace.c:182 #, fuzzy, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace_begin: chmod epäonnistui (%s)" #: extension/inplace.c:189 #, fuzzy, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace_begin: dup(stdout) epäonnistui (%s)" #: extension/inplace.c:192 #, fuzzy, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace_begin: dup2(%d, stdout) epäonnistui (%s)" #: extension/inplace.c:195 #, fuzzy, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace_begin: close(%d) epäonnistui (%s)" #: extension/inplace.c:211 #, fuzzy, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "" "inplace_end: odotetaan 2 argumenttia, mutta kutsussa oli %d argumenttia" #: extension/inplace.c:214 #, fuzzy msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "" "inplace_end: ensimmäisen argumentin noutaminen merkkijonotiedostonimenä " "epäonnistui" #: extension/inplace.c:221 #, fuzzy msgid "inplace::end: in-place editing not active" msgstr "inplace_end: kohdallaanmuokkaus ei ole aktiivinen" #: extension/inplace.c:227 #, fuzzy, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace_end: dup2(%d, stdout) epäonnistui (%s)" #: extension/inplace.c:230 #, fuzzy, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace_end: close(%d) epäonnistui (%s)" #: extension/inplace.c:234 #, fuzzy, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace_end: fsetpos(stdout) epäonnistui (%s)" #: extension/inplace.c:247 #, fuzzy, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace_end: link(”%s”, ”%s”) epäonnistui (%s)." #: extension/inplace.c:257 #, fuzzy, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace_end: rename(”%s”, ”%s”) epäonnistui (%s)" #: extension/ordchr.c:72 #, fuzzy msgid "ord: first argument is not a string" msgstr "do_reada: argumentti 0 ei ole merkkijono\n" #: extension/ordchr.c:99 #, fuzzy msgid "chr: first argument is not a number" msgstr "asort: ensimmäinen argumentti ei ole taulukko" #: extension/readdir.c:291 #, fuzzy, c-format #| msgid "dir_take_control_of: opendir/fdopendir failed: %s" msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "dir_take_control_of: opendir/fdopendir epäonnistui: %s" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "readfile: kutsuttu vääränlaisella argumentilla" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput: REVOUT-muuttujan alustaminen epäonnistui" #: extension/rwarray.c:145 extension/rwarray.c:548 #, fuzzy, c-format msgid "%s: first argument is not a string" msgstr "do_writea: argumentti 0 ei ole merkkijono\n" #: extension/rwarray.c:189 #, fuzzy msgid "writea: second argument is not an array" msgstr "do_writea: argumentti 1 ei ole taulukko\n" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "" #: extension/rwarray.c:226 #, fuzzy msgid "write_array: could not flatten array" msgstr "write_array: taulukon litistäminen epäonnistui\n" #: extension/rwarray.c:242 #, fuzzy msgid "write_array: could not release flattened array" msgstr "write_array: litistettyä taulukon vapauttaminen epäonnistui\n" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "taulukkoarvo on tuntematonta tyyppiä %d" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" #: extension/rwarray.c:437 #, fuzzy, c-format #| msgid "array value has unknown type %d" msgid "cannot free number with unknown type %d" msgstr "taulukkoarvo on tuntematonta tyyppiä %d" #: extension/rwarray.c:442 #, fuzzy, c-format #| msgid "array value has unknown type %d" msgid "cannot free value with unhandled type %d" msgstr "taulukkoarvo on tuntematonta tyyppiä %d" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "" #: extension/rwarray.c:525 #, fuzzy msgid "reada: clear_array failed" msgstr "do_reada: clear_array epäonnistui\n" #: extension/rwarray.c:611 #, fuzzy msgid "reada: second argument is not an array" msgstr "do_reada: argumentti 1 ei ole taulukko\n" #: extension/rwarray.c:648 #, fuzzy msgid "read_array: set_array_element failed" msgstr "read_array: set_array_element epäonnistui\n" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday: ei ole tuettu tällä alustalla" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep: puuttuu vaadittu numeerinen argumentti" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep: argumentti on negatiivinen" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep: ei ole tuettu tällä alustalla" #: extension/time.c:232 #, fuzzy #| msgid "chr: called with no arguments" msgid "strptime: called with no arguments" msgstr "chr: kutsuttu ilman argumentteja" #: extension/time.c:240 #, fuzzy, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "do_writea: argumentti 0 ei ole merkkijono\n" #: extension/time.c:245 #, fuzzy, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "do_writea: argumentti 0 ei ole merkkijono\n" #: field.c:321 msgid "input record too large" msgstr "" #: field.c:443 msgid "NF set to negative value" msgstr "NF asetettu negatiiviseen arvoon" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split: neljäs argumentti on gawk-laajennus" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split: neljäs argumentti ei ole taulukko" #: field.c:1138 field.c:1240 #, fuzzy, c-format msgid "%s: cannot use %s as fourth argument" msgstr "" "asort: toisen argumentin alitaulukon käyttö ensimmäiselle argumentille " "epäonnistui" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: toinen argumentti ei ole taulukko" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "" "split: saman taulukon käyttö toiselle ja neljännelle argumentille epäonnistui" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "" "split: toisen argumentin käyttö alitaulukkoa neljännelle argumentille " "epäonnistui" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "" "split: neljännen argumentin käyttö alitaulukkoa toiselle argumentille " "epäonnistui" #: field.c:1199 #, fuzzy msgid "split: null string for third arg is a non-standard extension" msgstr "split: null-merkkijono kolmantena argumenttina on gawk-laajennus" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: neljäs argumentti ei ole taulukko" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: toinen argumentti ei ole taulukko" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit: kolmas argumentti ei ole taulukko" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "" "patsplit: saman taulukon käyttö toiselle ja neljännelle argumentille " "epäonnistui" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" "patsplit: toisen argumentin käyttö alitaulukkkoa neljännelle argumentille " "epäonnistui" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" "patsplit: neljännen argumentin käyttö alitaulukkoa toiselle argumentille " "epäonnistui" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "”FIELDWIDTHS” on gawk-laajennus" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "virheellinen FIELDWIDTHS-arvo kentälle %d lähellä ”%s”" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "null-merkkijono ”FS”-kenttäerotinmuuttujalle on gawk-laajennus" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "vanha awk ei tue regexp-arvoja ”FS”-kenttäerotinmuuttujana" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "”FPAT” on gawk-laajennus" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node: vastaanotti null retval-paluuarvon" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "awk_value_to_node: ei MPFR-tilassa" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "awk_value_to_node: MPFR ei ole tuettu" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node: virheellinen numerotyyppi ”%d”" #: gawkapi.c:388 #, fuzzy msgid "add_ext_func: received NULL name_space parameter" msgstr "load_ext: vastaanotettiin NULL lib_name" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value: vastaaotti null-solmun" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value: vastaanotti null-arvon" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element: vastaanotettu null-taulukko" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element: vastaanotti null-alaindeksin" #: gawkapi.c:1271 #, fuzzy, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "" "api_flatten_array_typed: indeksin %d muuntaminen arvoksi %s epäonnistui\n" #: gawkapi.c:1276 #, fuzzy, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "api_flatten_array_typed: arvon %d muuntaminen arvoksi %s epäonnistui\n" #: gawkapi.c:1372 gawkapi.c:1389 #, fuzzy msgid "api_get_mpfr: MPFR not supported" msgstr "awk_value_to_node: MPFR ei ole tuettu" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "BEGINFILE-säännön loppua ei löytynyt" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "" "tunnistamattoman tiedostotyypin ”%s” avaaminen kohteessa ”%s” epäonnistui" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "komentoriviargumentti ”%s” on hakemisto: ohitettiin" #: io.c:418 io.c:532 #, fuzzy, c-format msgid "cannot open file `%s' for reading: %s" msgstr "tiedoston ”%s” avaaminen lukemista varten (%s) epäonnistui" #: io.c:659 #, fuzzy, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "tiedostomäärittelijän %d (”%s”) sulkeminen epäonnistui (%s)" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "turha merkkien ”>” ja ”>>” sekoittaminen tiedostolle ”%.*s”" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "edelleenohjaus ei ole sallittua hiekkalaatikkotilassa" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "lauseke ”%s”-uudellenohjauksessa on numero" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "lausekkeella ”%s”-uudelleenohjauksessa on null-merkkijonoarvo" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "tiedostonimi ”%.*s” ”%s”-uudelleenohjaukselle saattaa olla loogisen " "lausekkeen tulos" #: io.c:941 io.c:968 #, fuzzy, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "" "get_file-vastakkeen luomista ei tueta tällä alustalla kohteelle ”%s” fd %d-" "arvolla" #: io.c:955 #, fuzzy, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "putken ”%s” avaaminen tulosteelle (%s) epäonnistui" #: io.c:973 #, fuzzy, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "putken ”%s” avaaminen syötteelle (%s) epäonnistui" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" "get_file-vastakkeen luomista ei tueta tällä alustalla kohteelle ”%s” fd %d-" "arvolla" #: io.c:1013 #, fuzzy, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "" "kaksisuuntaisen putken ”%s” avaaminen syötteelle/tulosteelle (%s) epäonnistui" #: io.c:1100 #, fuzzy, c-format msgid "cannot redirect from `%s': %s" msgstr "uudelleenohjaus putkesta ”%s” (%s) epäonnistui" #: io.c:1103 #, fuzzy, c-format msgid "cannot redirect to `%s': %s" msgstr "uudelleenohjaus putkeen ”%s” (%s) epäonnistui" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "saavutettiin avoimien tiedostojen järjestelmäraja: aloitetaan " "tiedostomäärittelijöiden lomittaminen" #: io.c:1221 #, fuzzy, c-format msgid "close of `%s' failed: %s" msgstr "uudelleenohjauksen ”%s” sulkeminen epäonnistui (%s)." #: io.c:1229 msgid "too many pipes or input files open" msgstr "avoinna liian monta putkea tai syötetiedostoa" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: toisen argumentin on oltava ”to” tai ”from”" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "close: ”%.*s” ei ole avoin tiedosto, putki tai apuprosessi" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "suljettiin uudelleenohjaus, jota ei avattu koskaan" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close: uudelleenohjaus ”%s” ei ole avattu operaattoreilla ”|&”, toinen " "argumentti ohitettu" #: io.c:1397 #, fuzzy, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "virhetila (%d) putken ”%s” sulkemisessa (%s)" #: io.c:1400 #, fuzzy, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "virhetila (%d) putken ”%s” sulkemisessa (%s)" #: io.c:1403 #, fuzzy, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "virhetila (%d) tiedoston ”%s” sulkemisessa (%s)" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "pistokkeen ”%s” eksplisiittistä sulkemista ei tarjota" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "apuprosessin ”%s” eksplisiittistä sulkemista ei tarjota" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "putken ”%s” eksplisiittistä sulkemista ei tarjota" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "tiedoston ”%s” eksplisiittistä sulkemista ei tarjota" #: io.c:1467 #, fuzzy, c-format msgid "fflush: cannot flush standard output: %s" msgstr "fflush: tiedoston ”%.*s” tyhjentäminen epäonnistui" #: io.c:1468 #, fuzzy, c-format msgid "fflush: cannot flush standard error: %s" msgstr "fflush: tiedoston ”%.*s” tyhjentäminen epäonnistui" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, fuzzy, c-format msgid "error writing standard output: %s" msgstr "virhe kirjoitettaessa vakiotulosteeseen (%s)" #: io.c:1474 io.c:1573 main.c:671 #, fuzzy, c-format msgid "error writing standard error: %s" msgstr "virhe kirjoitettaessa vakiovirheeseen (%s)" #: io.c:1513 #, fuzzy, c-format msgid "pipe flush of `%s' failed: %s" msgstr "uudelleenohjauksen ”%s” putken tyhjennys epäonnistui (%s)." #: io.c:1516 #, fuzzy, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "putken apuprosessityhjennys uudelleenohjaukseen ”%s” epäonnistui (%s)." #: io.c:1519 #, fuzzy, c-format msgid "file flush of `%s' failed: %s" msgstr "uudelleenohjauksen ”%s” tiedostontyhjennys epäonnistui (%s)." #: io.c:1662 #, fuzzy, c-format msgid "local port %s invalid in `/inet': %s" msgstr "paikallinen portti %s virheellinen pistokkeessa ”/inet”" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "paikallinen portti %s virheellinen pistokkeessa ”/inet”" #: io.c:1688 #, fuzzy, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "etäkone- ja porttitiedot (%s, %s) ovat virheellisiä" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "etäkone- ja porttitiedot (%s, %s) ovat virheellisiä" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "TCP/IP-viestintää ei tueta" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "laitteen ”%s” avaus epäonnistui, tila ”%s”" #: io.c:2069 io.c:2121 #, fuzzy, c-format msgid "close of master pty failed: %s" msgstr "”master pty”-sulkeminen epäonnistui (%s)" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, fuzzy, c-format msgid "close of stdout in child failed: %s" msgstr "vakiotulosteen sulkeminen lapsiprosessissa epäonnistui (%s)" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "" "”slave pty”:n siirtäminen vakiotulosteeseen lapsiprosessissa epäonnistui " "(dup: %s)" #: io.c:2076 io.c:2128 io.c:2469 #, fuzzy, c-format msgid "close of stdin in child failed: %s" msgstr "vakiosyötteen sulkeminen lapsiprosessissa epäonnistui (%s)" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "" "”slave pty”:n siirtäminen vakiosyötteeseen lapsiprosessissa epäonnistui " "(dup: %s)" #: io.c:2081 io.c:2133 io.c:2155 #, fuzzy, c-format msgid "close of slave pty failed: %s" msgstr "”slave pty”:n sulkeminen epäonnistui (%s)" #: io.c:2317 #, fuzzy msgid "could not create child process or open pty" msgstr "lapsiprosessin luominen komennolle ”%s” (fork: %s) epäonnistui" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "" "putken siirtäminen vakiotulosteeseen lapsiprosessissa epäonnistui (dup: %s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "" "putken siirtäminen vakiosyötteeseen lapsiprosessissa epäonnistui (dup: %s)" #: io.c:2432 io.c:2695 #, fuzzy msgid "restoring stdout in parent process failed" msgstr "vakiotulosteen palauttaminen äitiprosessissa epäonnistui\n" #: io.c:2440 #, fuzzy msgid "restoring stdin in parent process failed" msgstr "vakiosyötön palauttaminen äitiprosessissa epäonnistui\n" #: io.c:2475 io.c:2707 io.c:2722 #, fuzzy, c-format msgid "close of pipe failed: %s" msgstr "putken sulkeminen epäonnistui (%s)" #: io.c:2534 msgid "`|&' not supported" msgstr "”|&” ei tueta" #: io.c:2662 #, fuzzy, c-format msgid "cannot open pipe `%s': %s" msgstr "putken ”%s” (%s) avaaminen epäonnistui" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "lapsiprosessin luominen komennolle ”%s” (fork: %s) epäonnistui" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "getline: yritys lukea kaksisuuntaisen putken suljetusta lukupäästä" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser: vastaanotettiin NULL-osoitin" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" "syötejäsennin ”%s” on ristiriidassa aiemmin asennetun syötejäsentimen ”%s” " "kanssa" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "syötejäsentäjä ”%s” epäonnistui kohteen ”%s” avaamisessa" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_wrapper: vastaanotti NULL-osoittimen" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" "tulostekäärin ”%s” on ristiriidassa aiemmin asennetun tulostekäärimen ”%s” " "kanssa" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "tulostekäärin ”%s” epäonnistui avaamaan ”%s”" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor: vastaanotti NULL-osoittimen" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" "kaksisuuntainen prosessori ”%s” on ristiriidassa aiemmin asennetun " "kaksisuuntaisen prosessorin ”%s” kanssa" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "kaksisuuntainen prosessori ”%s” epäonnistui avaamaan ”%s”" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "data-tiedosto ”%s” on tyhjä" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "lisäsyötemuistin varaus epäonnistui" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "”RS”-monimerkkiarvo on gawk-laajennus" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "IPv6-viestintää ei tueta" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "" "ympäristömuuttuja ”POSIXLY_CORRECT” asetettu: käännetään päälle valitsin ”--" "posix”" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "valitsin ”--posix” korvaa valitsimen ”--traditional”" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "" "valitsin ”--posix” tai ”--traditional” korvaa valitsimen ”--non-decimal-data”" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "valitsin ”--posix” korvaa valitsimen ”--characters-as-bytes”" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "suorittaminen ”%s setuid root”-käyttäjänä saattaa olla turvapulma" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "" #: main.c:413 #, fuzzy, c-format msgid "cannot set binary mode on stdin: %s" msgstr "binaaritilan asettaminen vakiosyötteessä (%s) epäonnistui" #: main.c:416 #, fuzzy, c-format msgid "cannot set binary mode on stdout: %s" msgstr "binaaritilan asettaminen vakiotulosteessa (%s) epäonnistui" #: main.c:418 #, fuzzy, c-format msgid "cannot set binary mode on stderr: %s" msgstr "binaaritilaa asettaminen vakiovirheessä (%s) epäonnistui" #: main.c:483 msgid "no program text at all!" msgstr "ei ohjelmatekstiä ollenkaan!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "" "Käyttö: %s [POSIX- tai GNU-tyyliset valitsimet] -f ohjelmatiedosto [--] " "tiedosto ...\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "" "Käyttö: %s [POSIX- tai GNU-tyyliset valitsimet] [--] %cohjelma%c " "tiedosto ...\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "POSIX-valitsimet:\t\tGNU-pitkät valitsimet: (vakio)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f ohjelmatiedosto\t\t--file=ohjelmatiedosto\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F fs\t\t\t--field-separator=fs\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "\t-v var=arvo\t\t--assign=muuttuja=arvo\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "Lyhyet valitsimet:\t\tGNU-pitkät valitsimet: (laajennukset)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[tiedosto]\t\t--dump-variables[=tiedosto]\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-D[tiedosto]\t\t--debug[=tiedosto]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e 'program-text'\t--source='program-text'\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E file\t\t\t--exec=tiedosto\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-po\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "\t-i include-tiedosto\t\t--include=include-tiedosto\n" #: main.c:602 #, fuzzy #| msgid "\t-h\t\t\t--help\n" msgid "\t-I\t\t\t--trace\n" msgstr "\t-h\t\t\t--help\n" #: main.c:603 #, fuzzy #| msgid "\t-h\t\t\t--help\n" msgid "\t-k\t\t\t--csv\n" msgstr "\t-h\t\t\t--help\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "\t-l kirjasto\t\t--load=kirjasto\n" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 #, fuzzy msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L[fatal|invalid]\t--lint[=fatal|invalid]\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "\t-M\t\t\t--bignum\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-o[tiedosto]\t\t--pretty-print[=tiedosto]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[tiedosto]\t\t--profile[=tiedosto]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-O\t\t\t--no-optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 #, fuzzy msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 #, fuzzy msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "Virheiden ilmoittamista varten, katso solmua ”Bugs” tiedostossa ”gawk." "info”,\n" "joka on kappale ”Reporting Problems and Bugs” painetussa versiossa. Nämä\n" "samat tiedot löytyvät osoitteesta\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk on mallietsintä- ja käsittelykieli.\n" "Oletuksena se lukee vakiosyötettä ja kirjoittaa vakiotulosteeseen.\n" "\n" #: main.c:656 #, fuzzy, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "Esimerkkejä:\n" "\tgawk '{ sum += $1 }; END { print sum }' tiedosto\n" "\tgawk -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Copyright © 1989, 1991-%d Free Software Foundation.\n" "\n" "Tämä ohjelma on ilmainen; voit jakaa sitä edelleen ja/tai muokata sitä\n" "Free Software Foundation julkaisemien GNU General Public License-lisenssin\n" "version 3, tai (valintasi mukaan) minkä tahansa myöhäisemmän version\n" "ehtojen mukaisesti.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "Tätä ohjelmaa levitetään toivossa, että se on hyödyllinen, mutta\n" "ILMAN MITÄÄN TAKUUTA; ilman edes viitattua takuuta KAUPALLISUUDESTA\n" "tai SOPIVUUDESTA TIETTYYN TARKOITUKSEEN. Katso yksityiskohdat\n" "GNU General Public License-ehdoista.\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "Sinun pitäisi vastaanottaa kopion GNU General Public Licence-lisenssistä\n" "tämän ohjelman mukana. Jos näin ei ole, katso http://www.gnu.org/licenses/.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "-Ft ei aseta FS välilehteen POSIX awk:ssa" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: ”%s” argumentti valitsimelle ”-v” ei ole ”var=arvo”-muodossa\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "”%s” ei ole laillinen muuttujanimi" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "”%s” ei ole muuttujanimi, etsitään tiedostoa ”%s=%s”" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "" "gawk-ohjelman sisäisen ”%s”-määrittelyn käyttö muuttujanimenä epäonnistui" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "funktionimen ”%s” käyttö muuttujanimenä epäonnistui" #: main.c:1294 msgid "floating point exception" msgstr "liukulukupoikkeus" #: main.c:1304 msgid "fatal error: internal error" msgstr "tuhoisa virhe: sisäinen virhe" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "ei avattu uudelleen tiedostomäärittelijää %d" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "" "laitteen /dev/null avaaminen uudelleen tiedostomäärittelijälle %d epäonnistui" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "tyhjä argumentti valitsimelle ”-e/--source” ohitetaan" #: main.c:1681 main.c:1686 #, fuzzy msgid "`--profile' overrides `--pretty-print'" msgstr "valitsin ”--posix” korvaa valitsimen ”--traditional”" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "-M ohitettu: MPFR/GMP-tuki ei ole käännetty kohteessa" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "" #: main.c:1726 #, fuzzy #| msgid "IPv6 communication is not supported" msgid "Persistent memory is not supported." msgstr "IPv6-viestintää ei tueta" #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: valitsin ”-W %s” on tunnistamaton, ohitetaan\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: valitsin vaatii argumentin -- %c\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "" #: main.c:1913 #, fuzzy msgid "persistent memory is not supported" msgstr "awk_value_to_node: MPFR ei ole tuettu" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "PREC-arvo ”%.*s” on virheellinen" #: mpfr.c:718 #, fuzzy, c-format #| msgid "RNDMODE value `%.*s' is invalid" msgid "ROUNDMODE value `%.*s' is invalid" msgstr "RNDMODE-arvo ”%.*s” on virheellinen" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: ensimmäinen vastaanotettu argumentti ei ole numeerinen" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: toinen vastaanotettu argumentti ei ole numeerinen" #: mpfr.c:825 #, fuzzy, c-format msgid "%s: received negative argument %.*s" msgstr "log: vastaanotettu negatiivinen argumentti %g" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int: vastaanotettu argumentti ei ole numeerinen" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: vastaanotettu argumentti ei ole numeerinen" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%Rg): negatiivinen arvo ei ole sallittu" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "compl(%Rg): jaosarvo typistetään" #: mpfr.c:952 #, fuzzy, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%Zd): negatiiviset arvot eivät ole sallittuja" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s: vastaanotettu argumentti #%d ei ole numeerinen" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "%s: argumentilla #%d on virheellinen arvo %Rg, käytetään 0" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%s: argumentin #%d negatiivinen arvo %Rg ei ole sallittu" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "%s: argumentin #%d jaosarvo %Rg typistetään" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%s: argumentin #%d negatiivinen arvo %Zd ei ole sallittu" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: kutsuttu vähemmällä kuin kahdella argumentilla" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or: kutsuttu vähemmällä kuin kahdella argumentilla" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "xor: kutsuttu vähemmällä kuin kahdella argumentilla" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: vastaanotettu argumentti ei ole numeerinen" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "intdiv: ensimmäinen vastaanotettu argumentti ei ole numeerinen" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "intdiv: toinen vastaanotettu argumentti ei ole numeerinen" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "komentorivi:" #: node.c:477 msgid "backslash at end of string" msgstr "kenoviiva merkkijonon lopussa" #: node.c:511 msgid "could not make typed regex" msgstr "tyypitetyn regex-lausekeen tekeminen epäonnistui" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "vanha awk ei tue ”\\%c”-koodinvaihtosekvenssiä" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX ei salli ”\\x”-koodinvaihtoja" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "ei heksadesimaalilukuja ”\\x”-koodinvaihtosekvenssissä" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "heksadesimaalikoodinvaihtomerkkejä \\x%.*s / %d ei ole luultavasti tulkittu " "sillä tavalla kuin odotat" #: node.c:705 #, fuzzy #| msgid "POSIX does not allow `\\x' escapes" msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX ei salli ”\\x”-koodinvaihtoja" #: node.c:713 #, fuzzy #| msgid "no hex digits in `\\x' escape sequence" msgid "no hex digits in `\\u' escape sequence" msgstr "ei heksadesimaalilukuja ”\\x”-koodinvaihtosekvenssissä" #: node.c:744 #, fuzzy #| msgid "no hex digits in `\\x' escape sequence" msgid "invalid `\\u' escape sequence" msgstr "ei heksadesimaalilukuja ”\\x”-koodinvaihtosekvenssissä" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "koodinvaihtosekvenssi ”\\%c” käsitelty kuin pelkkä ”%c”" #: node.c:908 #, fuzzy #| msgid "" #| "Invalid multibyte data detected. There may be a mismatch between your " #| "data and your locale." msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "Virheellinen monitavutieto havaittu. Paikallisasetuksesi ja tietojesi " "välillä saattaa olla täsmäämättömyys." #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "%s %s ”%s”: fd-lippujen hakeminen epäonnistui: (fcntl F_GETFD: %s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "" "%s %s ”%s”: close-on-exec -asettaminen epäonnistui: (fcntl F_SETFD: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "" #: profile.c:114 msgid "sending profile to standard error" msgstr "lähetetään profiili vakiovirheeseen" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# %s säännöt\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# Säännöt\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "sisäinen virhe: %s null vname-arvolla" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "sisäinen virhe: builtin null-funktionimellä" #: profile.c:1351 #, fuzzy, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "\t# Ladatut laajennukset (-l ja/tai @load)\n" "\n" #: profile.c:1382 #, fuzzy, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\t# Ladatut laajennukset (-l ja/tai @load)\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# gawk-profiili, luotu %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# Funktiot, luetteloitu aakkosjärjestyksessä\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str: tuntematon edelleenohjaustyyppi %d" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "" #: re.c:215 #, fuzzy, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "koodinvaihtosekvenssi ”\\%c” käsitelty kuin pelkkä ”%c”" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "" "säännöllisen lausekkeen komponentin ”%.*s” pitäisi luultavasti olla ”[%.*s]”" #: support/dfa.c:910 msgid "unbalanced [" msgstr "pariton [" #: support/dfa.c:1031 msgid "invalid character class" msgstr "virheellinen merkkiluokka" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "merkkiluokkasyntaksi on [[:space:]], ei [:space:]" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "päättymätön \\-koodinvaihtomerkki" #: support/dfa.c:1345 #, fuzzy #| msgid "invalid subscript expression" msgid "? at start of expression" msgstr "virheellinen indeksointilauseke" #: support/dfa.c:1357 #, fuzzy #| msgid "invalid subscript expression" msgid "* at start of expression" msgstr "virheellinen indeksointilauseke" #: support/dfa.c:1371 #, fuzzy #| msgid "invalid subscript expression" msgid "+ at start of expression" msgstr "virheellinen indeksointilauseke" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "virheellinen \\{\\}-sisältö" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "säännöllinen lauseke on liian suuri" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "pariton (" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "syntaksi ei ole määritelty" #: support/dfa.c:2077 msgid "unbalanced )" msgstr "pariton )" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: valitsin ’%s’ ei ole yksiselitteinen; mahdollisuudet:" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s: valitsin ’--%s’ ei salli argumenttia\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: valitsin ’%c%s’ ei salli argumenttia\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: valitsin ’--%s’ vaatii argumentin\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: tunnistamaton valitsin ’--%s’\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: tunnistamaton valitsin ’%c%s’\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: virheellinen valitsin -- ’%c’\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s: valitsin vaatii argumentin -- ’%c’\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: valitsin ’-W %s’ ei ole yksiselitteinen\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: valitsin ’-W %s’ ei salli argumenttia\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: valitsin ’-W %s’ vaatii argumentin\n" #: support/regcomp.c:122 msgid "Success" msgstr "Onnistui" #: support/regcomp.c:125 msgid "No match" msgstr "Ei täsmäystä" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "Virheellinen säännöllinen lauseke" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "Virheellinen vertailumerkki" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "Virheellinen merkkiluokkanimi" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "Jäljessä oleva kenoviiva" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "Virheellinen paluuviite" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "Pariton [, [^, [:, [., or [=" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "Pariton ( tai \\(" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "Pariton \\{" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "Virheellinen \\{\\}-sisältö" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "Virheellinen lukualueen loppu" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "Muisti loppui" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "Virheellinen edeltävä säännöllinen lauseke" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "Ennenaikainen säännöllisen lausekkeen loppu" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "Säännöllinen lauseke on liian iso" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr "Pariton ) tai \\)" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "Ei edellistä säännöllistä lauseketta" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" #: symbol.c:781 #, fuzzy, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "funktio ”%s”: funktion ”%s” käyttö parametrinimenä epäonnistui" #: symbol.c:911 msgid "cannot pop main context" msgstr "pääsisällön pop-toiminto epäonnistui" #~ msgid "fatal: must use `count$' on all formats or none" #~ msgstr "" #~ "kohtalokas: on käytettävä ”count$” kaikilla muodoilla tai ei missään" #, c-format #~ msgid "field width is ignored for `%%' specifier" #~ msgstr "kenttäleveys ohitetaan ”%%%%”-määritteelle" #, c-format #~ msgid "precision is ignored for `%%' specifier" #~ msgstr "tarkkuus ohitetaan ”%%%%”-määritteelle" #, c-format #~ msgid "field width and precision are ignored for `%%' specifier" #~ msgstr "kenttäleveys ja tarkkuus ohitetaan ”%%%%”-määritteelle" #~ msgid "fatal: `$' is not permitted in awk formats" #~ msgstr "kohtalokas: ”$”-argumentti ei ole sallittu awk-muodoissa" #, fuzzy #~ msgid "fatal: argument index with `$' must be > 0" #~ msgstr "kohtalokas: argumenttilukumäärän argumentilla ”$” on oltava > 0" #, fuzzy, c-format #~ msgid "" #~ "fatal: argument index %ld greater than total number of supplied arguments" #~ msgstr "" #~ "kohtalokas: argumenttilukumäärä %ld on suurempi kuin toimitettujen " #~ "argumenttien lukumäärä" #~ msgid "fatal: `$' not permitted after period in format" #~ msgstr "kohtalokas: ”$”-argumentti ei ole sallittu pisteen jälkeen muodossa" #~ msgid "fatal: no `$' supplied for positional field width or precision" #~ msgstr "" #~ "kohtalokas: ei ”$”-argumenttia tarjottu sijantikenttäleveydelle tai " #~ "tarkkuudelle" #, fuzzy, c-format #~| msgid "`l' is meaningless in awk formats; ignored" #~ msgid "`%c' is meaningless in awk formats; ignored" #~ msgstr "”l” on merkityksetön awk-muodoissa; ohitetaan" #, fuzzy, c-format #~| msgid "fatal: `l' is not permitted in POSIX awk formats" #~ msgid "fatal: `%c' is not permitted in POSIX awk formats" #~ msgstr "kohtalokas: ”l” ei ole sallittu POSIX awk -muodoissa" #, c-format #~ msgid "[s]printf: value %g is too big for %%c format" #~ msgstr "[s]printf: arvo %g on liian suuri %%c-muodolle" #, c-format #~ msgid "[s]printf: value %g is not a valid wide character" #~ msgstr "[s]printf: arvo %g ei ole kelvollinen leveä merkki" #, c-format #~ msgid "[s]printf: value %g is out of range for `%%%c' format" #~ msgstr "[s]printf: arvo %g on lukualueen ulkopuolella ”%%%c”-muodolle" #, fuzzy, c-format #~ msgid "[s]printf: value %s is out of range for `%%%c' format" #~ msgstr "[s]printf: arvo %g on lukualueen ulkopuolella ”%%%c”-muodolle" #, c-format #~ msgid "" #~ "ignoring unknown format specifier character `%c': no argument converted" #~ msgstr "" #~ "ohitetaan tuntematon muotoargumenttimerkki ”%c”: ei muunnettu argumenttia" #~ msgid "fatal: not enough arguments to satisfy format string" #~ msgstr "" #~ "kohtalokas: ei kylliksi argumentteja muotomerkkijonon tyydyttämiseksi" #~ msgid "^ ran out for this one" #~ msgstr "^ tällainen loppui kesken" #~ msgid "[s]printf: format specifier does not have control letter" #~ msgstr "[s]printf: muotoargumentilla ei ole ohjauskirjainta" #~ msgid "too many arguments supplied for format string" #~ msgstr "muotomerkkijonoon toimitettu liian monta argumenttia" #, fuzzy, c-format #~ msgid "%s: received non-string format string argument" #~ msgstr "index: ensimmäinen vastaanotettu argumentti ei ole merkkijono" #~ msgid "sprintf: no arguments" #~ msgstr "sprintf: ei argumentteja" #~ msgid "printf: no arguments" #~ msgstr "printf: ei argumentteja" #~ msgid "printf: attempt to write to closed write end of two-way pipe" #~ msgstr "" #~ "printf: yritettiin kirjoittaa kaksisuuntaisen putken suljettuun " #~ "kirjoituspäähän" #, c-format #~ msgid "%s" #~ msgstr "%s" #~ msgid "\t-W nostalgia\t\t--nostalgia\n" #~ msgstr "\t-W nostalgia\t\t--nostalgia\n" #~ msgid "fatal error: internal error: segfault" #~ msgstr "tuhoisa virhe: sisäinen virhe: segmenttivirhe" #~ msgid "fatal error: internal error: stack overflow" #~ msgstr "tuhoisa virhe: sisäinen virhe: pinoylivuoto" #, c-format #~ msgid "typeof: invalid argument type `%s'" #~ msgstr "typeof: virheellinen argumenttityyppi ”%s”" #, fuzzy #~ msgid "do_writea: first argument is not a string" #~ msgstr "do_writea: argumentti 0 ei ole merkkijono\n" #, fuzzy #~ msgid "do_reada: first argument is not a string" #~ msgstr "do_reada: argumentti 0 ei ole merkkijono\n" #, fuzzy #~ msgid "do_writea: argument 1 is not an array" #~ msgstr "do_writea: argumentti 1 ei ole taulukko\n" #, fuzzy #~ msgid "do_reada: argument 0 is not a string" #~ msgstr "do_reada: argumentti 0 ei ole merkkijono\n" #, fuzzy #~ msgid "do_reada: argument 1 is not an array" #~ msgstr "do_reada: argumentti 1 ei ole taulukko\n" #~ msgid "`L' is meaningless in awk formats; ignored" #~ msgstr "”L” on merkityksetön awk-muodoissa; ohitetaan" #~ msgid "fatal: `L' is not permitted in POSIX awk formats" #~ msgstr "kohtalokas: ”L” ei ole sallittu POSIX awk -muodoissa" #~ msgid "`h' is meaningless in awk formats; ignored" #~ msgstr "”h” on merkityksetön awk-muodoissa; ohitetaan" #~ msgid "fatal: `h' is not permitted in POSIX awk formats" #~ msgstr "kohtalokas: ”h” ei ole sallittu POSIX awk -muodoissa" #~ msgid "No symbol `%s' in current context" #~ msgstr "Symbolia ”%s” ei ole nykyisesssä asiayhteydessä" #, fuzzy #~ msgid "fts: first parameter is not an array" #~ msgstr "asort: ensimmäinen argumentti ei ole taulukko" #, fuzzy #~ msgid "fts: third parameter is not an array" #~ msgstr "match: kolmas argumentti ei ole taulukko" #~ msgid "adump: first argument not an array" #~ msgstr "adump: ensimmäinen argumentti ei ole taulukko" #~ msgid "asort: second argument not an array" #~ msgstr "asort: toinen argumentti ei ole taulukko" #~ msgid "asorti: second argument not an array" #~ msgstr "asorti: toinen argumentti ei ole taulukko" #~ msgid "asorti: first argument not an array" #~ msgstr "asorti: ensimmäinen argumentti ei ole taulukko" #, fuzzy #~ msgid "asorti: first argument cannot be SYMTAB" #~ msgstr "asorti: ensimmäinen argumentti ei ole taulukko" #, fuzzy #~ msgid "asorti: first argument cannot be FUNCTAB" #~ msgstr "asorti: ensimmäinen argumentti ei ole taulukko" #~ msgid "asorti: cannot use a subarray of first arg for second arg" #~ msgstr "" #~ "asorti: ensimmäisen argumentin alitaulukon käyttö toiselle argumentille " #~ "epäonnistui" #~ msgid "asorti: cannot use a subarray of second arg for first arg" #~ msgstr "" #~ "asorti: toisen argumentin alitaulukon käyttö ensimmäiselle argumentille " #~ "epäonnistui" #~ msgid "can't read sourcefile `%s' (%s)" #~ msgstr "lähdetiedoston ”%s” (%s) lukeminen epäonnistui" #~ msgid "POSIX does not allow operator `**='" #~ msgstr "POSIX ei salli operaattoria ”**=”" #~ msgid "old awk does not support operator `**='" #~ msgstr "vanha awk ei tue operaattoria ”**=”" #~ msgid "old awk does not support operator `**'" #~ msgstr "vanha awk ei tue operaattoria ”**”" #~ msgid "operator `^=' is not supported in old awk" #~ msgstr "operaattoria ”^=” ei tueta vanhassa awk:ssa" #~ msgid "could not open `%s' for writing (%s)" #~ msgstr "tiedoston ”%s” avaaminen kirjoittamista varten (%s) epäonnistui" #~ msgid "exp: received non-numeric argument" #~ msgstr "exp: vastaanotettu argumentti ei ole numeerinen" #~ msgid "length: received non-string argument" #~ msgstr "length: vastaanotettu argumentti ei ole merkkijono" #~ msgid "log: received non-numeric argument" #~ msgstr "log: vastaanotettu argumentti ei ole numeerinen" #~ msgid "sqrt: received non-numeric argument" #~ msgstr "sqrt: vastaanotettu argumentti ei ole numeerinen" #~ msgid "sqrt: called with negative argument %g" #~ msgstr "sqrt: kutsuttu negatiivisella argumentilla %g" #~ msgid "strftime: received non-numeric second argument" #~ msgstr "strftime: toinen vastaanotettu argumentti ei ole numeerinen" #~ msgid "strftime: received non-string first argument" #~ msgstr "strftime: ensimmäinen vastaanotettu argumentti ei ole merkkijono" #~ msgid "mktime: received non-string argument" #~ msgstr "mktime: vastaanotettu argumentti ei ole merkkijono" #~ msgid "tolower: received non-string argument" #~ msgstr "tolower: vastaanotettu argumentti ei ole merkkijono" #~ msgid "toupper: received non-string argument" #~ msgstr "toupper: vastaanotettu argumentti ei ole merkkijono" #~ msgid "sin: received non-numeric argument" #~ msgstr "sin: vastaanotettu argumentti ei ole numeerinen" #~ msgid "cos: received non-numeric argument" #~ msgstr "cos: vastaanotettu argumentti ei ole numeerinen" #~ msgid "lshift: received non-numeric first argument" #~ msgstr "lshift: ensimmäinen vastaanotettu argumentti ei ole numeerinen" #~ msgid "lshift: received non-numeric second argument" #~ msgstr "lshift: toinen vastaanotettu argumentti ei ole numeerinen" #~ msgid "rshift: received non-numeric first argument" #~ msgstr "rshift: ensimmäinen vastaanotettu argumentti ei ole numeerinen" #~ msgid "rshift: received non-numeric second argument" #~ msgstr "rshift: toinen vastaanotettu argumentti ei ole numeerinen" #~ msgid "and: argument %d is non-numeric" #~ msgstr "and: argumentti %d ei ole numeeraaliargumentti" #~ msgid "and: argument %d negative value %g is not allowed" #~ msgstr "and: argumentin %d negatiivinen arvo %g ei ole sallittu" #~ msgid "or: argument %d negative value %g is not allowed" #~ msgstr "or: argumentin %d negatiivinen arvo %g ei ole sallittu" #~ msgid "xor: argument %d is non-numeric" #~ msgstr "xor: argumentti %d ei ole numeraaliargumentti" #~ msgid "xor: argument %d negative value %g is not allowed" #~ msgstr "xor: argumentin %d negatiivinen arvo %g ei ole sallittu" #~ msgid "Can't find rule!!!\n" #~ msgstr "Säännön löytäminen epäonnistui!!!\n" #~ msgid "q" #~ msgstr "q" #~ msgid "fts: bad first parameter" #~ msgstr "fts: väärä ensimmäinen parametri" #~ msgid "fts: bad second parameter" #~ msgstr "fts: väärä toinen parametri" #~ msgid "fts: bad third parameter" #~ msgstr "fts: väärä kolmas parametri" #~ msgid "fts: clear_array() failed\n" #~ msgstr "fts: clear_array() epäonnistui\n" #~ msgid "ord: called with inappropriate argument(s)" #~ msgstr "ord: kutsuttu sopimattomalla argumentilla" #~ msgid "chr: called with inappropriate argument(s)" #~ msgstr "chr: kutsuttu sopimattomalla argumentilla" #~ msgid "can not pop main context" #~ msgstr "pääsisällön pop-toiminto epäonnistui" #~ msgid "setenv(TZ, %s) failed (%s)" #~ msgstr "setenv(TZ, %s) epäonnistui (%s)" #, fuzzy #~ msgid "setenv(TZ, %s) restoration failed (%s)" #~ msgstr "setenv(TZ, %s) epäonnistui (%s)" #~ msgid "unsetenv(TZ) failed (%s)" #~ msgstr "unsetenv(TZ) epäonnistui (%s)" #~ msgid "attempt to use array `%s[\".*%s\"]' in a scalar context" #~ msgstr "yritettiin käyttää taulukkoa ”%s[\".*%s\"]” skalaarikontekstissa" #~ msgid "attempt to use scalar `%s[\".*%s\"]' as array" #~ msgstr "yritettiin käyttää skalaaria ”%s[\".*%s\"]” taulukkona" #~ msgid "delete: index `%s' not in array `%s'" #~ msgstr "delete: indeksi ”%s” ei ole taulukko ”%s”" #~ msgid "fflush: cannot flush: pipe `%s' opened for reading, not writing" #~ msgstr "" #~ "fflush: tyhjennys epäonnistui: putki ”%s” avattu lukemista varten, ei " #~ "kirjoittamista" #~ msgid "fflush: cannot flush: file `%s' opened for reading, not writing" #~ msgstr "" #~ "fflush: tyhjennys epäonnistui: tiedosto ”%s” avattu lukemista varten, ei " #~ "kirjoittamista" #~ msgid "fflush: cannot flush: two-way pipe `%s' has closed write end" #~ msgstr "" #~ "fflush: tyhjennys epäonnistui: kaksisuuntainen putki ”%s” suljettu " #~ "kirjoituspäässä" #~ msgid "fflush: `%s' is not an open file, pipe or co-process" #~ msgstr "fflush: ”%s” ei ole avoin tiedosto, putki tai apuprosessi" #~ msgid "gensub: third argument %g treated as 1" #~ msgstr "gensub: kolmas argumentti %g käsiteltiin kuin 1." #~ msgid "lshift(%f, %f): negative values will give strange results" #~ msgstr "lshift(%f, %f): negatiiviset arvot antavat outoja tuloksia" #~ msgid "rshift(%f, %f): negative values will give strange results" #~ msgstr "rshift(%f, %f): negatiiviset arvot antavat outoja tuloksia" #~ msgid "and: argument %d negative value %g will give strange results" #~ msgstr "and: argumentin %d negatiivinen arvo %g antaa outoja tuloksia" #~ msgid "or: argument %d negative value %g will give strange results" #~ msgstr "or: argumentin %d negatiivinen arvo %g antaa outoja tuloksia" #~ msgid "xor: argument %d negative value %g will give strange results" #~ msgstr "xor: argumentin %d negatiivinen arvo %g antaa outoja tuloksia" #~ msgid "compl(%f): negative value will give strange results" #~ msgstr "compl(%f): negatiivinen arvo antaa outoja tuloksia" #~ msgid "[\"%s\"] not in array `%s'\n" #~ msgstr "[\"%s\"] ei ole taulukko ”%s”\n" #~ msgid "`%s[\"%s\"]' is not an array\n" #~ msgstr "”%s[\"%s\"]” ei ole taulukko\n" #~ msgid "attempt to use array `%s[\"%s\"]' in a scalar context" #~ msgstr "yritys käyttää taulukkoa ”%s[\"%s\"]” skalaariyhteydessä" #~ msgid "attempt to use scalar `%s[\"%s\"]' as array" #~ msgstr "yritys käyttää skalaaria ”%s[\"%s\"]” taulukkona" #~ msgid "%d: [\"%s\"] not in array `%s'\n" #~ msgstr "%d: [\"%s\"] ei ole taulukko ”%s”\n" #~ msgid "Program exited %s with exit value: %d\n" #~ msgstr "Ohjelma sulkeutunut %s poistumisarvolla: %d\n" #~ msgid "[\"%s\"] not in array `%s'" #~ msgstr "[\"%s\"] ei ole taulukossa ”%s”" #~ msgid "`extension' is a gawk extension" #~ msgstr "”extension” on gawk-laajennus" #~ msgid "extension: received NULL lib_name" #~ msgstr "laajennos: vastaantotettu NULL lib_name" #~ msgid "extension: cannot open library `%s' (%s)" #~ msgstr "extension: kirjaston ”%s” (%s) avaus epäonnistui" #~ msgid "" #~ "extension: library `%s': does not define `plugin_is_GPL_compatible' (%s)" #~ msgstr "" #~ "extension: kirjasto ”%s”: ei määrittele ”plugin_is_GPL_compatible” (%s)" #~ msgid "extension: library `%s': cannot call function `%s' (%s)" #~ msgstr "extension: kirjasto ”%s”: funktion ”%s” (%s) kutsu epäonnistui" #~ msgid "extension: missing function name" #~ msgstr "extension: puuttuva funktionimi" #~ msgid "extension: illegal character `%c' in function name `%s'" #~ msgstr "extension: virheellinen merkki ”%c” funktionimessä ”%s”" #~ msgid "extension: can't redefine function `%s'" #~ msgstr "extension: funktion ”%s” uudelleenmäärittely epäonnistui" #~ msgid "extension: function `%s' already defined" #~ msgstr "extension: funktio ”%s” on jo määritelty" #~ msgid "extension: function name `%s' previously defined" #~ msgstr "extension: funktionimi ”%s” on määritelty jo aiemmin" #~ msgid "extension: can't use gawk built-in `%s' as function name" #~ msgstr "" #~ "extension: gawk-ohjelman sisäisen muuttujanimen käyttö ”%s” funktionimenä " #~ "epäonnistui" #~ msgid "chdir: called with incorrect number of arguments, expecting 1" #~ msgstr "chdir: kutsuttu argumenttien väärällä lukumäärällä, odotettiin 1" #~ msgid "stat: called with wrong number of arguments" #~ msgstr "stat: kutsuttu argumenttien väärällä lukumäärällä" #~ msgid "statvfs: called with wrong number of arguments" #~ msgstr "statvfs: kutsuttu väärällä argumenttimäärällä" #~ msgid "fnmatch: called with less than three arguments" #~ msgstr "fnmatch: kutsuttu vähemmällä kuin kolmella argumentilla" #~ msgid "fnmatch: called with more than three arguments" #~ msgstr "fnmatch: kutsuttu useammalla kuin kolmella argumentilla" #~ msgid "fork: called with too many arguments" #~ msgstr "fork: kutsuttu liian monella argumentilla" #~ msgid "waitpid: called with too many arguments" #~ msgstr "waitpid: kutsuttu liian monella argumentilla" #~ msgid "wait: called with no arguments" #~ msgstr "wait: kutsuttu ilman argumentteja" #~ msgid "wait: called with too many arguments" #~ msgstr "wait: kutsuttu liian monella argumentilla" #~ msgid "ord: called with too many arguments" #~ msgstr "ord: kutsuttu liian monella argumentilla" #~ msgid "chr: called with too many arguments" #~ msgstr "chr: kutsuttu liian monella argumentilla" #~ msgid "readfile: called with too many arguments" #~ msgstr "readfile: kutsuttu liian monella argumentilla" #~ msgid "readfile: called with no arguments" #~ msgstr "readfile: kutsuttu ilman argumentteja" #~ msgid "writea: called with too many arguments" #~ msgstr "writea: kutsuttu liian monella argumentilla" #~ msgid "reada: called with too many arguments" #~ msgstr "reada: kutsuttu liian monilla argumenteilla" #~ msgid "gettimeofday: ignoring arguments" #~ msgstr "gettimeofday: ohitetaan argumentit" #~ msgid "sleep: called with too many arguments" #~ msgstr "sleep: kutsuttu liian monella argumentilla" #~ msgid "invalid FIELDWIDTHS value, near `%s'" #~ msgstr "virheellinen FIELDWIDTHS-arvo, lähellä ”%s”" #~ msgid "api_flatten_array: could not convert index %d\n" #~ msgstr "api_flatten_array: indeksin %d muuntaminen epäonnistui\n" #~ msgid "api_flatten_array: could not convert value %d\n" #~ msgstr "api_flatten_array: arvon %d muuntaminen epäonnistui\n" #~ msgid "expression in `%s' redirection only has numeric value" #~ msgstr "lausekeella ”%s”-uudelleenohjauksessa on vain numeerinen arvo" #~ msgid "" #~ "filename `%s' for `%s' redirection may be result of logical expression" #~ msgstr "" #~ "tiedostonimi `%s' ”%s”-uudelleenohjaukselle saattaa olla loogisen " #~ "lausekkeen tulos" #~ msgid "" #~ "\n" #~ "To report bugs, see node `Bugs' in `gawk.info', which is\n" #~ "section `Reporting Problems and Bugs' in the printed version.\n" #~ "\n" #~ msgstr "" #~ "\n" #~ "Vikailmoituksia varten katso solmua ”Bugs” tiedostossa ”gawk.info”, joka " #~ "on\n" #~ "kappaleessa ”Reporting Problems and Bugs” painetussa versiossa.\n" #~ "\n" #~ msgid "unknown value for field spec: %d\n" #~ msgstr "tuntematon arvo kenttämääritteelle: %d\n" #~ msgid "compl(%Rg): negative value will give strange results" #~ msgstr "compl(%Rg): negatiivinen arvo antaa outoja tuloksia" #~ msgid "cmpl(%Zd): negative values will give strange results" #~ msgstr "cmpl(%Zd): negatiiviset arvot antavat outoja tuloksia" #~ msgid "%s: argument #%d negative value %Rg will give strange results" #~ msgstr "%s: argumentin #%d negatiivinen arvo %Rg antaa outoja tuloksia" #~ msgid "%s: argument #%d negative value %Zd will give strange results" #~ msgstr "%s: argumentin #%d negatiivinen arvo %Zd antaa outoja tuloksia" #~ msgid "and: received non-numeric first argument" #~ msgstr "and: ensimmäinen vastaanotettu argumentti ei ole numeerinen" #~ msgid "and: received non-numeric second argument" #~ msgstr "and: toinen vastaanotettu argumentti ei ole numeerinen" #~ msgid "`next' cannot be called from a BEGIN rule" #~ msgstr "”next” ei voida kutsua BEGIN-säännöstä" #~ msgid "function `%s' defined to take no more than %d argument(s)" #~ msgstr "funktio ”%s” on määritelty ottamaan enemmän kuin %d argumenttia" #~ msgid "function `%s': missing argument #%d" #~ msgstr "function ”%s”: puuttuva argumentti #%d" #~ msgid "`getline var' invalid inside `%s' rule" #~ msgstr "”getline var” virheellinen säännön ”%s” sisällä" #~ msgid "`getline' invalid inside `%s' rule" #~ msgstr "”getline” virheellinen säännön ”%s” sisällä" #~ msgid "no (known) protocol supplied in special filename `%s'" #~ msgstr "ei (tunnettua) yhteyskäytäntöä tarjottu erikoistiedostonimessä ”%s”" #~ msgid "special file name `%s' is incomplete" #~ msgstr "erikoistiedostonimi ”%s” on vaillinainen" #~ msgid "must supply a remote hostname to `/inet'" #~ msgstr "on tarjottava etäkoneen nimi pistokkeeseen ”/inet”" #~ msgid "must supply a remote port to `/inet'" #~ msgstr "on tarjottava etäportti pistokkeeseen ”/inet”" #~ msgid "" #~ "\t# %s block(s)\n" #~ "\n" #~ msgstr "" #~ "\t# %s-lohko(t)\n" #~ "\n" #~ msgid "range of the form `[%c-%c]' is locale dependent" #~ msgstr "muodon ”[%c-%c]” lukualue on paikallisasetuksesta riippuvainen" #~ msgid "reference to uninitialized element `%s[\"%.*s\"]'" #~ msgstr "viite alustamattomaan elementtiin ”%s[\"%.*s\"]”" #~ msgid "subscript of array `%s' is null string" #~ msgstr "taulukon alaindeksi ”%s” on null-merkkijono" #~ msgid "%s: empty (null)\n" #~ msgstr "%s: tyhjä (null)\n" #~ msgid "%s: empty (zero)\n" #~ msgstr "%s: tyhjä (nolla)\n" #~ msgid "%s: table_size = %d, array_size = %d\n" #~ msgstr "%s: table_size = %d, array_size = %d\n" #~ msgid "%s: array_ref to %s\n" #~ msgstr "%s: array_ref-viite taulukkoon %s\n" #~ msgid "`nextfile' is a gawk extension" #~ msgstr "”nextfile” on gawk-laajennus" #~ msgid "`delete array' is a gawk extension" #~ msgstr "”delete array” on gawk-laajennus" #~ msgid "use of non-array as array" #~ msgstr "ei-taulukon käyttö taulukkona" #~ msgid "`%s' is a Bell Labs extension" #~ msgstr "”%s” on Bell Labs -laajennus" #~ msgid "or(%lf, %lf): negative values will give strange results" #~ msgstr "or(%lf, %lf): negatiiviset arvot antavat outoja tuloksia" #~ msgid "or(%lf, %lf): fractional values will be truncated" #~ msgstr "or(%lf, %lf): jaosarvot typistetään" #~ msgid "xor: received non-numeric first argument" #~ msgstr "xor: ensimmäinen vastaanotettu argumentti ei ole numeerinen" #~ msgid "xor: received non-numeric second argument" #~ msgstr "xor: toinen vastaanotettu argumentti ei ole numeerinen" #~ msgid "xor(%lf, %lf): fractional values will be truncated" #~ msgstr "xor(%lf, %lf): jaosarvot typistetään" #~ msgid "can't use function name `%s' as variable or array" #~ msgstr "funktionimeä ”%s” käyttö muuttujana tai taulukkona epäonnistui" #~ msgid "assignment used in conditional context" #~ msgstr "sijoitusta käytetty ehdollisessa kontekstissa" #~ msgid "" #~ "for loop: array `%s' changed size from %ld to %ld during loop execution" #~ msgstr "" #~ "for-silmukka: taulukon ”%s” koko muuttui arvosta %ld arvoon %ld silmukan " #~ "suorituksen aikana" #~ msgid "function called indirectly through `%s' does not exist" #~ msgstr "kohteen ”%s” kautta epäsuorasti kutsuttu funktio ei ole olemassa" #~ msgid "function `%s' not defined" #~ msgstr "funktio ”%s” ei ole määritelty" #~ msgid "`nextfile' cannot be called from a `%s' rule" #~ msgstr "”nextfile” ei voida kutsua ”%s”-säännöstä" #~ msgid "`next' cannot be called from a `%s' rule" #~ msgstr "”next” ei voida kutsua ”%s”-säännöstä" #~ msgid "Sorry, don't know how to interpret `%s'" #~ msgstr "Ei osata tulkita kohdetta ”%s”" #~ msgid "Operation Not Supported" #~ msgstr "Toimintoa ei tueta" #~ msgid "`-m[fr]' option irrelevant in gawk" #~ msgstr "”-m[fr]”-valitsin asiaanliittymätön gawk:ssa" #~ msgid "-m option usage: `-m[fr] nnn'" #~ msgstr "-m valitsinkäyttö: ”-m[fr] nnn”" #~ msgid "\t-R file\t\t\t--command=file\n" #~ msgstr "\t-R tiedosto\t\t\t--exec=tiedosto\n" #~ msgid "could not find groups: %s" #~ msgstr "ryhmien löytäminen epäonnistui: %s" #~ msgid "assignment is not allowed to result of builtin function" #~ msgstr "sijoitusta ei sallita sisäänrakennetun funktion tulokselle" #~ msgid "attempt to use array in a scalar context" #~ msgstr "yritettiin käyttää taulukkoa skalaarikontekstissa" #~ msgid "statement may have no effect" #~ msgstr "käsky saattaa olla tehoton" #~ msgid "out of memory" #~ msgstr "muisti loppui" #~ msgid "call of `length' without parentheses is deprecated by POSIX" #~ msgstr "" #~ "”length”-kutsu ilman sulkumerkkejä on vanhentunut POSIX-standardissa" #~ msgid "division by zero attempted in `/'" #~ msgstr "jakoa nollalla yritettiin operaatiossa ”/”" #~ msgid "length: untyped parameter argument will be forced to scalar" #~ msgstr "length: tyypitön parametri pakotetaan skalaariksi" #~ msgid "length: untyped argument will be forced to scalar" #~ msgstr "length: tyypitön argumentti pakotetaan skalaariksi" #~ msgid "`break' outside a loop is not portable" #~ msgstr "”break” silmukan ulkopuolella ei ole siirrettävä" #~ msgid "`continue' outside a loop is not portable" #~ msgstr "”continue” silmukan ulkopuolella ei ole siirrettävä" #~ msgid "`nextfile' cannot be called from a BEGIN rule" #~ msgstr "”nextfile” ei voida kutsua BEGIN-säännöstä" #~ msgid "" #~ "concatenation: side effects in one expression have changed the length of " #~ "another!" #~ msgstr "" #~ "concatenation: sivuvaikutukset yhdessä lausekkeessa ovat muuttaneet " #~ "toisen pituutta!" #~ msgid "illegal type (%s) in tree_eval" #~ msgstr "virheellinen tyyppi (%s) funktiossa tree_eval" #~ msgid "\t# -- main --\n" #~ msgstr "\t# -- main --\n" #~ msgid "invalid tree type %s in redirect()" #~ msgstr "virheellinen puutyyppi %s funktiossa redirec()" #~ msgid "/inet/raw client not ready yet, sorry" #~ msgstr "/inet/raw-asiakas ei ole vielä valitettavasti valmis" #~ msgid "only root may use `/inet/raw'." #~ msgstr "vain root-käyttäjä voi käyttää asiakasta ”/inet/raw”." #~ msgid "/inet/raw server not ready yet, sorry" #~ msgstr "/inet/raw-palvelin ei ole vielä valitettavasti valmis" #~ msgid "file `%s' is a directory" #~ msgstr "tiedosto ”%s” on hakemisto" #~ msgid "use `PROCINFO[\"%s\"]' instead of `%s'" #~ msgstr "käytä ”PROCINFO[\"%s\"]” eikä ”%s”" #~ msgid "use `PROCINFO[...]' instead of `/dev/user'" #~ msgstr "käytä ”PROCINFO[...]” eikä ”/dev/user”" #~ msgid "\t-m[fr] val\n" #~ msgstr "\t-m[fr] arvo\n" #~ msgid "\t-W compat\t\t--compat\n" #~ msgstr "\t-W compat\t\t--compat\n" #~ msgid "\t-W copyleft\t\t--copyleft\n" #~ msgstr "\t-W copyleft\t\t--copyleft\n" #~ msgid "\t-W usage\t\t--usage\n" #~ msgstr "\t-W usage\t\t--usage\n" #~ msgid "can't convert string to float" #~ msgstr "merkkijonon muuntaminen liukuluvuksi epäonnistui" #~ msgid "# treated internally as `delete'" #~ msgstr "# käsitelty sisäisesti kuin ”delete”" #~ msgid "# this is a dynamically loaded extension function" #~ msgstr "# tämä on dynaamisesti ladattu laajennusfunktio" #~ msgid "" #~ "\t# BEGIN block(s)\n" #~ "\n" #~ msgstr "" #~ "\t# BEGIN-lohko(t)\n" #~ "\n" #~ msgid "unexpected type %s in prec_level" #~ msgstr "odottamaton tyyppi %s funktiossa prec_level" #~ msgid "Unknown node type %s in pp_var" #~ msgstr "Tuntematon solmutyyppi %s funktiossa pp_var" #~ msgid "can't open two way socket `%s' for input/output (%s)" #~ msgstr "" #~ "kaksisuuntaisen vastakkeen ”%s” avaaminen syötteelle/tulosteelle (%s) " #~ "epäonnistui" #~ msgid "attempt to use scalar `%s' as array" #~ msgstr "yritettiin käyttää skalaaria ”%s” taulukkona" #~ msgid "gensub: third argument of 0 treated as 1" #~ msgstr "gensub: 0-arvoinen kolmas argumentti käsitellään kuin 1" #~ msgid "\t-L [fatal]\t\t--lint[=fatal]\n" #~ msgstr "\t-L [fatal]\t\t--lint[=fatal]\n" #~ msgid "Unmatched [ or [^" #~ msgstr "Pariton [ tai [^" #~ msgid "attempt to use function `%s' as an array" #~ msgstr "yritettiin käyttää funktiota ”%s” taulukkona" EOF echo Extracting po/fr.po cat << \EOF > po/fr.po # Messages français pour gawk. # This file is distributed under the same license as the gawk package. # Ce fichier est distribué sous la même licence que le paquet gawk. # Copyright © 2004 Free Software Foundation, Inc. # Michel Robitaille , 1996-2005. # Jean-Philippe Guérard , 2010-2025. # msgid "" msgstr "" "Project-Id-Version: gawk 5.3.1b\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2025-03-02 23:07+0100\n" "Last-Translator: Jean-Philippe Guérard \n" "Language-Team: French \n" "Language: fr\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Bugs: Report translation errors to the Language-Team address.\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" #: array.c:249 #, c-format msgid "from %s" msgstr "de %s" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "tentative d'utiliser un scalaire comme tableau" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "tentative d'utiliser le paramètre scalaire « %s » comme tableau" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "tentative d'utiliser le scalaire « %s » comme tableau" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "tentative d'utilisation du tableau « %s » dans un contexte scalaire" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "delete : l'indice « %.*s » est absent du tableau « %s »" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "tentative d'utiliser le scalaire « %s[\"%.*s\"] » comme tableau" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "%s : le premier argument n'est pas un tableau" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "%s : le deuxième argument n'est pas un tableau" #: array.c:901 field.c:1150 field.c:1247 #, c-format msgid "%s: cannot use %s as second argument" msgstr "%s : impossible d'utiliser %s comme second argument" #: array.c:909 #, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "%s : sans 2e argument, le premier argument ne peut être SYMTAB" #: array.c:911 #, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "%s : sans 2e argument, le premier argument ne peut être FUNCTAB" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" "asort/asorti : sans 3e argument, utiliser le même tableau comme source et " "destination n'a par de sens." #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "%s : le deuxième argument ne doit pas être un sous-tableau du premier" #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "%s : le premier argument ne doit pas être un sous-tableau du deuxième" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "« %s » n'est pas un nom de fonction autorisé" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "la fonction de comparaison « %s » du tri n'est pas définie" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "les blocs %s doivent avoir une partie action" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "chaque règle doit avoir au moins une partie motif ou action" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "l'ancien awk ne permet pas les « BEGIN » ou « END » multiples" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "« %s » est une fonction interne, elle ne peut être redéfinie" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "l'expression rationnelle constante « // » n'est pas un commentaire C++" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "l'expression rationnelle constante « /%s/ » n'est pas un commentaire C" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "le corps du switch comporte des cas répétés : %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "plusieurs « default » ont été détectés dans le corps du switch" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "« break » est interdit en dehors d'une boucle ou d'un switch" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "« continue » est interdit en dehors d'une boucle ou d'un switch" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "« next » est utilisé dans l'action %s" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "« nextfile » est utilisé dans l'action %s" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "« return » est utilisé hors du contexte d'une fonction" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" "dans BEGIN ou END, un « print » seul devrait sans doute être un « print " "\"\" »" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "« delete » est interdit sur SYMTAB" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "« delete » est interdit sur FUNCTAB" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "« delete(tableau) » est une extension non portable de tawk" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "impossible d'utiliser des tubes bidirectionnels en série" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "concaténation ambiguë comme cible d'une redirection d'E/S (« > »)" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "expression rationnelle à droite d'une affectation" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "expression rationnelle à gauche d'un opérateur « ~ » ou « !~ »" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "l'ancien awk n'autorise le mot-clef « in » qu'après « for »" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "expression rationnelle à droite d'une comparaison" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "un « getline » non redirigé n'est pas valide dans une règle « %s »" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "dans une action END, un « getline » non redirigé n'est pas défini" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "l'ancien awk ne dispose pas des tableaux multidimensionnels" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "l'appel de « length » sans parenthèses n'est pas portable" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "les appels indirects de fonctions sont une extension gawk" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "" "impossible d'utiliser la variable spéciale « %s » pour un appel indirect de " "fonction" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "tentative d'appel de « %s » comme fonction" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "expression indice incorrecte" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "avertissement : " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "fatal : " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "fin de chaîne ou passage à la ligne inattendu" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" "fichiers sources et arguments doivent contenir des règles et fonctions " "complètes" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "impossible d'ouvrir le fichier source « %s » en lecture : %s" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "impossible d'ouvrir la bibliothèque partagée « %s » en lecture : %s" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "raison inconnue" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "impossible d'inclure « %s » et de l'utiliser comme programme" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "le fichier source « %s » a déjà été intégré" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "la bibliothèque partagée « %s » est déjà chargée" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "@include est une extension gawk" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "Le nom de fichier après @include est vide" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "@load est une extension gawk" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "Le nom de fichier après @load est vide" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "le programme indiqué en ligne de commande est vide" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "impossible de lire le fichier source « %s » : %s" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "le fichier source « %s » est vide" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "erreur : caractère incorrect « \\%03o » dans le code source" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "le fichier source ne se termine pas par un passage à la ligne" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "" "expression rationnelle non refermée terminée par un « \\ » en fin de fichier" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" "%s : %d : le modificateur d'expressions rationnelles « /.../%c » de tawk ne " "marche pas dans gawk" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" "le modificateur d'expressions rationnelles « /.../%c » de tawk ne marche pas " "dans gawk" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "expression rationnelle non refermée" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "expression rationnelle non refermée en fin de fichier" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "" "l'utilisation de « \\ #... » pour prolonger une ligne n'est pas portable" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "la barre oblique inverse n'est pas le dernier caractère de la ligne" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "les tableaux multidimensionnels sont une extension gawk" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX n'autorise pas l'opérateur « %s »" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "l'ancien awk ne dispose pas de l'opérateur « %s »" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "chaîne non refermée" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "POSIX interdit les sauts de lignes physiques dans les chaînes" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "prolonger une chaîne via une barre oblique inversée est non portable" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "caractère incorrect « %c » dans l'expression" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "« %s » est une extension gawk" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX n'autorise pas « %s »" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "l'ancien awk ne dispose pas de « %s »" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "« goto » est jugé dangereux !" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d n'est pas un nombre d'arguments valide de %s" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "" "%s : une chaîne littérale en dernier argument d'une substitution est sans " "effet" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "le troisième paramètre de %s n'est pas un objet modifiable" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match : le troisième argument est une extension gawk" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close : le deuxième argument est une extension gawk" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "utilisation incorrecte de dcgettext(_\"...\") : enlevez le souligné de tête" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "utilisation incorrecte de dcngettext(_\"...\") : enlevez le souligné de tête" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "" "index : le deuxième argument ne peut être une expression rationnelle " "constante" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "fonction « %s » : le paramètre « %s » masque la variable globale" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "impossible d'ouvrir « %s » en écriture : %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "envoi de la liste des variables vers la sortie d'erreur standard" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "%s : échec de la fermeture : %s" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "shadows_funcs() a été appelé deux fois !" #: awkgram.y:4980 msgid "there were shadowed variables" msgstr "il y avait des variables masquées" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "nom de fonction « %s » déjà défini" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "" "fonction « %s » : impossible d'utiliser un nom de fonction comme paramètre" #: awkgram.y:5126 #, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" "fonction « %s » : paramètre « %s » : POSIX n'autorise pas l'utilisation " "d'une variable spéciale comme paramètre de fonction" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "" "fonction « %s » : le paramètre « %s » ne peut contenir un espace de noms" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "" "fonction « %s » : paramètre #%d, « %s » est un doublon du paramètre #%d" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "fonction « %s » appelée sans être définie" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "fonction « %s » définie mais jamais appelée directement" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "le paramètre #%d, une expr. rationnelle constante, fournit un booléen" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "fonction « %s » appelée avec un espace entre son nom\n" "et « ( », ou utilisée comme variable ou tableau" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "tentative de division par zéro" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "tentative de division par zéro dans « %% »" # gawk 'BEGIN { $1++ = 1 }' #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "" "impossible d'assigner une valeur au résultat de la post-incrémentation d'un " "champ" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "cible de l'assignement incorrecte (opcode %s)" #: awkgram.y:6266 msgid "statement has no effect" msgstr "l'instruction est sans effet" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" "identifiant %s : les noms qualifiés sont interdits en mode POSIX / " "traditionnel" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "" "identifiant %s : le séparateur d'espace de noms est « :: », et non « : »" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "l'identifiant qualifié « %s » est mal formé" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" "identifiant « %s » : le séparateur d'espace de noms ne peut apparaître " "qu'une fois" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" "utiliser l'identifiant réservé « %s » comme espace de noms est interdit" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" "utiliser l'identifiant réservé « %s » comme 2nd composant d'un nom qualifié " "est interdit" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "@namespace est une extension gawk" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" "l'espace de noms « %s » doit respecter les règles d'écriture des identifiants" #: builtin.c:93 builtin.c:100 #, c-format msgid "%s: called with %d arguments" msgstr "%s : appelé avec %d arguments" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "échec de %s vers « %s » : %s" #: builtin.c:129 msgid "standard output" msgstr "sortie standard" #: builtin.c:130 msgid "standard error" msgstr "sortie d'erreur standard" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s : argument reçu non numérique" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp : l'argument %g est hors limite" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "%s : l'argument n'est pas une chaîne" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush : vidage impossible : le tube « %.*s » est ouvert en lecture et non " "en écriture" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" "fflush : vidage impossible : fichier « %.*s » ouvert en lecture, pas en " "écriture" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush : vidage vers le fichier « %.*s » impossible : %s" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" "fflush : vidage impossible : le tube bidirectionnel « %.*s » a fermé son " "côté écriture" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "" "fflush : « %.*s » n'est ni un fichier ouvert, ni un tube, ni un coprocessus" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "%s : le 1er argument n'est pas une chaîne" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "%s : le 2e argument n'est pas une chaîne" #: builtin.c:595 msgid "length: received array argument" msgstr "length : l'argument reçu est un tableau" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "« length(tableau) » est une extension gawk" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "%s : l'argument est négatif %g" #: builtin.c:698 builtin.c:2949 #, c-format msgid "%s: received non-numeric third argument" msgstr "%s : le troisième argument n'est pas numérique" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "%s : le deuxième argument reçu n'est pas numérique" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr : la longueur %g n'est pas >= 1" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr : la longueur %g n'est pas >= 0" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr : la longueur %g n'est pas entière, elle sera tronquée" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "substr : la longueur %g est trop grande, tronquée à %g" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr : l'index de début %g n'est pas valide, utilisation de 1" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "substr : l'index de début %g n'est pas un entier, il sera tronqué" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr : la chaîne source est de longueur nulle" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr : l'index de début %g est au-delà de la fin de la chaîne" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr : la longueur %g à partir de %g dépasse la fin du 1er argument (%lu)" # Exemple : gawk --lint 'BEGIN { PROCINFO["strftime"]=123 ; print strftime() }' #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "" "strftime : la valeur de formatage PROCINFO[\"strftime\"] est de type " "numérique" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "strftime: deuxième argument négatif ou trop grand pour time_t" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "strftime: deuxième argument hors plage pour time_t" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime : la chaîne de formatage est vide" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "" "mktime : au moins l'une des valeurs est en dehors de la plage par défaut" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "La fonction « system » est interdite en mode bac à sable" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "" "print : tentative d'écriture vers un tube bidirectionnel fermé côté écriture" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "référence à un champ non initialisé « $%d »" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "%s : le premier argument n'est pas numérique" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match : le troisième argument n'est pas un tableau" #: builtin.c:1604 #, c-format msgid "%s: cannot use %s as third argument" msgstr "%s : impossible d'utiliser %s comme troisième argument" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub : le troisième argument « %.*s » sera traité comme un 1" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s : un appel indirect nécessite deux arguments" #: builtin.c:2242 msgid "indirect call to gensub requires three or four arguments" msgstr "un appel indirect à gensub demande 3 ou 4 arguments" #: builtin.c:2304 msgid "indirect call to match requires two or three arguments" msgstr "un appel indirect à match demande 2 ou 3 arguments" #: builtin.c:2365 #, c-format msgid "indirect call to %s requires two to four arguments" msgstr "un appel indirect à %s demande 2 à 4 arguments" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f) : les valeurs négatives sont interdites" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f) : les valeurs non entières seront tronquées" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "lshift(%f, %f) : un décalage trop grand donne des résultats inattendus" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f, %f) : les valeurs négatives sont interdites" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f) : les valeurs non entières seront tronquées" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "" "rshift(%f, %f) : un décalage trop grand donnera des résultats inattendus" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "%s : appelé avec moins de deux arguments" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "%s : l'argument %d n'est pas numérique" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%s : argument %d : la valeur négative %g est interdite" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f) : les valeurs négatives sont interdites" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f) : les valeurs non entières seront tronquées" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext : « %s » n'est pas dans un catégorie valide de la locale" #: builtin.c:2842 builtin.c:2860 #, c-format msgid "%s: received non-string third argument" msgstr "%s : le 3e argument n'est pas une chaîne" #: builtin.c:2915 builtin.c:2936 #, c-format msgid "%s: received non-string fifth argument" msgstr "%s : le 5e argument n'est pas une chaîne" #: builtin.c:2925 builtin.c:2942 #, c-format msgid "%s: received non-string fourth argument" msgstr "%s : le 4e argument n'est pas une chaîne" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "intdiv : le troisième argument n'est pas un tableau" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "intdiv : tentative de division par zéro" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "typeof : le deuxième argument n'est pas un tableau" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" "typeof a détecté une combinaison de drapeaux incorrects « %s ». Merci de " "nous remonter l'erreur." #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "typeof : type d'argument inconnu « %s »" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "Impossible d'ajouter un fichier (%.*s) à ARGV en mode bac à sable" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "Entrez des instructions (g)awk. Terminez avec « end »\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "numéro de trame incorrect : %d" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "info : option incorrecte - « %s »" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "source « %s » : déjà chargée" #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "sauve « %s » : commande interdite" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" "Impossible d'utiliser « commands » pour des points d'arrêt ou de surveillance" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "Aucun point d'arrêt ou de surveillance défini" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "numéro de point d'arrêt ou de surveillance incorrect" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "" "Entrez les commandes exécutées lors de l'appui de %s %d, une par ligne.\n" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "Terminez par la commande « end »\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "« end » n'est valable que dans « commands » ou « eval »" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "« silent » n'est valable que dans « commands »" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "trace : option incorrecte - « %s »" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "condition : numéro de point d'arrêt ou de surveillance incorrect" #: command.y:452 msgid "argument not a string" msgstr "l'argument n'est pas une chaîne" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "option : paramètre incorrect - « %s »" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "fonction inconnue - « %s »" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "enable : option incorrecte - « %s »" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "spécification de plage incorrecte : %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "numéro de champ non numérique" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "valeur non numérique trouvée, nombre attendu" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "valeur entière non nulle" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" "backtrace [N] - affiche la trace de tout ou des N dernières trames (du début " "si N < 0)" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "" "break [[fichier:]N|fonction] - définit un point d'arrêt à l'endroit indiqué" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "clear [[fichier:]N|fonction] - détruit un point d'arrêt existant" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" "commands [no] - débute une liste de commande à lancer aux points d'arrêt ou " "de surveillance" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" "condition no [expr] - définit ou détruit une condition d'arrêt ou de " "surveillance" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "continue [NB] - continue le programme en cours" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "delete [points d'arrêt] [plage] - détruit les points d'arrêt indiqués" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "" "disable [points d'arrêt] [plage] - désactive les points d'arrêt indiqués" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "display [var] - affiche la valeur de la variable à chaque arrêt" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "down [N] - descend de N trames dans la pile" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "" "dump [fichier] - recopie les instructions vers la sortie standard ou un " "fichier" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "enable [once|del] [points d'arrêt] [plage] - active les points d'arrêt" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "end - termine une liste de d'instructions awk ou de commandes" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "eval instructions|[p1, p2, ...] - évalue des instructions awk" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "exit - (identique à quit) sort du débogueur" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "finish - exécute jusqu'au retour de la trame sélectionnée de la pile" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "frame [N] - sélectionne et affiche la trame N de la pile" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "" "help [commande] - affiche la liste des commandes ou explique la commande" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "ignore N NB - ignore les NB prochaines occurrences du point d'arrêt N" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info sujet - source|sources|variables|functions|break|frame|args|locals|" "display|watch" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "" "list [-|+|[fichier:]no_ligne|fonction|plage] - affiche les lignes indiquées" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "next [NB] - avance ligne par ligne, sans détailler les sous-routines" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" "nexti [NB] - avance d'une instruction, sans détailler les sous-routines" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "option [nom[=valeur]] - affiche ou définit les options du débogueur" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "print var [var] - affiche la valeur d'une variable ou d'un tableau" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "printf format, [arg], ... - sortie formatée" #: command.y:872 msgid "quit - exit debugger" msgstr "quit - sort du débogueur" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "" "return [valeur] - fait revenir la trame choisie de la pile vers son appelant" #: command.y:876 msgid "run - start or restart executing program" msgstr "run - démarre et redémarre l'exécution du programme" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "save fichier - enregistre les commandes de la sessions dans un fichier" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "set var = valeur - assigne une valeur à une variable scalaire" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" "silent - suspend les messages habituels lors des points d'arrêt et de " "surveillance" #: command.y:886 msgid "source file - execute commands from file" msgstr "source fichier - exécute les commandes du fichier" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "step [NB] - avance jusqu'à une ligne différente du code source" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [NB] - avance d'une instruction exactement" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "tbreak [[fichier:]N|fonction] - définit un point d'arrêt temporaire" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "trace on|off - affiche les instructions avant de les exécuter" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "" "undisplay [N] - retire la ou les variables de la liste d'affichage " "automatique" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" "until [[fichier:]N|fonction] - exécution jusqu'à dépasser la ligne courant " "ou la ligne N, dans la trame actuelle" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [N] - enlève la ou les variables de la liste de surveillance" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "up [N] - remonte de N trames dans la pile" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "watch var - définit un point de surveillance pour une variable" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "where [N] - (identique à backtrace) affiche la trace de tout ou des N " "dernières trames (du début si N < 0)" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "erreur : " #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "impossible de lire la commande : %s\n" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "impossible de lire la commande : %s" #: command.y:1126 msgid "invalid character in command" msgstr "la commande contient un caractère incorrect" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "commande inconnue - « %.*s », essayez « help »" #: command.y:1294 msgid "invalid character" msgstr "Caractère incorrect" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "commande inconnue : %s\n" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "affiche ou définit le nombre de lignes du fichier d'historique" #: debug.c:259 msgid "set or show the list command window size" msgstr "affiche ou définit la taille de fenêtre pour la commande list" #: debug.c:261 msgid "set or show gawk output file" msgstr "affiche ou définit le fichier de sortie de gawk" #: debug.c:263 msgid "set or show debugger prompt" msgstr "affiche ou définit l'invite du débogueur" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "" "affiche ou (dés)active l'enregistrement de l'historique (valeur=on|off)" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "affiche ou (dés)active l'enregistrement des options (valeur=on|off)" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "affiche ou (dés)active le traçage des instructions (valeur=on|off)" #: debug.c:358 msgid "program not running" msgstr "le programme n'est pas en cours" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "le fichier source « %s » est vide.\n" #: debug.c:502 msgid "no current source file" msgstr "pas de fichier source courant" #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "impossible de trouver le fichier source nommé « %s » : %s" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "" "attention : fichier source « %s » modifié après la compilation du " "programme.\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "numéro de ligne %d hors limite ; « %s » a %d lignes" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "fin de fichier inattendue lors de la lecture de « %s », ligne %d" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "fichier source « %s » modifié depuis le début d'exécution du programme" # c-format #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "Fichier source courant : %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "Nombre de lignes : %d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "Fichier source (lignes) : %s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "Numéro Post Activé Position\n" "\n" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "\tnombre d'occurrences = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "\tignore les %ld prochaines occurrences\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "\tcondition d'arrêt : %s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "\tcommandes :\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "Trame courante : " #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "Appelée par la trame : " #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "Appelant de la trame : " #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "Aucune dans main().\n" #: debug.c:870 msgid "No arguments.\n" msgstr "Aucun argument.\n" #: debug.c:871 msgid "No locals.\n" msgstr "Aucune variable locale.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "Liste des variables définies :\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "Liste des fonctions définies :\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "Variables affichées automatiquement :\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "Variables inspectées :\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "pas de symbole « %s » dans le contexte actuel\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "« %s » n'est pas un tableau\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = champ non initialisé\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "le tableau « %s » est vide\n" #: debug.c:1184 debug.c:1236 #, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "l'indice « %.*s » n'est pas dans le tableau « %s »\n" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "« %s[\"%.*s\"] » n'est pas un tableau\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "« %s » n'est pas une variable scalaire" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "" "tentative d'utilisation du tableau « %s[\"%.*s\"] » en contexte scalaire" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "tentative d'utiliser le scalaire « %s[\"%.*s\"] » comme tableau" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "« %s » est une fonction" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "le point de surveillance %d est inconditionnel\n" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "aucune entrée d'affichage numéro %ld" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "aucune entrée de surveillance numéro %ld" #: debug.c:1596 #, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d : l'indice « %.*s » n'est pas dans le tableau « %s »\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "tentative d'utiliser un scalaire comme tableau" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "" "Point de surveillance %d détruit, car son paramètre est hors contexte.\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "Affichage %d détruit, car son paramètre est hors contexte\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr "dans le fichier « %s », ligne %d\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr " à « %s »:%d" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "#%ld\tdans " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "D'autres trames de la pile suivent...\n" #: debug.c:2092 msgid "invalid frame number" msgstr "Numéro de trame incorrect" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Note : point d'arrêt %d (activé, ignore %ld occurrences) déjà défini à %s:%d" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "Note : point d'arrêt %d (activé) déjà défini à %s:%d" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Note : point d'arrêt %d (désactivé, ignore %ld occurrences) déjà défini à %s:" "%d" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "Note : point d'arrêt %d (désactivé) déjà défini à %s:%d" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "Point d'arrêt %d défini dans le fichier « %s » ligne %d\n" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "Impossible de définir un point d'arrêt dans le fichier « %s »\n" #: debug.c:2444 #, c-format msgid "line number %d in file `%s' is out of range" msgstr "le numéro de ligne %d est hors du fichier « %s »" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "erreur interne : impossible de trouver la règle\n" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "Impossible de définir un point d'arrêt à « %s:%d »:\n" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "Impossible de définir un point d'arrêt dans la fonction « %s »\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "" "le point d'arrêt %d défini sur le fichier « %s », ligne %d est " "inconditionnel\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "numéro de ligne %d dans le fichier « %s » hors limite" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "Point d'arrêt %d supprimé" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "Aucun point d'arrêt à l'appel de la fonction « %s »\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "Pas de point d'arrêt sur le fichier « %s », ligne #%d\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "Numéro de point d'arrêt incorrect" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "Supprimer tous les points d'arrêt (o ou n) " #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "o" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "Ignorera les prochaines %ld occurrences du point d'arrêt %d.\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "S'arrêtera à la prochaine occurrence du point d'arrêt %d.\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "" "Seuls les programmes fournis via l'option « -f » peuvent être débogués.\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "Relance...\n" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "Échec de redémarrage du débogueur" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "Programme en cours. Reprendre depuis le début (o/n) ? " #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "Programme non redémarré\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "erreur : impossible de redémarrer, opération interdite\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "erreur (%s) : impossible de redémarrer, suite des commandes ignorées\n" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "Démarrage du programme :\n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "Le programme s'est terminé en erreur avec le code de retour : %d\n" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "Le programme s'est terminé correctement avec le code de retour : %d\n" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "Le programme est en cours. Sortir quand même (o/n) ?" #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "Aucun arrêt à un point d'arrêt : argument ignoré.\n" #: debug.c:3091 #, c-format msgid "invalid breakpoint number %d" msgstr "point d'arrêt %d incorrect" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "Les %ld prochaines occurrences du point d'arrêt %d seront ignorées.\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "« finish » n'a pas de sens dans la trame initiale main()\n" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "S'exécute jusqu'au retour de " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "« return » n'a pas de sens dans la trame initiale main()\n" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "Impossible de trouver la position indiquée dans la fonction « %s »\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "ligne source %d incorrecte dans le fichier « %s »" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "Position %d introuvable dans le fichier « %s »\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "élément absent du tableau\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "variable sans type\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "Arrêt dans %s...\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "« finish » n'a pas de sens avec un saut non local « %s »\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "« until » n'a pas de sens avec un saut non local « %s »\n" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "\t-----[Entrée] : continuer ; [q] + [Entrée] : quitter-----" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%.*s\"] est absent du tableau « %s »" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "envoi de la sortie vers stdout\n" #: debug.c:5449 msgid "invalid number" msgstr "nombre incorrect" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "« %s » interdit dans ce contexte ; instruction ignorée" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "« return » interdit dans ce contexte ; instruction ignorée" #: debug.c:5639 #, c-format msgid "fatal error during eval, need to restart.\n" msgstr "fatal : erreur lors de l'appel d'eval, redémarrage nécessaire.\n" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "pas de symbole « %s » dans le contexte actuel" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "type de nœud %d inconnu" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "code opération %d inconnu" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "le code opération %s n'est pas un opérateur ou un mot-clef" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "débordement de tampon dans genflag2str" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# Pile des appels de fonctions :\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "« IGNORECASE » est une extension gawk" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "« BINMODE » est une extension gawk" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "la valeur « %s » de BINMODE n'est pas valide, 3 utilisé à la place" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "spécification de « %sFMT » erronée « %s »" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "désactivation de « --lint » en raison d'une affectation à « LINT »" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "référence à un argument non initialisé « %s »" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "référence à une variable non initialisée « %s »" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "tentative de référence à un champ via une valeur non numérique" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "tentative de référence à un champ via une chaîne nulle" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "tentative d'accès au champ %ld" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "référence à un champ non initialisé « $%ld »" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "la fonction « %s » a été appelée avec trop d'arguments" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: type « %s » inattendu" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "tentative de division par zéro dans « /= »" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "tentative de division par zéro dans « %%= »" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "les extensions sont interdites en isolement (mode sandbox)" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "-l / @load est une extension gawk" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext : lib_name reçu NULL" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext : impossible d'ouvrir la bibliothèque « %s » : %s" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "" "load_ext : bibliothèque « %s » : ne définit pas " "« plugin_is_GPL_compatible » : %s" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "" "load_ext : bibliothèque « %s » : impossible d'appeler la fonction « %s » : %s" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "" "load_ext : bibliothèque « %s » : échec de la routine d'initialisation « %s »" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin : nom de fonction manquant" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "" "make_builtin : impossible d'utiliser la fonction gawk « %s » comme nom de " "fonction" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" "make_builtin : impossible d'utiliser la fonction gawk « %s » comme espace de " "noms" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin : impossible de redéfinir la fonction « %s »" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin : fonction « %s » déjà définie" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin : nom de la fonction « %s » déjà défini" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin : la fonction « %s » a un nombre négatif d'arguments" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "" "fonction « %s » : argument #%d : tentative d'utilisation d'un scalaire comme " "tableau" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "" "fonction « %s » : argument #%d : tentative d'utiliser un tableau comme " "scalaire" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "chargement dynamique des bibliothèques impossible" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "stat : impossible de lire le lien symbolique « %s »" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "stat : le premier argument n'est pas une chaîne" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "split : le deuxième argument n'est pas un tableau" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stat : paramètres incorrects" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "fts init : impossible de créer la variable %s" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "fts n'est pas compatible avec ce système" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element : impossible de créer le tableau, mémoire saturée" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element : impossible de définir l'élément" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element : impossible de définir l'élément" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element : impossible de définir l'élément" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts-process : impossible de créer le tableau" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts-process : impossible de définir l'élément" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "fts : appelé avec un nombre d'arguments incorrects, attendu : 3" #: extension/filefuncs.c:853 msgid "fts: first argument is not an array" msgstr "fts : le premier argument n'est pas un tableau" #: extension/filefuncs.c:859 msgid "fts: second argument is not a number" msgstr "fts : le deuxième argument n'est pas un nombre" #: extension/filefuncs.c:865 msgid "fts: third argument is not an array" msgstr "fts : le troisième argument n'est pas un tableau" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts : impossible d'aplatir le tableau\n" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "fts : on ignore le drapeau sournois FTS_NOSTAT..." #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch : impossible d'obtenir le 1er argument" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch : impossible d'obtenir le deuxième argument" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch : impossible d'obtenir le troisième argument" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "fnmatch n'est pas disponible sur ce système\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "fnmatch init : impossible d'ajouter la variable FNM_NOMATCH" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "fnmatch init : impossible de définir l'élément de tableau %s" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "fnmatch init : impossible d'installer le tableau FNM" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork : PROCINFO n'est pas un tableau !" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "inplace::begin : modification sur place déjà active" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "inplace::begin : 2 arguments attendus, appelé avec %d" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "" "inplace::begin : impossible de récupérer le 1er argument comme nom de fichier" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" "inplace::begin : modification sur place annulée pour le fichier incorrect " "« %s »" #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "inplace::begin : stat impossible sur « %s » (%s)" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "inplace::begin : « %s » n'est pas un fichier ordinaire" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace::begin : échec de mkstemp('%s') (%s)" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace::begin : échec de la chmod (%s)" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace::begin : échec de dup(stdout) (%s)" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace::begin : échec de dup2(%d, stdout) (%s)" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace::begin : échec de close(%d) (%s)" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "inplace::end : 2 arguments attendus, appelé avec %d" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "" "inplace::end : impossible de récupérer le 1er argument comme nom de fichier" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "inplace::end : modification sur place non active" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace::end : échec de dup2(%d, stdout) (%s)" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace::end : échec de close(%d) (%s)" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace::end : échec de fsetpos(stdout) (%s)" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace::end : échec de link('%s', '%s') (%s)" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace::end : échec de rename('%s', '%s') (%s)" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "ord : le premier argument n'est pas une chaîne" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "chr : le premier argument n'est pas un nombre" #: extension/readdir.c:291 #, c-format msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "dir_take_control_of : %s : échec de opendir/fdopendir : %s" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "readfile : appelé avec un mauvais type d'argument" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput : impossible d'initialiser la variable REVOUT" #: extension/rwarray.c:145 extension/rwarray.c:548 #, c-format msgid "%s: first argument is not a string" msgstr "%s : le 1er argument n'est pas une chaîne" #: extension/rwarray.c:189 msgid "writea: second argument is not an array" msgstr "writea : le second argument n'est pas un tableau" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "writeall : tableau SYMTAB introuvable" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "write_array : impossible d'aplatir le tableau" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "write_array : impossible de libérer le tableau aplati" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "le tableau est de type inconnu %d" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" "extension rwarray : réception d'une valeur GMP/MPFR, mais sans support GMP/" "MPFR." #: extension/rwarray.c:437 #, c-format msgid "cannot free number with unknown type %d" msgstr "le tableau est de type inconnu %d" #: extension/rwarray.c:442 #, c-format msgid "cannot free value with unhandled type %d" msgstr "impossible de libérer la valeur du type non géré %d" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "readall : impossible de définir %s::%s" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "readall : impossible de définir %s" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "reada : échec de clear_array" #: extension/rwarray.c:611 msgid "reada: second argument is not an array" msgstr "reada : le second argument n'est pas un tableau" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "read_array : échec de set_array_element" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "" "valeur récupérée avec un code de type inconnu %d traitée comme une chaîne" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" "extension rwarray : fichier contenant une valeur GMP/MPFR, sans support GMP/" "MPFR." #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday : n'est pas disponible sur cette plate-forme" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep : l'argument numérique requis est absent" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep : l'argument est négatif" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep : n'est pas disponible sur cette plate-forme" #: extension/time.c:232 msgid "strptime: called with no arguments" msgstr "strptime : appelé sans argument" #: extension/time.c:240 #, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "do_strptime : l'argument 1 n'est pas une chaîne\n" #: extension/time.c:245 #, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "do_strptime : l'argument 2 n'est pas une chaîne\n" #: field.c:321 msgid "input record too large" msgstr "champ d'entrée trop grand" #: field.c:443 msgid "NF set to negative value" msgstr "une valeur négative a été assignée à NF" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "décrémenter NF n'est pas portable vers de nombreux awk" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "accéder aux champs depuis un END pourrait ne pas être portable" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split : le quatrième argument est une extension gawk" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split : le quatrième argument n'est pas un tableau" #: field.c:1138 field.c:1240 #, c-format msgid "%s: cannot use %s as fourth argument" msgstr "%s : impossible d'utiliser %s comme 4e argument" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split : le deuxième argument n'est pas un tableau" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "" "split : impossible d'utiliser le même tableau comme deuxième et quatrième " "argument" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "" "split : impossible d'utiliser un sous-tableau du deuxième argument en " "quatrième argument" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "" "split : impossible d'utiliser un sous-tableau du quatrième argument en " "deuxième argument" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "" "split : utiliser une chaîne vide en troisième argument est une extension non " "standard" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit : le quatrième argument n'est pas un tableau" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit : le deuxième argument n'est pas un tableau" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit : le troisième argument n'est pas un tableau" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "" "patsplit : impossible d'utiliser le même tableau comme deuxième et quatrième " "argument" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" "patsplit : impossible d'utiliser un sous-tableau du deuxième argument en " "quatrième argument" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" "patsplit : impossible d'utiliser un sous-tableau du quatrième argument en " "deuxième argument" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "Définir FS/FIELDWIDTHS/FPAT est sans effet avec --csv" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "« FIELDWIDTHS » est une extension gawk" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "« * » doit être le dernier élément de FIELDWIDTHS" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "valeur de FIELDWIDTHS incorrecte, pour le champ %d, près de « %s »" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "utiliser une chaîne vide pour « FS » est une extension gawk" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "" "l'ancien awk n'accepte pas les expr. rationnelles comme valeur de « FS »" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "« FPAT » est une extension gawk" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node : retval nul reçu" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "awk_value_to_node : mode MPFR non utilisé" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "awk_value_to_node : MPFR non disponible" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node : type numérique incorrect « %d »" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "add_ext_func : réception d'un espace de noms NULL" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" "node_to_awk_value : utilisation de drapeaux numériques incorrects « %s ». " "Merci de nous remonter l'erreur" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value : node nul reçu" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value : val nul reçu" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" "node_to_awk_value : utilisation de drapeaux incorrects « %s ». Merci de nous " "remonter l'erreur" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element : tableau nul reçu" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element : indice nul reçu" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "api_flatten_array_typed : impossible de convertir l'indice %d en %s" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "api_flatten_array_typed : impossible de convertir la valeur %d en %s" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "api_get_mpfr : MPFR non disponible" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "fin de la règle BEGINFILE non trouvée" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "impossible d'ouvrir le type de fichier « %s » inconnu en « %s »" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "L'argument « %s » de la ligne de commande est un répertoire : ignoré" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "impossible d'ouvrir le fichier « %s » en lecture : %s" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "échec de la fermeture du fd %d (« %s ») : %s" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "« %.*s » utilisé comme fichier d'entrée et de sortie" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "« %.*s » utilisé comme fichier d'entrée et tube d'entrée" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "« %.*s » utilisé comme fichier d'entrée et tube bidirectionnel" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "« %.*s » utilisé comme fichier d'entrée et tube de sortie" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "mélange non nécessaire de « > » et « >> » pour le fichier « %.*s »" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "« %.*s » utilisé comme tube d'entrée et fichier de sortie" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "« %.*s » utilisé comme fichier de sortie et tube de sortie" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "« %.*s » utilisé comme fichier de sortie et tube bidirectionnel" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "« %.*s » utilisé comme tube d'entrée et tube de sortie" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "« %.*s » utilisé comme tube d'entrée et tube bidirectionnel" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "« %.*s » utilisé comme tube de sortie et tube bidirectionnel" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "les redirections sont interdites mode bac à sable" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "l'expression dans la redirection « %s » est un nombre" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "l'expression dans la redirection « %s » donne une chaîne nulle" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "le fichier « %.*s » de la redirection « %s » pourrait être le résultat d'une " "expression booléenne" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "get_file : impossible de créer le tube « %s » avec le fd %d" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "impossible d'ouvrir le tube « %s » en sortie : %s" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "impossible d'ouvrir le tube « %s » en entrée : %s" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" "création d'un connecteur via get_file non disponible sur cette plate-forme " "pour « %s » avec le fd %d" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "" "impossible d'ouvrir un tube bidirectionnel « %s » en entrée-sortie : %s" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "impossible de rediriger depuis « %s » : %s" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "impossible de rediriger vers « %s » : %s" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "limite système du nombre de fichiers ouverts atteinte : début du " "multiplexage des descripteurs de fichiers" #: io.c:1221 #, c-format msgid "close of `%s' failed: %s" msgstr "échec de fermeture de « %s » : %s" #: io.c:1229 msgid "too many pipes or input files open" msgstr "trop de fichiers d'entrées ou de tubes ouverts" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close : le deuxième argument doit être « to » ou « from »" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "" "close : « %.*s » n'est ni un fichier ouvert, ni un tube ou un coprocessus" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "fermeture d'une redirection qui n'a jamais été ouverte" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close : la redirection « %s » n'a pas été ouverte avec « |& », deuxième " "argument ignoré" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "résultat d'échec (%d) sur la fermeture du tube « %s » : %s" #: io.c:1400 #, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "" "résultat d'échec (%d) sur la fermeture du tube bidirectionnel « %s » : %s" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "résultat d'échec (%d) sur la fermeture du fichier « %s » : %s" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "aucune fermeture explicite du connecteur « %s » fournie" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "aucune fermeture explicite du coprocessus « %s » fournie" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "aucune fermeture explicite du tube « %s » fournie" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "aucune fermeture explicite du fichier « %s » fournie" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "fflush : impossible de vider la sortie standard : %s" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "fflush : impossible de vider la sortie d'erreur standard : %s" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "erreur lors de l'écriture vers la sortie standard : %s" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "erreur lors de l'écriture vers l'erreur standard : %s" #: io.c:1513 #, c-format msgid "pipe flush of `%s' failed: %s" msgstr "échec du vidage du tube « %s » : %s" #: io.c:1516 #, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "échec du vidage du tube vers « %s » par le coprocessus : %s" #: io.c:1519 #, c-format msgid "file flush of `%s' failed: %s" msgstr "échec du vidage vers le fichier « %s » : %s" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "port local %s incorrect dans « /inet » : %s" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "port local %s incorrect dans « /inet »" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "informations sur l'hôte et le port distants (%s, %s) incorrectes : %s" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "informations sur l'hôte et le port distants (%s, %s) incorrectes" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "les communications TCP/IP ne sont pas disponibles" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "impossible d'ouvrir « %s », mode « %s »" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "échec de la fermeture du pty maître : %s" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "échec de la fermeture de stdout du processus fils : %s" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "" "échec du déplacement du pty esclave vers le stdout du processus fils (dup : " "%s)" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "échec de fermeture du stdin du processus fils : %s" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "" "échec du déplacement du pty esclave vers le stdin du processus fils (dup : " "%s)" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "échec de la fermeture du pty esclave : %s" #: io.c:2317 msgid "could not create child process or open pty" msgstr "impossible de créer un processus fils ou d'ouvrir un pty" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "échec du déplacement du tube vers stdout du processus fils (dup : %s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "échec de déplacement du tube vers stdin du processus fils (dup : %s)" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "échec de la restauration du stdout dans le processus parent" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "échec de la restauration du stdin dans le processus parent" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "échec de la fermeture du tube : %s" #: io.c:2534 msgid "`|&' not supported" msgstr "« |& » non disponible" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "impossible d'ouvrir le tube « %s » : %s" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "impossible de créer le processus fils pour « %s » (fork : %s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "" "getline : tentative de lecture vers un tube bidirectionnel fermé côté lecture" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser : pointeur NULL reçu" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" "l'analyseur d'entrée « %s » est en conflit avec l'analyseur « %s » déjà " "installé" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "l'analyseur d'entrée « %s » n'a pu ouvrir « %s »" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_wrapper : pointeur NULL reçu" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" "le filtre de sortie « %s » est en conflit avec le filtre « %s » déjà installé" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "le filtre de sortie « %s » n'a pu ouvrir « %s »" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor : pointeur NULL reçu" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" "le gestionnaire bidirectionnel « %s » est en conflit avec le gestionnaire " "« %s » déjà installé" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "le gestionnaire bidirectionnel « %s » n'a pu ouvrir « %s »" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "le fichier de données « %s » est vide" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "impossible d'allouer plus de mémoire d'entrée" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "Définir RS est sans effet avec --csv" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "" "l'utilisation d'un « RS » de plusieurs caractères est une extension gawk" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "les communications IPv6 ne sont pas disponibles" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" "gawk_poen_write : échec du déplacement du descripteur de fichier du tube en " "entrée standard" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "" "variable d'environnement « POSIXLY__CORRECT » définie : activation de « --" "posix »" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "« --posix » prend le pas sur « --traditional »" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "" "« --posix » et « --traditional » prennent le pas sur « --non-decimal-data »" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "« --posix » prend le pas sur « --characters-as-bytes »" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "« --posix » et « --csv » sont incompatibles" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "" "l'exécution de %s en mode setuid root peut être un problème de sécurité" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "L'option -r/--re-interval est maintenant sans effet" #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "impossible d'activer le mode binaire sur stdin : %s" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "impossible d'activer le mode binaire sur stdout : %s" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "impossible d'activer le mode binaire sur stderr : %s" #: main.c:483 msgid "no program text at all!" msgstr "aucun programme !" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "" "Utilisation : %s [options GNU ou POSIX] -f fichier_prog [--] fichier ...\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "" "Utilisation : %s [options GNU ou POSIX] [--] %cprogramme%c fichier ...\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "Options POSIX :\t\tOptions longues GNU : (standard)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f fichier_prog\t\t--file=fichier_prog\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F fs\t\t\t--field-separator=fs\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "\t-v var=valeur\t\t--assign=var=valeur\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "Options POSIX :\t\tOptions longues GNU : (extensions)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[fichier]\t\t--dump-variables[=fichier]\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-D[fichier]\t\t--debug[=fichier]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e 'programme'\t\t--source='programme'\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E fichier\t\t--exec=fichier\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "\t-i fichier\t\t--include=fichier\n" #: main.c:602 msgid "\t-I\t\t\t--trace\n" msgstr "\t-I\t\t\t--trace\n" #: main.c:603 msgid "\t-k\t\t\t--csv\n" msgstr "\t-k\t\t\t--csv\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "\t-l bibliothèque\t\t--load=bibliothèque\n" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "\t-M\t\t\t--bignum\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-o[fichier]\t\t--pretty-print[=fichier]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[fichier]\t\t--profile[=fichier]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-s\t\t\t--no-optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "\t-Z nom-locale\t\t--locale=nom-locale\n" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "Pour signaler une anomalie, utilisez le programme « gawkbug ».\n" "Pour des instructions complètes, consultez le nœud « Bugs » de\n" "« gawk.info », qui est dans la section « Reporting Problems and Bugs »\n" "de la version imprimée. Vous trouverez les mêmes informations sur\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "MERCI de ne PAS essayer de signaler une anomalie via comp.lang.awk,\n" "ou en utilisant un forum internet tel que Stack Overflow.\n" "\n" "Pour signaler une erreur de traduction, envoyez un message à\n" "traduction-gawk@tigreraye.org.\n" "\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" "Le code source de gawk peut être récupéré depuis :\n" "%s/gawk-%s.tar.gz\n" "\n" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk est un langage de recherche et de traitement des motifs.\n" "Par défaut, il lit l'entrée standard et écrit sur la sortie standard.\n" "\n" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "Exemples :\n" "\t%s '{ somme += $1 }; END { print somme }' fichier\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Copyright © 1998, 1991-%d Free Software Foundation.\n" "\n" "Ce programme est un logiciel libre ; vous pouvez le redistribuer et le\n" "modifier selon les termes de la licence publique générale GNU (GNU\n" "General Public License), telle que publiée par la Free Software\n" "Foundation ; soit selon la version 3 de cette licence, soit selon une\n" "version ultérieure de votre choix.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "Ce logiciel est distribué en espérant qu'il sera utile, mais SANS AUCUNE\n" "GARANTIE, y compris les garanties implicites D'ADAPTATION À UN BUT\n" "SPÉCIFIQUE et de COMMERCIALISATION. Pour plus d'informations à ce\n" "sujet, consultez le texte de la licence publique générale GNU (GNU\n" "General Public License).\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "Vous devriez avoir reçu copie de la licence publique générale GNU\n" "(GNU General Public License) avec ce programme. Sinon, consultez\n" "http://www.gnu.org/licenses/.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "-Ft ne définit pas le FS comme étant une tabulation en awk POSIX" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s : « %s » l'argument de « -v » ne respecte pas la forme « var=valeur »\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "« %s » n'est pas un nom de variable autorisé" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "« %s » n'est pas un nom de variable, recherche du fichier « %s=%s »" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "impossible d'utiliser le mot clef gawk « %s » comme variable" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "impossible d'utiliser la fonction « %s » comme variable" #: main.c:1294 msgid "floating point exception" msgstr "exception du traitement en virgule flottante" #: main.c:1304 msgid "fatal error: internal error" msgstr "fatal : erreur interne" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "aucun descripteur fd %d pré-ouvert" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "impossible de pré-ouvrir /dev/null pour le descripteur fd %d" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "argument vide de l'option « -e / --source » ignoré" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "« --profile » prend le pas sur « --pretty-print »" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "-M sans effet : version compilée sans MPFR/GMP" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "Utilisez « GAWK_PERSIST_FILE=%s gawk » au lieu de --persist." #: main.c:1726 msgid "Persistent memory is not supported." msgstr "La mémoire permanente n'est disponible." #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s : option « -W %s » non reconnue, ignorée\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s : l'option requiert un argument - %c\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "%s : fatal : impossible d'utiliser stat sur %s : %s\n" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" "%s : fatal : utiliser la mémoire persistante est interdit avec le compte " "root.\n" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "%s : attention : %s n'appartient pas à l'euid %d.\n" #: main.c:1913 msgid "persistent memory is not supported" msgstr "mémoire permanente non disponible" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" "%s : fatal : échec d'initialisation de l'allocateur de mémoire permanente : " "code : %d, pam.c ligne : %d.\n" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "la valeur « %.*s » de PREC est incorrecte" #: mpfr.c:718 #, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "la valeur « %.*s » de ROUNDMODE est incorrecte" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2 : le premier argument n'est pas numérique" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2 : le deuxième argument n'est pas numérique" #: mpfr.c:825 #, c-format msgid "%s: received negative argument %.*s" msgstr "%s : l'argument est négatif %.*s" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int : l'argument n'est pas numérique" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl : l'argument n'est pas numérique" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%Rg) : valeur négative interdite" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "compl(%Rg) : les valeurs non entières seront tronquées" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%Zd) : les valeurs négatives sont interdites" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s : argument reçu non numérique #%d" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "%s : l'argument #%d a une valeur incorrecte %Rg, utilisation de 0" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%s : argument #%d : la valeur négative %Rg est interdite" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "%s : argument #%d : la valeur non entière %Rg sera tronquée" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%s : argument #%d : la valeur négative %Zd est interdite" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and : appelé avec moins de 2 arguments" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or : appelé avec moins de 2 arguments" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "xor : appelé avec moins de 2 arguments" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand : l'argument n'est pas numérique" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "intdiv : le premier argument n'est pas numérique" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "intdiv : le deuxième argument reçu n'est pas numérique" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "ligne de commande:" #: node.c:477 msgid "backslash at end of string" msgstr "barre oblique inverse en fin de chaîne" #: node.c:511 msgid "could not make typed regex" msgstr "impossible de créer une expression rationnelle typée" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "l'ancien awk ne dispose pas de la séquence d'échappement « \\%c »" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX n'autorise pas les séquences d'échappement « \\x »" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "aucun chiffre hexadécimal dans la séquence d'échappement « \\x » " #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "la séquence d'échappement hexa. \\x%.*s de %d caractères ne sera " "probablement pas interprétée comme vous l'imaginez" #: node.c:705 msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX n'autorise pas les séquences d'échappement « \\u »" #: node.c:713 msgid "no hex digits in `\\u' escape sequence" msgstr "aucun chiffre hexadécimal dans la séquence d'échappement « \\u » " #: node.c:744 msgid "invalid `\\u' escape sequence" msgstr "séquence d'échappement « \\u » incorrecte" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "séquence d'échappement « \\%c » traitée comme un simple « %c »" #: node.c:908 msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "Données multioctets incorrectes détectées. Possible incohérence entre " "données et paramètres régionaux (locale)" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "" "%s %s « %s » : impossible d'obtenir les drapeaux du fd : (fcntl F_GETFD: %s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "" "%s %s « %s »: impossible de positionner close-on-exec: (fcntl F_SETFD: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "attention : /proc/self/exe : readlink: %s\n" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "attention : personality : %s\n" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "waitpid : code de retour %#o\n" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "fatal : posix_spawn : %s\n" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "Trop de niveaux d'indentation. Envisagez de restructurer votre code" #: profile.c:114 msgid "sending profile to standard error" msgstr "envoi du profil vers la sortie d'erreur standard" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# %s règle(s)\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# Règle(s)\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "erreur interne : %s avec un vname nul" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "erreur interne : fonction interne avec un fname nul" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "%s# Extensions chargées (via -l ou @load)\n" "\n" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\n" "# Fichiers inclus (via -i ou @include)\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# profile gawk, créé %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# Fonctions, par ordre alphabétique\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str : type de redirection %d inconnu" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" "le comportement d'une exp. rationnelle incluant des caractères NUL est non " "défini pour POSIX" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "octet NUL invalide dans une exp. rationnelle dynamique" #: re.c:215 #, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "" "séquence d'échappement d'exp. rationnelle « \\%c » traitée comme un simple " "« %c »" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" "séquence d'échappement d'exp. rationnelle « \\%c » n'est pas un opérateur " "connu" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "" "le composant d'expression rationnelle « %.*s » devrait probablement être " "« [%.*s] »" #: support/dfa.c:910 msgid "unbalanced [" msgstr "[ non apparié" #: support/dfa.c:1031 msgid "invalid character class" msgstr "classe de caractères incorrecte" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "la syntaxe des classes de caractères est [[:space:]], et non [:space:]" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "échappement \\ non terminé" #: support/dfa.c:1345 msgid "? at start of expression" msgstr "? en début d'expression" #: support/dfa.c:1357 msgid "* at start of expression" msgstr "* en début d'expression" #: support/dfa.c:1371 msgid "+ at start of expression" msgstr "+ en début d'expression" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "{...} en début d'expression" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "contenu de \\{\\} incorrect" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "expression rationnelle trop grande" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "|| égaré avant un caractère non imprimable" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "|| égaré avant un espace" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "\\ égaré avant un %s" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "|| égaré" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "( non apparié" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "aucune syntaxe indiquée" #: support/dfa.c:2077 msgid "unbalanced )" msgstr ") non apparié" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s : l'option « %s » est ambiguë ; possibilités :" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s : l'option « --%s » n'accepte pas d'argument\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s : l'option « %c%s » n'accepte pas d'argument\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s : l'option « --%s » nécessite un argument\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s : option non reconnue « --%s »\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s : option non reconnue « %c%s »\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s : option incorrecte - « %c »\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s : l'option requiert un argument - « %c »\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s : l'option « -W %s » est ambiguë\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s : l'option « -W %s » n'accepte pas d'argument\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s : l'option « -W %s » nécessite un argument\n" #: support/regcomp.c:122 msgid "Success" msgstr "Succès" #: support/regcomp.c:125 msgid "No match" msgstr "Aucune correspondance" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "Expression rationnelle incorrecte" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "Caractère d'interclassement incorrect" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "Nom de classe de caractères incorrect" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "Barre oblique inverse finale" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "Référence arrière incorrecte" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "[, [^, [:, [. ou [= sans correspondance" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "( ou \\( sans correspondance" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "\\{ sans correspondance" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "Contenu de \\{\\} incorrect" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "Borne finale incorrecte" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "Mémoire épuisée" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "Expression rationnelle précédente incorrecte" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "Fin prématurée de l'expression rationnelle" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "Expression rationnelle trop grande" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr ") ou \\) sans correspondance" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "Aucune expression rationnelle précédente" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" "le réglage -M/--bignum ne correspond à celui sauvé dans le stockage PMA" #: symbol.c:781 #, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "" "fonction « %s » : impossible d'utiliser la fonction « %s » comme paramètre" #: symbol.c:911 msgid "cannot pop main context" msgstr "impossible de rétablir (pop) le contexte principal (main)" EOF echo Extracting po/gawk.pot cat << \EOF > po/gawk.pot # SOME DESCRIPTIVE TITLE. # Copyright (C) YEAR Free Software Foundation, Inc. # This file is distributed under the same license as the GNU gawk package. # FIRST AUTHOR , YEAR. # #, fuzzy msgid "" msgstr "" "Project-Id-Version: GNU gawk 5.3.2\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" "Language: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=CHARSET\n" "Content-Transfer-Encoding: 8bit\n" #: array.c:249 #, c-format msgid "from %s" msgstr "" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "" #: array.c:901 field.c:1150 field.c:1247 #, c-format msgid "%s: cannot use %s as second argument" msgstr "" #: array.c:909 #, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "" #: array.c:911 #, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "" #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "" #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "" #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "" #: awkgram.y:4980 msgid "there were shadowed variables" msgstr "" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "" #: awkgram.y:5126 #, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "" #: awkgram.y:6266 msgid "statement has no effect" msgstr "" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" #: builtin.c:93 builtin.c:100 #, c-format msgid "%s: called with %d arguments" msgstr "" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "" #: builtin.c:129 msgid "standard output" msgstr "" #: builtin.c:130 msgid "standard error" msgstr "" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "" #: builtin.c:595 msgid "length: received array argument" msgstr "" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "" #: builtin.c:698 builtin.c:2949 #, c-format msgid "%s: received non-numeric third argument" msgstr "" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "" #: builtin.c:1604 #, c-format msgid "%s: cannot use %s as third argument" msgstr "" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "" #: builtin.c:2242 msgid "indirect call to gensub requires three or four arguments" msgstr "" #: builtin.c:2304 msgid "indirect call to match requires two or three arguments" msgstr "" #: builtin.c:2365 #, c-format msgid "indirect call to %s requires two to four arguments" msgstr "" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "" #: builtin.c:2842 builtin.c:2860 #, c-format msgid "%s: received non-string third argument" msgstr "" #: builtin.c:2915 builtin.c:2936 #, c-format msgid "%s: received non-string fifth argument" msgstr "" #: builtin.c:2925 builtin.c:2942 #, c-format msgid "%s: received non-string fourth argument" msgstr "" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "" #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "" #: command.y:452 msgid "argument not a string" msgstr "" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "" #: command.y:662 msgid "non-numeric value for field number" msgstr "" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "" #: command.y:872 msgid "quit - exit debugger" msgstr "" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "" #: command.y:876 msgid "run - start or restart executing program" msgstr "" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" #: command.y:886 msgid "source file - execute commands from file" msgstr "" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "" #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "" #: command.y:1126 msgid "invalid character in command" msgstr "" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "" #: command.y:1294 msgid "invalid character" msgstr "" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "" #: debug.c:259 msgid "set or show the list command window size" msgstr "" #: debug.c:261 msgid "set or show gawk output file" msgstr "" #: debug.c:263 msgid "set or show debugger prompt" msgstr "" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "" #: debug.c:358 msgid "program not running" msgstr "" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "" #: debug.c:502 msgid "no current source file" msgstr "" #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "" #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "" #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "" #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "" #: debug.c:870 msgid "No arguments.\n" msgstr "" #: debug.c:871 msgid "No locals.\n" msgstr "" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "" #: debug.c:1184 debug.c:1236 #, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "" #: debug.c:1596 #, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr "" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr "" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "" #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "" #: debug.c:2092 msgid "invalid frame number" msgstr "" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "" #: debug.c:2444 #, c-format msgid "line number %d in file `%s' is out of range" msgstr "" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "" #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "" #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "" #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "" #: debug.c:3091 #, c-format msgid "invalid breakpoint number %d" msgstr "" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "" #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "" #: debug.c:5449 msgid "invalid number" msgstr "" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "" #: debug.c:5639 #, c-format msgid "fatal error during eval, need to restart.\n" msgstr "" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "" #: extension/filefuncs.c:853 msgid "fts: first argument is not an array" msgstr "" #: extension/filefuncs.c:859 msgid "fts: second argument is not a number" msgstr "" #: extension/filefuncs.c:865 msgid "fts: third argument is not an array" msgstr "" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "" #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "" #: extension/readdir.c:291 #, c-format msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "" #: extension/rwarray.c:145 extension/rwarray.c:548 #, c-format msgid "%s: first argument is not a string" msgstr "" #: extension/rwarray.c:189 msgid "writea: second argument is not an array" msgstr "" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" #: extension/rwarray.c:437 #, c-format msgid "cannot free number with unknown type %d" msgstr "" #: extension/rwarray.c:442 #, c-format msgid "cannot free value with unhandled type %d" msgstr "" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "" #: extension/rwarray.c:611 msgid "reada: second argument is not an array" msgstr "" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "" #: extension/time.c:232 msgid "strptime: called with no arguments" msgstr "" #: extension/time.c:240 #, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "" #: extension/time.c:245 #, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "" #: field.c:321 msgid "input record too large" msgstr "" #: field.c:443 msgid "NF set to negative value" msgstr "" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "" #: field.c:1138 field.c:1240 #, c-format msgid "%s: cannot use %s as fourth argument" msgstr "" #: field.c:1148 msgid "split: second argument is not an array" msgstr "" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" #: io.c:1221 #, c-format msgid "close of `%s' failed: %s" msgstr "" #: io.c:1229 msgid "too many pipes or input files open" msgstr "" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "" #: io.c:1400 #, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "" #: io.c:1513 #, c-format msgid "pipe flush of `%s' failed: %s" msgstr "" #: io.c:1516 #, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "" #: io.c:1519 #, c-format msgid "file flush of `%s' failed: %s" msgstr "" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "" #: io.c:2317 msgid "could not create child process or open pty" msgstr "" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "" #: io.c:2534 msgid "`|&' not supported" msgstr "" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "" #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "" #: main.c:483 msgid "no program text at all!" msgstr "" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "" #: main.c:602 msgid "\t-I\t\t\t--trace\n" msgstr "" #: main.c:603 msgid "\t-k\t\t\t--csv\n" msgstr "" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr "" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "" #: main.c:1294 msgid "floating point exception" msgstr "" #: main.c:1304 msgid "fatal error: internal error" msgstr "" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "" #: main.c:1726 msgid "Persistent memory is not supported." msgstr "" #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "" #: main.c:1913 msgid "persistent memory is not supported" msgstr "" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "" #: mpfr.c:718 #, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "" #: mpfr.c:825 #, c-format msgid "%s: received negative argument %.*s" msgstr "" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "" #: node.c:477 msgid "backslash at end of string" msgstr "" #: node.c:511 msgid "could not make typed regex" msgstr "" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" #: node.c:705 msgid "POSIX does not allow `\\u' escapes" msgstr "" #: node.c:713 msgid "no hex digits in `\\u' escape sequence" msgstr "" #: node.c:744 msgid "invalid `\\u' escape sequence" msgstr "" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "" #: node.c:908 msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "" #: profile.c:114 msgid "sending profile to standard error" msgstr "" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "" #: re.c:215 #, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "" #: support/dfa.c:910 msgid "unbalanced [" msgstr "" #: support/dfa.c:1031 msgid "invalid character class" msgstr "" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "" #: support/dfa.c:1345 msgid "? at start of expression" msgstr "" #: support/dfa.c:1357 msgid "* at start of expression" msgstr "" #: support/dfa.c:1371 msgid "+ at start of expression" msgstr "" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "" #: support/dfa.c:2077 msgid "unbalanced )" msgstr "" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "" #: support/regcomp.c:122 msgid "Success" msgstr "" #: support/regcomp.c:125 msgid "No match" msgstr "" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr "" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" #: symbol.c:781 #, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "" #: symbol.c:911 msgid "cannot pop main context" msgstr "" EOF echo Extracting po/id.po cat << \EOF > po/id.po # Indonesiam translation for gawk. # Copyright (C) 2008 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # Arif E. Nugroho , 2008, 2009, 2010, 2011, 2012, 2013, 2014. # Andika Triwidada , 2024, 2025. # msgid "" msgstr "" "Project-Id-Version: gawk 5.3.1b\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2025-02-28 18:54+0700\n" "Last-Translator: Andika Triwidada \n" "Language-Team: Indonesian \n" "Language: id\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=ISO-8859-1\n" "Content-Transfer-Encoding: 8bit\n" "X-Bugs: Report translation errors to the Language-Team address.\n" "X-Generator: Poedit 3.5\n" #: array.c:249 #, c-format msgid "from %s" msgstr "dari %s" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "mencoba menggunakan nilai skalar sebagai larik" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "mencoba menggunakan parameter skalar '%s' sebagai sebuah larik" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "mencoba untuk menggunakan skalar '%s' sebagai sebuah larik" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "mencoba menggunakan larik '%s' dalam sebuah konteks skalar" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "hapus: indeks '%.*s' tidak dalam larik '%s'" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "mencoba untuk menggunakan skalar '%s[\"%.*s\"]' sebagai sebuah larik" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "%s: argumen pertama bukan larik" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "%s: argumen kedua bukan larik" #: array.c:901 field.c:1150 field.c:1247 #, c-format msgid "%s: cannot use %s as second argument" msgstr "%s: tidak bisa menggunakan %s sebagai argumen kedua" #: array.c:909 #, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "%s: argumen pertama tidak bisa berupa SYMTAB tanpa argumen kedua" #: array.c:911 #, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "%s: argumen pertama tidak bisa berupa FUNCTAB tanpa argumen kedua" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" "asort/asorti: menggunakan larik yang sama sebagai sumber dan tujuan tanpa " "argumen ketiga adalah hal yang konyol." #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "" "%s: tidak bisa menggunakan sub-larik argumen pertama untuk argumen kedua" #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "" "%s: tidak bisa menggunakan sub-larik argumen kedua untuk argumen pertama" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "'%s' tidak valid sebagai nama fungsi" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "fungsi perbandingan pengurutan '%s' tidak didefinisikan" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "blok %s harus memiliki bagian aksi" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "setiap aturan harus memiliki sebuah pola atau sebuah bagian aksi" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "awk lama tidak mendukung aturan beberapa 'BEGIN' atau 'END'" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "'%s' adalah fungsi bawaan, tidak bisa didefinisikan ulang" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "konstanta regexp '//' tampak seperti sebuah komentar C++, tetapi bukan" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "konstanta regexp '/%s/' tampak seperti sebuah komentar C, tetapi bukan" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "nilai case duplikat dalam tubuh switch: %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "'default' duplikat terdeteksi dalam tubuh switch" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "'break' tidak diizinkan di luar sebuah loop atau switch" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "'continue' tidak diizinkan di luar sebuah loop" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "'next' digunakan dalam aksi %s" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "'nextfile' digunakan dalam aksi %s" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "'return' digunakan di luar konteks fungsi" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" "'print' polos dalam aturan BEGIN atau END mestinya mungkin berupa 'print " "\"\"'" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "'delete' tidak diizinkan dengan SYMTAB" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "'delete' tidak diizinkan dengan FUNCTAB" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "'delete(array)' adalah sebuah ekstensi tawk yang tidak portabel" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "pipeline multi tahap dua arah tidak bekerja" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "penggabungan sebagai target pengalihan I/O '>' ambigu" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "ekspresi reguler di sisi kanan assignment" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "ekspresi reguler di sebelah kiri dari operator '~' atau '!~'" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "awk lama tidak mendukung kata kunci 'in' kecuali setelah 'for'" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "ekspresi reguler di sebelah kanan dari perbandingan" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "'getline' yang tidak dialihkan tidak valid di dalam aturan '%s'" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "'getline' yang tidak dialihkan tidak terdefinisi didalam aksi END" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "awk lama tidak mendukung larik multi dimensi" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "pemanggilan 'length' tanpa tanda kurung tidak portabel" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "pemanggilan fungsi tak langsung adalah sebuah ekstensi gawk" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "tidak bisa memakai variabel '%s' bagi pemanggilan fungsi tak langsung" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "mencoba menggunakan bukan fungsi '%s' dalam pemanggilan fungsi" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "ekspresi sub skrip tidak valid" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "peringatan: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "fatal: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "baris baru atau akhir dari string tidak diduga" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" "berkas sumber / argumen baris perintah harus berisi fungsi atau aturan yang " "lengkap" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "tidak bisa membuka berkas sumber '%s' untuk pembacaan: (%s)" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "tidak bisa membuka berkas sumber '%s' untuk pembacaan: (%s)" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "alasan tidak diketahui" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "" "tidak bisa menyertakan '%s' dan memakainya sebagai suatu berkas program" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "berkas sumber yang sudah disertakan '%s'" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "pustaka bersama yang sudah dimuat '%s'" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "@include adalah sebuah ekstensi gawk" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "nama berkas kosong setelah @include" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "@load adalah sebuah ekstensi gawk" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "nama berkas kosong setelah @load" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "program teks kosong di baris perintah" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "tidak bisa membaca berkas sumber '%s': (%s)" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "berkas sumber '%s' kosong" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "galat: karakter tidak valid '\\%03o' dalam kode sumber" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "berkas sumber tidak berakhir dengan baris baru" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "regexp tidak diterminasi berakhir dengan '\\' di ujung berkas" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "%s: %d: modifier regex tawk '/.../%c' tidak bekerja dalam gawk" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "modifier regex tawk '/.../%c' tidak bekerja dalam gawk" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "regexp tidak diterminasi" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "regexp tidak diterminasi di akhir dari berkas" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "penggunaan dari pelanjutan baris '\\ #...' tidak portabel" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "backslash bukan karakter terakhir di baris" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "larik multidimensi adalah sebuah ekstensi gawk" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX tidak mengizinkan operator '%s'" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "operator '%s' tidak didukung dalam awk lama" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "string tidak terselesaikan" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "POSIX tidak mengizinkan baris baru fisik dalam nilai string" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "pelanjutan baris backslash tidak portabel" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "karakter '%c' tidak valid dalam ekspresi" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "'%s' adalah sebuah ekstensi gawk" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX tidak mengizinkan '%s'" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "'%s' tidak didukung dalam awk lama" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "'goto' dianggap berbahaya!" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d tidak valid sebagai cacah argumen untuk %s" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "" "%s: literal string sebagai argumen terakhir dari substitusi tidak memiliki " "efek" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "%s parameter ketika bukan sebuah objek yang dapat diubah" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match: argumen ketiga adalah sebuah ekstensi gawk" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close: argumen kedua adalah sebuah ekstensi gawk" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "penggunaan dari dcgettext(_\"...\") tidak benar: hapus garis bawah yang " "mengawali" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "penggunaan dari dcngettext(_\"...\") tidak benar: hapus garis bawah yang " "mengawali" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "index: konstanta regex sebagai argumen kedua tidak diizinkan" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "fungsi '%s': parameter '%s' men-shadow variabel global" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "tidak bisa membuka '%s' untuk penulisan: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "mengirim daftar variabel ke error standar" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "%s: tutup gagal: (%s)" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "shadow_funcs() dipanggil dua kali!" #: awkgram.y:4980 msgid "there were shadowed variables" msgstr "ada variabel yang di-shadow" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "nama fungsi '%s' sebelumnya telah didefinisikan" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "fungsi '%s': tidak bisa menggunakan nama fungsi sebagai nama parameter" #: awkgram.y:5126 #, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" "fungsi '%s': parameter '%s': POSIX tidak mengizinkan memakai variabel " "spesial sebagai fungsi parameter" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "fungsi '%s': parameter '%s' tidak bisa mengandung suatu namespace" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "fungsi '%s': parameter #%d, '%s', menduplikat paramter #%d" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "fungsi '%s' dipanggil tetapi tidak pernah didefinisikan" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "" "fungsi '%s' didefinisikan tetapi tidak pernah dipanggil secara langsung" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "konstanta regexp untuk parameter #%d menghasilkan nilai boolean" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "fungsi '%s' dipanggil dengan spasi di antara nama dan '(',\n" "atau digunakan sebagai sebuah variabel atau sebuah larik" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "pembagian dengan nol telah dicoba" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "pembagian dengan nol dicoba dalam '%%'" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "" "tidak bisa mengisikan suatu nilai ke hasil dari sebuah ekspresi paska-" "inkremen bidang" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "target yang tidak valid dari pengisian (opcode %s)" #: awkgram.y:6266 msgid "statement has no effect" msgstr "pernyataan tidak memiliki efek" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" "identifier %s: nama qualified tidak diizinkan dalam mode tradisional / POSIX" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "identifer %s: pemisah namespace adalah dua titik dua, bukan satu" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "qualified identifier '%s' berbentuk buruk" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" "identifier '%s': pemisah namespace hanya dapat muncul sekali dalam nama " "qualified" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" "menggunakan identifier yang dicadangkan '%s' sebagai namespace tidak " "diizinkan" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" "menggunakan identifier yang dicadangkan '%s' sebagai komponen kedua dari " "nama qualified tidak diizinkan" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "@namespace adalah sebuah ekstensi gawk" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "nama namespace '%s' harus memenuhi aturan penamaan identifier" #: builtin.c:93 builtin.c:100 #, c-format msgid "%s: called with %d arguments" msgstr "%s: dipanggil dengan %d argumen" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "%s ke \"%s\" gagal (%s)" #: builtin.c:129 msgid "standard output" msgstr "keluaran standar" #: builtin.c:130 msgid "standard error" msgstr "galat standar" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s: diterima argumen bukan numerik" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp: argumen %g di luar dari jangkauan" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "%s: diterima argumen bukan string" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: tidak bisa flush: pipe '%.*s' dibuka untuk dibaca, bukan ditulis" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" "fflush: tidak bisa flush: berkas '%.*s' dibuka untuk dibaca, bukan ditulis" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush: tidak bisa flush: berkas '%.*s': %s" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" "fflush: tidak bisa flush: pipe dua arah '%.*s' memiliki ujung yang tertutup-" "tulis" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "fflush: '%.*s' bukan sebuah berkas terbuka, pipe, atau ko-proses" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "%s: diterima argumen pertama bukan string" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "%s: diterima argumen kedua bukan string" #: builtin.c:595 msgid "length: received array argument" msgstr "length: diterima argumen larik" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "'length(array)' adalah sebuah ekstensi gawk" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "%s: diterima argumen negatif %g" #: builtin.c:698 builtin.c:2949 #, c-format msgid "%s: received non-numeric third argument" msgstr "%s: diterima argumen ketiga bukan numerik" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "%s: diterima argumen kedua bukan numerik" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: panjang %g tidak >= 1" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: panjang %g tidak >= 0" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: panjang bukan integer %g akan dipotong" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "" "substr: panjang %g terlalu besar untuk pengindeksan string, dipotong ke %g" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: indeks awal %g tidak valid, menggunakan 1" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "substr: indeks awal bukan integer %g akan dipotong" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: panjang string sumber nol" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: indeks awal %g melewati akhir dari string" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: panjang %g di indeks awal %g melebihi panjang dari argumen pertama " "(%lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "strftime: nilai format dalam PROCINFO[\"strftime\"] punya tipe numerik" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "strftime: argumen kedua kurang dari 0 atau terlalu besar bagi time_t" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "strftime: argumen kedua kurang dari 0 atau terlalu besar bagi time_t" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: diterima format string kosong" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "mktime: setidaknya satu dari nilai di luar rentang baku" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "fungsi 'system' tidak diizinkan dalam mode sandbox" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "print: mencoba menulis ke ujung tulis tertutup dari pipa dua arah" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "referensi ke bidang tidak terinisialisasi '$%d'" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "%s: diterima argumen pertama bukan numerik" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: argumen ketiga bukan sebuah larik" #: builtin.c:1604 #, c-format msgid "%s: cannot use %s as third argument" msgstr "%s: tidak bisa memakai %s sebagai argumen ketiga" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: argumen ketiga '%.*s' diperlakukan sebagai 1" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s: dapat dipanggil secara tidak langsung hanya dengan dua argumen" #: builtin.c:2242 msgid "indirect call to gensub requires three or four arguments" msgstr "" "pemanggilan tidak langsung ke gensub membutuhkan tiga atau empat argumen" #: builtin.c:2304 msgid "indirect call to match requires two or three arguments" msgstr "pemanggilan tidak langsung ke match memerlukan dua atau tiga argumen" #: builtin.c:2365 #, c-format msgid "indirect call to %s requires two to four arguments" msgstr "pemanggilan tidak langsung ke %s memerlukan dua sampai empat argumen" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): nilai negatif tidak diizinkan" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f): nilai pecahan akan dipotong" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "lshift(%f, %f): nilai shift terlalu besar akan memberikan hasil aneh" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f. %f): nilai negatif tidak diizinkan" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): nilai pecahan akan dipotong" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "rshift(%f, %f): nilai shift terlalu besar akan memberikan hasil aneh" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "%s: dipanggil dengan kurang dari dua argumen" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "%s: argumen %d bukan numerik" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%s: argumen %d nilai negatif %g tidak diizinkan" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): nilai negatif tidak diizinkan" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): nilai pecahan akan dipotong" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: '%s' bukan sebuah kategori lokal yang valid" #: builtin.c:2842 builtin.c:2860 #, c-format msgid "%s: received non-string third argument" msgstr "%s: diterima argumen ketiga bukan string" #: builtin.c:2915 builtin.c:2936 #, c-format msgid "%s: received non-string fifth argument" msgstr "%s: diterima argumen kelima bukan string" #: builtin.c:2925 builtin.c:2942 #, c-format msgid "%s: received non-string fourth argument" msgstr "%s: diterima argumen keempat bukan string" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "intdiv: argumen ketiga bukan sebuah larik" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "intdiv: pembagian dengan nol telah dicoba" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "typeof: argumen kedua bukan sebuah larik" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" "typeof mendeteksi kombinasi flag yang tidak valid '%s'; silakan ajukan " "laporan bug" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "typeof: tipe argumen yang tidak diketahui '%s'" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "tidak bisa menambahkan berkas baru (%.*s) ke ARGV dalam mode sandbox" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "Ketikkan pernyataan (g)awk. Akhiri dengan perintah 'end'\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "nomor frame tidak valid: %d" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "info: opsi tidak valid - '%s'" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "source: '%s': sudah di-source" #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "save: '%s': perintah tidak diizinkan" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" "tidak bisa memakai perintah 'commands' bagi perintah breakpoint/watchpoint" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "belum ada breakpoint/watchpoint yang ditata" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "nomor breakpoint/watchpoint tidak valid" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "Ketikkan perintah untuk ketika %s %d dijumpai, satu per baris.\n" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "Akhiri dengan perintah 'end'\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "'end' hanya valid dalam perintah 'commands' atau 'eval'" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "'silent' hanya valid dalam perintah 'commands'" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "trace: opsi tidak valid - '%s'" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "condition: nomor breakpoint/watchpoint tidak valid" #: command.y:452 msgid "argument not a string" msgstr "argumen bukan suatu string" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "option: parameter tidak valid - '%s'" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "tidak ada fungsi itu - '%s'" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "enable: opsi tidak valid - '%s'" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "spesifikasi rentang tidak valid: %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "nilai bukan numerik untuk nomor bidang" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "nilai bukan numerik ditemukan, diharapkan numerik" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "nilai integer bukan nol" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" "backtrace [N] - cetak trace dari semua atau N frame paling dalam (paling " "luar bila N < 0)" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "" "break [[nama-berkas:]N|fungsi] - atur breakpoint pada lokasi yang dinyatakan" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "" "clear [[nama-berkas:]N|fungsi] - hapus breakpoint yang sebelumnya ditata" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" "commands [nmr] - memulai suatu daftar perintah yang akan dieksekusi pada " "perjumpaan sebuah breakpoint(watchpoint)" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" "condition nmr [ekspr] - tata atau bersihkan persyaratan breakpoint atau " "watchpoint" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "continue [CACAH] - lanjutkan program yang sedang di-debug" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "delete [breakpoint] [rentang] - hapus breakpoint yang dinyatakan" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "" "disable [breakpoint] [rentang] - nonaktifkan breakpoint yang dinyatakan" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "display [var] - cetak nilai dari variabel setiap kali program berhenti" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "down [N] - pindahkan N frame ke bawah dalam stack" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "dump [nama-berkas] - curahkan instruksi ke berkas atau stdout" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" "enable [once|del] [breakpoint] [rentang] - fungsikan breakpoint yang " "dinyatakan" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "end - akhiri suatu daftar perintah atau pernyataan awk" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "eval stmt|[p1, p2, ...] - evaluasikan pernyataan awk" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "exit - (sama dengan quit) keluar debugger" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "finish - eksekusi sampai frame stack yang dipilih kembali" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "frame [N] - pilih dan cetak frame stack nomor N" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "help [perintah] - cetak daftar perintah atau penjelasan perintah" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "ignore N CACAH - atur cacah pengabaian breakpoint nomor N ke CACAH" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "" "list [-|+|[nama-berkas:]nomor-baris|fungsi|rentang] - cantumkan baris yang " "dinyatakan" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "" "next [CACAH] - langkahkan program, melanjutkan melalui pemanggilan subrutin" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" "nexti [CACAH] - langkahkan satu instruksi, tapi terus melalui pemanggilan " "subrutin" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "option [nama[=nilai]] - menata atau menampilkan opsi debugger" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "print var [var] - cetak nilai dari suatu variabel atau larik" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "printf format, [arg], ... - keluaran terformat" #: command.y:872 msgid "quit - exit debugger" msgstr "quit - keluar debugger" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "" "return [nilai] - membuat frame stack yang dipilih kembali ke pemanggilnya" #: command.y:876 msgid "run - start or restart executing program" msgstr "run - memulai atau menjalankan ulang program yang sedang dieksekusi" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "save nama-berkas - simpan perintah dari sesi ke berkas" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "set var = nilai - mengisikan nilai ke suatu variabel skalar" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" "silent - menangguhkan pesan biasa saat berhenti di breakpoint/watchpoint" #: command.y:886 msgid "source file - execute commands from file" msgstr "source berkas - jalankan perintah dari berkas" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "step [CACAH] - langkahkan program sampai mencapai baris sumber lain" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [CACAH] - melangkah tepat satu instruksi" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "tbreak [[nama-berkas:]N|fungsi] - menata suatu breakpoint temporer" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "trace on|off - cetak instruksi sebelum menjalankan" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "undisplay [N] - buang variabel dari daftar tampilan otomatis" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" "until [[nama-berkas:]N|fungsi] - jalankan sampai program mencapai baris lain " "atau baris N dalam frame kini" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [N] - buang variabel dari daftar pantau" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "up [N] - naikkan N frame dalam stack" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "watch var - atur watchpoint bagi suatu variabel" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "where [N] - (sama seperti backtrace) mencetak trace dari semua atau N " "bingkai paling dalam (paling luar bila N < 0)" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "galat: " #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "tidak bisa membaca perintah: %s\n" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "tidak bisa membaca perintah: %s" #: command.y:1126 msgid "invalid character in command" msgstr "karakter tidak valid dalam perintah" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "perintah tak dikenal - '%.*s', coba help" #: command.y:1294 msgid "invalid character" msgstr "karakter tidak valid" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "perintah tak terdefinisi: %s\n" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "" "mengatur atau menampilkan cacah baris yang akan disimpan dalam berkas riwayat" #: debug.c:259 msgid "set or show the list command window size" msgstr "mengatur atau menampilkan ukuran jendela perintah daftar" #: debug.c:261 msgid "set or show gawk output file" msgstr "mengatur atau menampilkan berkas keluaran gawk" #: debug.c:263 msgid "set or show debugger prompt" msgstr "mengatur atau menampilkan prompt debugger" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "" "(batal) mengatur atau menampilkan penyimpanan riwayat perintah (nilai=on|off)" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "(batal) mengatur atau menampilkan penyimpanan opsi (nilai=on|off)" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "(batal) mengatur atau menampilkan penelusuran instruksi (nilai=on|off)" #: debug.c:358 msgid "program not running" msgstr "program tidak sedang berjalan" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "berkas sumber '%s' kosong.\n" #: debug.c:502 msgid "no current source file" msgstr "tidak ada berkas sumber saat ini" #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "tidak bisa temukan berkas sumber bernama '%s': %s" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "peringatan: berkas sumber '%s' berubah sejak kompilasi program.\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "nomor baris %d di luar jangkauan; '%s' punya %d baris" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "eof tak terduga saat membaca berkas '%s', baris %d" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "berkas sumber '%s' dimodifikasi sejak awal eksekusi program" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "Berkas sumber saat ini: %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "Cacah baris: %d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "Berkas sumber (baris): %s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "Nomor Disp Aktif Lokasi\n" "\n" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "\tcacah hit = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "\tabaikan hit %ld berikutnya\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "\tkondisi berhenti: %s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "\tperintah:\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "Frame kini: " #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "Dipanggil oleh frame: " #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "Pemanggil frame: " #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "Tidak ada di main().\n" #: debug.c:870 msgid "No arguments.\n" msgstr "Tidak ada argumen.\n" #: debug.c:871 msgid "No locals.\n" msgstr "Tidak ada lokal.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "Semua variabel yang ditentukan:\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "Semua fungsi yang ditentukan:\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "Variabel otomatis tampil:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "Pantau variabel:\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "tidak ada simbol '%s' dalam konteks saat ini\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "'%s' bukan sebuah larik\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = bidang tidak terinisialisasi\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "larik '%s' kosong\n" #: debug.c:1184 debug.c:1236 #, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "subskrip \"%.*s\" tidak ada dalam larik '%s'\n" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "'%s[\"%.*s\"]' bukan suatu larik\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "'%s' bukan sebuah variabel skalar" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "mencoba menggunakan larik '%s[\"%.*s\"]' dalam sebuah konteks skalar" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "mencoba untuk menggunakan skalar '%s[\"%.*s\"]' sebagai larik" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "'%s' adalah sebuah fungsi" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "watchpoint %d tidak bersyarat\n" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "tidak ada item tampilan bernomor %ld" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "tidak ada item pantau bernomor %ld" #: debug.c:1596 #, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d: subskrip \"%.*s\" tidak dalam larik '%s'\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "mencoba untuk menggunakan skalar sebagai sebuah larik" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "Watchpoint %d dihapus karena parameter berada di luar cakupan.\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "Tampilan %d dihapus karena parameter berada di luar cakupan.\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr " di berkas '%s', baris %d\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr " di '%s':%d" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "#%ld\tin " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "Lebih banyak frame stack mengikuti ...\n" #: debug.c:2092 msgid "invalid frame number" msgstr "nomor frame tidak valid" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Catatan: breakpoint %d (diaktifkan, abaikan hit %ld berikutnya), juga " "ditetapkan pada %s:%d" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "Catatan: breakpoint %d (diaktifkan), juga ditetapkan pada %s:%d" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Catatan: breakpoint %d (dinonaktifkan, abaikan hit %ld berikutnya), juga " "ditetapkan pada %s:%d" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "Catatan: breakpoint %d (dinonaktifkan), juga ditetapkan pada %s:%d" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "Breakpoint %d ditetapkan pada berkas '%s', baris %d\n" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "tidak bisa mengatur breakpoint di berkas '%s'\n" #: debug.c:2444 #, c-format msgid "line number %d in file `%s' is out of range" msgstr "nomor baris %d dalam berkas '%s' di luar jangkauan" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "galat internal: tidak bisa menemukan aturan\n" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "tidak bisa mengatur breakpoint pada '%s':%d\n" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "tidak bisa mengatur breakpoint dalam fungsi '%s'\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "breakpoint %d ditetapkan pada berkas '%s', baris %d tidak bersyarat\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "nomor baris %d dalam berkas '%s' di luar jangkauan" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "Breakpoint %d dihapus" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "Tidak ada breakpoint pada saat masuk ke fungsi '%s'\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "Tidak ada breakpoint pada berkas '%s', baris #%d\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "nomor breakpoint tidak valid" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "Hapus semua breakpoint? (y atau t) " #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "y" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "Akan mengabaikan %ld perlintasan breakpoint %d berikutnya.\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "Akan berhenti saat breakpoint %d berikutnya dicapai.\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "Hanya bisa men-debug program yang diberikan dengan opsi '-f'.\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "Memulai ulang ...\n" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "Gagal memulai ulang debugger" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "Program sudah berjalan. Mulai ulang dari awal (y/t)? " #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "Program tidak dimulai ulang\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "galat: tidak bisa memulai ulang, operasi tidak diizinkan\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "galat (%s): tidak bisa memulai ulang, mengabaikan sisa perintah\n" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "Memulai program:\n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "Program keluar secara tak normal dengan nilai keluar: %d\n" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "Program keluar secara normal dengan nilai keluar: %d\n" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "Program sedang berjalan. Keluar saja (y/t)? " #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "Tidak berhenti pada breakpoint mana pun; argumen diabaikan.\n" #: debug.c:3091 #, c-format msgid "invalid breakpoint number %d" msgstr "nomor breakpoint %d tidak valid" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "Akan mengabaikan %ld perlintasan breakpoint %d berikutnya.\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "'finish' tidak bermakna dalam frame main() paling luar\n" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "Jalankan sampai kembali dari " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "'return' tidak bermakna dalam frame main() paling luar\n" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "tidak bisa temukan lokasi yang dinyatakan dalam fungsi '%s'\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "sumber tidak valid baris %d dalam berkas '%s'" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "tidak bisa temukan lokasi %d yang dinyatakan dalam berkas '%s'\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "elemen tidak dalam larik\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "variabel tanpa tipe\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "Berhenti dalam %s ...\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "'finish' tidak bermakna dengan lompatan non lokal '%s'\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "'until' tidak bermakna dengan lompatan non lokal '%s'\n" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "\t------[Enter] lanjut atau [q] + [Enter] keluar------" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%.*s\"] tidak dalam larik '%s'" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "mengirim keluaran ke stdout\n" #: debug.c:5449 msgid "invalid number" msgstr "nomor tidak valid" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "'%s' tidak diizinkan dalam konteks kini; pernyataan diabaikan" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "'return' tidak diizinkan dalam konteks kini; pernyataan diabaikan" #: debug.c:5639 #, c-format msgid "fatal error during eval, need to restart.\n" msgstr "galat fatal selama eval, perlu memulai ulang.\n" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "tidak ada simbol '%s' dalam konteks kini" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "tipe simpul %d tidak dikenal" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "opcode %d tidak dikenal" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "opcode %s bukan suatu operator atau kata kunci" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "buffer overflow dalam genflags2str" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# Stack Pemanggilan Fungsi:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "'IGNORECASE' adalah ekstensi gawk" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "'BINMODE' adalah ekstensi gawk" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "Nilai BINMODE '%s' tidak valid, diperlakukan sebagai 3" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "spesifikasi '%s FMT' yang buruk '%s'" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "menonaktifkan '--lint' karena penugasan ke 'LINT'" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "referensi ke argumen yang belum diinisialisasi '%s'" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "referensi ke variabel yang belum diinisialisasi '%s'" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "mencoba untuk mengacu ruas dari nilai bukan numerik" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "mencoba untuk mengacu ruas dari string null" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "mencoba mengakses bidang %ld" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "referensi ke bidang yang belum diinisialisasi '$%ld'" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "" "fungsi '%s' dipanggil dengan lebih banyak argumen daripada yang " "dideklarasikan" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: tipe '%s' tidak diharapkan" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "pembagian dengan nol dicoba dalam '/='" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "pembagian dengan nol dicoba dalam '%%='" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "ekstensi tidak diizinkan dalam mode sandbox" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "-l / @load adalah ekstensi gawk" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext: diterima lib_name NULL" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext: tidak bisa membuka pustaka '%s': %s" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "" "load_ext: pustaka '%s': tidak mendefinisikan 'plugin_is_GPL_compatible': %s" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "load_ext: pustaka '%s': tidak bisa memanggil fungsi '%s': %s" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "load_ext: pustaka '%s' rutin inisialisasi '%s' gagal" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin: kurang nama fungsi" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "make_builtin: tidak bisa memakai bawaan gawk '%s' sebagai nama fungsi" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" "make_builtin: tidak bisa memakai bawaan gawk '%s' sebagai nama namespace" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin: tidak bisa mendefinisikan ulang fungsi '%s'" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin: fungsi '%s' telah didefinisikan" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin: nama fungsi '%s' telah didefinisikan sebelumnya" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin: cacah argumen negatif bagi fungsi '%s'" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "" "fungsi '%s': argumen #%d: mencoba menggunakan skalar sebagai suatu larik" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "" "fungsi '%s': argumen #%d: mencoba untuk menggunakan larik sebagai sebuah " "skalar" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "pemuatan dinamis atas pustaka tidak didukung" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "stat: tidak bisa membaca taut simbolik '%s'" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "stat: argumen pertama bukan suatu string" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "stat: argumen kedua bukan suatu larik" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stat: parameter buruk" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "fts init: tidak bisa mencipta variabel %s" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "fts tidak didukung dalam sistem ini" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element: tidak bisa mencipta larik, kehabisan memori" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element: tidak bisa menata elemen" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element: tidak bisa menata elemen" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element: tidak bisa menata elemen" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts-process: tidak bisa mencipta larik" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts-process: tidak bisa menata elemen" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "fts: dipanggil dengan cacah argumen yang salah, mengharapkan 3" #: extension/filefuncs.c:853 msgid "fts: first argument is not an array" msgstr "fts: argumen pertama bukan sebuah larik" #: extension/filefuncs.c:859 msgid "fts: second argument is not a number" msgstr "fts: argumen kedua bukan suatu angka" #: extension/filefuncs.c:865 msgid "fts: third argument is not an array" msgstr "fts: argumen ketiga bukan sebuah larik" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts: tidak bisa meratakan larik\n" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "fts: mengabaikan flag FTS_NOSTAT licik. muahahahahaha." #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch: tidak bisa mendapatkan argumen pertama" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch: tidak bisa mendapatkan argumen kedua" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch: tidak bisa mendapatkan argumen ketiga" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "fnmatch tidak diimplementasi pada sistem ini\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "fnmatch init: tidak bisa menambahkan variabel FNM_NOMATCH" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "fnmatch init: tidak bisa menata elemen larik %s" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "fnmatch init: tidak bisa memasang larik FNM" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork: PROCINFO bukan suatu larik!" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "inplace::begin: penyuntingan di tempat sudah aktif" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "inplace::begin: mengharapkan 2 argumen tapi dipanggil dengan %d" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "" "inplace::begin: tidak bisa mengambil argumen pertama sebagai suatu nama " "berkas string" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" "inplace::begin: menonaktifkan penyuntingan di tempat untuk NAMABERKAS '%s' " "yang tidak valid" #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "inplace::begin: Tak bisa stat '%s' (%s)" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "inplace::begin: '%s' bukan suatu berkas reguler" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace::begin: mkstemp('%s') gagal (%s)" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace::begin: chmod gagal (%s)" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace::begin: dup(stdout) gagal (%s)" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace::begin: dup2(%d, stdout) gagal (%s)" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace::begin: close(%d) gagal (%s)" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "inplace::end: mengharapkan 2 argumen tetapi dipanggil dengan %d" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "" "inplace::end: tak bisa mengambil argumen pertama sebagai suatu nama berkas " "string" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "inplace::end: penyuntingan di tempat tidak aktif" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace::end: dup2(%d, stdout) gagal (%s)" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace::end: close(%d) gagal (%s)" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace::end: fsetpos(stdout) gagal (%s)" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace::end: link(`%s', `%s') gagal (%s)" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace::end: rename(`%s', `%s') gagal (%s)" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "ord: argumen pertama bukan suatu string" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "chr: argumen pertama bukan suatu angka" #: extension/readdir.c:291 #, c-format msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "dir_take_control_of: %s: opendir/fdopendir gagal: %s" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "readfile: dipanggil dengan jenis argumen yang salah" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput: tidak bisa menginisialisasi variabel REVOUT" #: extension/rwarray.c:145 extension/rwarray.c:548 #, c-format msgid "%s: first argument is not a string" msgstr "%s: argumen pertama bukan sebuah string" #: extension/rwarray.c:189 msgid "writea: second argument is not an array" msgstr "writea: argumen kedua bukan suatu larik" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "writeall: tidak bisa menemukan larik SYMTAB" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "write_array: tidak bisa meratakan larik" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "write_array: tidak bisa melepaskan larik yang diratakan" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "nilai larik tidak diketahui jenisnya %d" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" "ekstensi rwarray: menerima nilai GMP/MPFR tetapi dikompilasi tanpa dukungan " "GMP/MPFR." #: extension/rwarray.c:437 #, c-format msgid "cannot free number with unknown type %d" msgstr "tidak bisa membebaskan nomor dengan tipe yang tidak diketahui %d" #: extension/rwarray.c:442 #, c-format msgid "cannot free value with unhandled type %d" msgstr "tidak bisa membebaskan nilai dengan tipe yang tidak ditangani %d" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "readall: tidak bisa menata %s::%s" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "readall: tidak bisa menata %s" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "reada: clear_array gagal" #: extension/rwarray.c:611 msgid "reada: second argument is not an array" msgstr "reada: argumen kedua bukan sebuah larik" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "read_array: set_array_element gagal" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "" "memperlakukan nilai yang dipulihkan dengan kode tipe yang tidak diketahui %d " "sebagai string" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" "ekstensi rwarray: nilai GMP/MPFR dalam berkas tetapi dikompilasi tanpa " "dukungan GMP/MPFR." #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday: tidak didukung pada platform ini" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep: kurang argumen numerik yang diperlukan" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep: argumennya negatif" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep: tidak didukung pada platform ini" #: extension/time.c:232 msgid "strptime: called with no arguments" msgstr "strptime: dipanggil tanpa argumen" #: extension/time.c:240 #, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "do_strptime: argumen 1 bukan sebuah string\n" #: extension/time.c:245 #, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "do_strptime: argumen 2 bukan sebuah string\n" #: field.c:321 msgid "input record too large" msgstr "rekaman masukan terlalu besar" #: field.c:443 msgid "NF set to negative value" msgstr "NF diatur ke nilai negatif" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "mengurangi NF tidak portabel untuk banyak versi awk" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "mengakses bidang dari aturan END mungkin tidak portabel" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split: argumen keempat adalah ekstensi gawk" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split: argumen keempat bukan sebuah larik" #: field.c:1138 field.c:1240 #, c-format msgid "%s: cannot use %s as fourth argument" msgstr "%s: tidak bisa memakai %s sebagai argumen keempat" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: argumen kedua bukan sebuah larik" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "" "split: tidak bisa memakai larik yang sama untuk argumen kedua dan keempat" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "split: tidak bisa memakai sub larik dari arg kedua untuk arg keempat" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "split: tidak bisa memakai sub larik dari arg keempat untuk arg kedua" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "split: string null untuk arg ketiga adalah sebuah ekstensi non-standar" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: argumen keempat bukan sebuah larik" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: argumen kedua bukan sebuah larik" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit: argumen ketiga harus bukan null" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "" "patsplit: tidak bisa memakai larik yang sama untuk argumen kedua dan keempat" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" "patsplit: tidak bisa memakai sub larik dari arg kedua untuk arg keempat" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" "patsplit: tidak bisa memakai sub larik dari arg keempat untuk arg kedua" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" "penugasan ke FS/FIELDWIDTHS/FPAT tidak berpengaruh saat menggunakan --csv" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "'FIELDWIDTHS' adalah sebuah ekstensi gawk" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "'*' harus merupakan penunjuk terakhir dalam FIELDWIDTHS" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "nilai FIELDWIDTHS tidak valid, untuk ruas %d, dekat '%s'" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "string null untuk 'FS' adalah sebuah ekstensi gawk" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "awk lama tidak mendukung regexp sebagai nilai dari 'FS'" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "'FPAT' adalah sebuah ekstensi gawk" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node: menerima retval null" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "awk_value_to_node: tidak dalam mode MPFR" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "awk_value_to_node: MPFR tidak didukung" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node: tipe angka yang tidak valid `%d'" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "add_ext_func: menerima parameter name_space NULL" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" "node_to_awk_value: terdeteksi kombinasi flag numerik yang tidak valid '%s'; " "silakan ajukan laporan bug" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value: diterima simpul null" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value: diterima nilai null" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" "node_to_awk_value mendeteksi kombinasi flag yang tidak valid '%s'; silakan " "ajukan laporan bug" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element: larik null yang diterima" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element: subskrip null yang diterima" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "api_flatten_array_typed: tidak bisa mengonversi indeks %d ke %s" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "api_flatten_array_typed: tidak bisa mengonversi nilai %d ke %s" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "api_get_mpfr: MPFR tidak didukung" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "tidak bisa menemukan akhir aturan BEGINFILE" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "tidak bisa membuka tipe berkas '%s' yang tak dikenal untuk '%s'" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "argumen baris perintah '%s' adalah direktori: dilewati" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "tidak bisa membuka berkas '%s' untuk dibaca: '%s'" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "penutupan fd %d ('%s') gagal: %s" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "'%.*s' digunakan untuk berkas masukan dan untuk berkas keluaran" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "'%.*s' digunakan untuk berkas masukan dan pipa masukan" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "'%.*s' digunakan untuk berkas masukan dan pipa dua arah" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "'%.*s' digunakan untuk berkas masukan dan pipa keluaran" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "pencampuran yang tidak perlu antara '>' dan '>>' untuk berkas '%.*s'" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "'%.*s' digunakan untuk pipa masukan dan berkas keluaran" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "'%.*s' digunakan untuk berkas keluaran dan pipa keluaran" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "'%.*s' digunakan untuk berkas keluaran dan pipa dua arah" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "'%.*s' digunakan untuk pipa masukan dan pipa keluaran" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "'%.*s' digunakan untuk pipa masukan dan pipa dua arah" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "'%.*s' digunakan untuk pipa keluaran dan pipa dua arah" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "pengalihan tidak diperbolehkan dalam mode kotak pasir" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "ekspresi dalam pengalihan '%s' adalah suatu angka" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "ekspresi untuk pengalihan '%s' memiliki nilai string null" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "nama berkas '%.*s' untuk pengalihan '%s' mungkin merupakan hasil dari " "ekspresi logikal" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "get_file tidak bisa membuat pipa '%s' dengan fd %d" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "tidak bisa membuka pipa '%s' untuk keluaran: %s" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "tidak bisa membuka pipa '%s' untuk masukan: %s" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" "pembuatan soket get_file tidak didukung pada platform ini untuk '%s' dengan " "fd %d" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "tidak bisa membuka pipa dua arah '%s' untuk masukan/keluaran: %s" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "tidak bisa mengalihkan dari '%s': %s" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "tidak bisa mengalihkan ke '%s': %s" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "mencapai batas sistem untuk berkas yang terbuka: mulai memultipleks " "deskriptor berkas" #: io.c:1221 #, c-format msgid "close of `%s' failed: %s" msgstr "penutupan dari '%s' gagal (%s)" #: io.c:1229 msgid "too many pipes or input files open" msgstr "terlalu banyak pipa atau berkas masukan yang terbuka" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: argumen kedua harus berupa 'to' atau 'from'" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "close: '%.*s' bukan sebuah berkas, pipa, atau ko-proses yang terbuka" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "penutupan dari redireksi yang tidak pernah terbuka" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close: pengalihan '%s' tidak dibuka dengan '|&', argumen kedua diabaikan" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "status gagal (%d) di tutup pipa dari '%s': %s" #: io.c:1400 #, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "status gagal (%d) di tutup pipa dari '%s': %s" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "status gagal (%d) di tutup berkas dari '%s': %s" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "tidak ada tutup eksplisit dari soket '%s' yang disediakan" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "tidak ada tutup eksplisit dari ko-proses '%s' yang disediakan" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "tidak ada tutup eksplisit dari pipa '%s' yang disediakan" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "tidak ada tutup eksplisit dari berkas '%s' yang disediakan" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "fflush: tidak bisa flush keluaran standar: %s" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "fflush: tidak bisa flush galat standar: %s" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "galat saat menulis keluaran standar: %s" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "galat saat menulis keluaran standar: %s" #: io.c:1513 #, c-format msgid "pipe flush of `%s' failed: %s" msgstr "flush pipa dari '%s' gagal: %s" #: io.c:1516 #, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "flush ko-proses dari pipa ke '%s' gagal (%s)" #: io.c:1519 #, c-format msgid "file flush of `%s' failed: %s" msgstr "flush berkas dari '%s' gagal: %s" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "port lokal %s tidak valid dalam '/inet': %s" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "port lokal %s tidak valid dalam '/inet'" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "host remote dan informasi port (%s, %s) tidak valid: %s" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "host remote dan informasi port (%s, %s) tidak valid" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "komunikasi TCP/IP tidak didukung" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "tidak bisa membuka '%s', mode '%s'" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "penutupan dari pty induk gagal: %s" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "penutupan dari stdout dalam anak gagal: %s" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "memindahkan pty slave ke stdout dalam anak gagal (dup: %s)" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "penutupan dari stdin dalam anak gagal: %s" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "memindahkan slave pty ke stdin dalam anak gagal (dup: %s)" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "penutupan dari pty anak gagal: %s" #: io.c:2317 msgid "could not create child process or open pty" msgstr "tidak bisa membuat proses anak atau membuka pty" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "memindahkan pipa ke stdout dalam anak gagal (dup: %s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "memindahkan pipa ke stdin dalam anak gagal (dup: %s)" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "memulihkan stdout dalam proses induk gagal" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "memulihkan stdin dalam proses induk gagal" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "penutupan pipa gagal: %s" #: io.c:2534 msgid "`|&' not supported" msgstr "'|&' tidak didukung" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "tidak bisa membuka pipa '%s': %s" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "tidak bisa membuat proses anak untuk '%s' (fork: %s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "getline: mencoba membaca dari ujung baca tertutup dari pipa dua arah" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser: menerima pointer NULL" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" "pengurai masukan '%s' konflik dengan pengurai masukan '%s' yang sebelumnya " "dipasang" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "pengurai masukan '%s' gagal membuka '%s'" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_wrapper: menerima pointer NULL" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" "pembungkus keluaran '%s' konflik dengan pembungkus keluaran '%s' yang " "sebelumnya terpasang" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "pembungkus keluaran '%s' gagal dibuka '%s'" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor: menerima pointer NULL" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" "prosesor dua arah '%s' konflik dengan prosesor dua arah '%s' yang dipasang " "sebelumnya" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "prosesor dua arah '%s' gagal membuka '%s'" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "berkas data '%s' kosong" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "tidak bisa mengalokasikan lebih banyak memori masukan" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "penugasan ke RS tidak berpengaruh saat menggunakan --csv" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "nilai multi karakter dari 'RS' adalah sebuah ekstensi gawk" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "Komunikasi IPv6 tidak didukung" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "gawk_popen_write: gagal memindahkan pipa fd ke masukan standar" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "variabel lingkungan 'POSIXLY_CORRECT' ditata: menyalakan '--posix'" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "'--posix' menimpa '--traditional'" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "'--posix'/'--traditional' menimpa '--non-decimal-data'" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "'--posix' menimpa '--characters-as-bytes'" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "konflik '--posix' dan '--csv'" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "menjalankan %s setuid root mungkin adalah masalah keamanan" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "Opsi -r/--re-interval tidak lagi memiliki efek apa pun" #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "tidak bisa menata mode biner di stdin: %s" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "tidak bisa menata mode biner di stdout: %s" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "tidak bisa menata mode biner di stderr: %s" #: main.c:483 msgid "no program text at all!" msgstr "tidak ada teks program apa pun!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "" "Penggunaan: %s [opsi gaya POSIX atau GNU] -f berkasprog [--] berkas ...\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "" "Penggunaan: %s[ opsi gaya POSIX atau GNU] [--] %cprogram%c berkas ...\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "Opsi POSIX:\t\topsi panjang GNU: (standar)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f progfile\t\t--file=progfile\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F fs\t\t\t--field-separator=fs\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "\t-v var=val\t\t--assign=var=val\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "Opsi pendek:\t\tOpsi panjang GNU: (ekstensi)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[file]\t\t--dump-variables[=file]\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-D[file]\t\t--debug[=file]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e 'program-text'\t--source='program-text'\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E file\t\t\t--exec=file\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "\t-i includefile\t\t--include=includefile\n" #: main.c:602 msgid "\t-I\t\t\t--trace\n" msgstr "\t-I\t\t\t--trace\n" #: main.c:603 msgid "\t-k\t\t\t--csv\n" msgstr "\t-k\t\t\t--csv\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "\t-l library\t\t--load=library\n" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "\t-M\t\t\t--bignum\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-o[file]\t\t--pretty-print[=file]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[file]\t\t--profile[=file]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-s\t\t\t--no-optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "\t-Z locale-name\t\t--locale=locale-name\n" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "Untuk melaporkan bug, gunakan program 'gawkbug'.\n" "Untuk petunjuk lengkap, lihat simpul 'Bugs' di 'gawk.info'\n" "yang merupakan bagian 'Melaporkan Masalah dan Bug' dalam\n" "versi cetak. Informasi yang sama dapat ditemukan di\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "TOLONG JANGAN mencoba melaporkan bug dengan memposting di comp.lang.awk,\n" "atau dengan menggunakan forum web seperti Stack Overflow.\n" "\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" "Kode sumber untuk gawk dapat diperoleh dari\n" "%s/gawk-%s.tar.gz\n" "\n" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk adalah sebuah bahasa pencarian dan pemrosesan pola.\n" "Secara baku ini membaca masukan standar dan menulis keluaran standar.\n" "\n" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "Contoh:\n" "\t%s '{ sum += $1 }; END { print sum }' berkas\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Hak Cipta (C) 1989, 1991-%d Free Software Foundationn.\n" "\n" "Aplikasi ini adalah aplikasi bebas; Anda dapat meredistribusikannya\n" "dan/atau memodifikasinya di bawah ketentuan dari GNU General Public\n" "License seperti dipublikasikan oleh Free Software Foundation; baik \n" "versi 3 dari Lisensi, atau (pilihan Anda) versi selanjutnya.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "Aplikasi ini didistribusikan dengan harapan ini akan berguna,\n" "tetapi TANPA GARANSI APA PUN; bahkan tanpa garansi yang \n" "diimplisikasikan dari PERDAGANGAN atau KESESUAIAN UNTUK SEBUAH\n" "TUJUAN TERTENTU. Lihat GNU General Public License untuk lebih\n" "lengkapnya.\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "Anda seharusnya menerima salinan dari GNU General Public License\n" "bersama dengan aplikasi ini. Jika tidak, lihat http://www.gnu.org/" "licenses/.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "-Ft tidak menata FS ke tab dalam awk POSIX" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: '%s' argumen ke '-v' tidak dalam bentuk 'var=nilai'\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "'%s' bukan sebuah nama variabel yang legal" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "'%s' bukan sebuah nama variabel, mencari berkas '%s=%s'" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "tidak bisa menggunakan bawaan gawk '%s' sebagai nama variabel" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "tidak bisa menggunakan nama fungsi '%s' sebagai nama variabel" #: main.c:1294 msgid "floating point exception" msgstr "eksepsi floating point" #: main.c:1304 msgid "fatal error: internal error" msgstr "galat fatal: galat internal" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "tidak ada fd %d terprabuka" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "tidak bisa memprabuka /dev/null untuk fd %d" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "argumen kosong ke '-e/--source' diabaikan" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "'--profile' menimpa '--pretty-print'" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "-M diabaikan: dukungan MPFR/GMP tidak dikompilasi" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "Gunakan 'GAWK_PERSIST_FILE=%s gawk...' sebagai pengganti --persist." #: main.c:1726 msgid "Persistent memory is not supported." msgstr "Memori persisten tidak didukung." #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: opsi '-W %s' tidak dikenal, diabaikan\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: opsi membutuhkan sebuah argumen -- %c\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "%s: fatal: tidak bisa stat %s: %s\n" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" "%s: fatal: menggunakan memori persisten tidak diperbolehkan saat menjalankan " "sebagai root.\n" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "%s: peringatan: %s tidak dimiliki oleh euid %d.\n" #: main.c:1913 msgid "persistent memory is not supported" msgstr "memori persisten tidak didukung" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" "%s: fatal: pengalokasi memori persisten gagal melakukan inisialisasi: nilai " "kembalian %d, pma.c baris: %d.\n" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "Nilai PREC '%.*s' tidak valid" #: mpfr.c:718 #, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "Nilai RNDMODE '%.*s' tidak valid" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: argumen pertama yang diterima bukan numerik" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: argumen kedua yang diterima bukan numerik" #: mpfr.c:825 #, c-format msgid "%s: received negative argument %.*s" msgstr "%s: diterima argumen negatif %.*s" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int: diterima argumen bukan numerik" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: diterima argumen bukan numerik" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%Rg): nilai negatif tidak diizinkan" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "compl(%Rg): nilai pecahan akan dipotong" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%Zd): nilai negatif tidak diizinkan" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s: diterima argumen bukan numerik #%d" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "%s: argumen #%d punya nilai %Rg yang tidak valid, memakai 0" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%s: argumen #%d bernilai negatif %Rg tidak diizinkan" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "%s: argumen #%d bernilai pecahan %Rg akan dipotong" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%s: argumen #%d bernilai negatif %Zd tidak diizinkan" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: dipanggil dengan kurang dari dua argumen" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or: dipanggil dengan kurang dari dua argumen" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "xor: dipanggil dengan kurang dari dua argumen" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: diterima argumen bukan numerik" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "intdiv: argumen pertama yang diterima bukan numerik" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "intdiv: argumen kedua yang diterima bukan numerik" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "baris perintah:" #: node.c:477 msgid "backslash at end of string" msgstr "backslash di akhir dari string" #: node.c:511 msgid "could not make typed regex" msgstr "tidak bisa membuat regex bertipe" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "awk lama tidak mendukung escape sequence '\\%c'" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX tidak mengizinkan escape '\\x'" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "tidak ada digit heksa dalam escape sequence '\\x'" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "escape heksa \\x%.*s dari %d karakter mungkin tidak diinterpretrasikan " "seperti yang Anda harapkan" #: node.c:705 msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX tidak mengizinkan escape '\\u'" #: node.c:713 msgid "no hex digits in `\\u' escape sequence" msgstr "tidak ada digit heksa dalam escape sequence '\\u'" #: node.c:744 msgid "invalid `\\u' escape sequence" msgstr "escape sequence '\\u' yang tidak valid" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "escape sequence '\\%c' diperlakukan sebagai '%c' polos" #: node.c:908 msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "Data multi byte yang tidak valid terdeteksi. Mungkin ada ketidakcocokan " "antara data Anda dan locale Anda" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "%s %s `%s': tidak bisa memperoleh flag fd: (fcntl F_GETFD: %s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "%s %s '%s': tidak bisa menata close-on-exec: (fcntl F_SETFD: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "peringatan: /proc/self/exe: readlink: %s\n" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "peringatan: personalitas: %s\n" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "waitpid: mendapat status keluar %#o\n" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "fatal: posix_spawn: %s\n" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "" "Aras indentasi program terlalu dalam. Pertimbangkan untuk melakukan " "pemfaktoran ulang kode Anda" #: profile.c:114 msgid "sending profile to standard error" msgstr "mengirim profil ke galat standar" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# aturan %s\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# Aturan\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "kesalahan internal: %s dengan nama vname null" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "kesalahan internal: bawaan dengan nama fname null" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "%s# Ekstensi yang dimuat (-l dan/atau @load)\n" "\n" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\n" "# Berkas yang disertakan (-i dan/atau @include)\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# profil gawk, dibuat %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# Fungsi, dicantumkan urut alfabet\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str: tipe redireksi %d tidak dikenal" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" "perilaku pencocokan regex yang mengandung karakter NUL tidak didefinisikan " "oleh POSIX" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "byte NUL yang tidak valid dalam regexp dinamis" #: re.c:215 #, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "escape sequence regex '\\%c' diperlakukan sebagai '%c' polos" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" "escape sequence regex '\\%c' bukan merupakan operator regex yang dikenal" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "komponen regexp '%.*s' mungkin mestinya '[%.*s]'" #: support/dfa.c:910 msgid "unbalanced [" msgstr "[ tidak seimbang" #: support/dfa.c:1031 msgid "invalid character class" msgstr "kelas karakter tidak valid" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "sintaks kelas karakter adalah [[:space:]], bukan [:space:]" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "escape \\ tidak selesai" #: support/dfa.c:1345 msgid "? at start of expression" msgstr "? di awal ekspresi" #: support/dfa.c:1357 msgid "* at start of expression" msgstr "* di awal ekspresi" #: support/dfa.c:1371 msgid "+ at start of expression" msgstr "+ di awal ekspresi" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "{...} di awal ekspresi" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "isi dari \\{\\} tidak valid" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "ekspresi regular terlalu besar" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "\\ tercecer sebelum karakter yang tidak dapat dicetak" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "\\ tercecer sebelum ruang kosong" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "\\ tercecer sebelum %s" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "\\ tercecer" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "( tidak seimbang" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "tidak ada sintaks yang dinyatakan" #: support/dfa.c:2077 msgid "unbalanced )" msgstr ") tidak seimbang" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: opsi '%s' ambigu; kemungkinan:" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s: opsi '--%s' tidak mengizinkan sebuah argumen\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: opsi '%c%s' tidak mengizinkan sebuah argumen\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: opsi '--%s' membutuhkan sebuah argumen\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: opsi tidak dikenal '--%s'\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: opsi tidak dikenal '%c%s'\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: opsi tidak valid -- '%c'\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s: opsi membutuhkan sebuah argumen -- '%c'\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: opsi '-W %s' ambigu\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: opsi '-W %s' tidak mengizinkan sebuah argumen\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: opsi '-W %s' membutuhkan sebuah argumen\n" #: support/regcomp.c:122 msgid "Success" msgstr "Sukses" #: support/regcomp.c:125 msgid "No match" msgstr "Tidak ada yang cocok" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "Ekspresi reguler tidak valid" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "Karakter kolasi tidak valid" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "Nama kelas karakter tidak valid" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "Akhiran backslash" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "Referensi balik tidak valid" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "[, [^, [:, [., atau [= tanpa pasangan" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "( atau \\( tanpa pasangan" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "\\{ tanpa pasangan" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "Isi dari \\{\\} tidak valid" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "Akhir jangkauan tidak valid" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "Kehabisan memori" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "Ekspresi regular pendahulu tidak valid" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "Akhir dini dari ekspresi reguler" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "Ekspresi reguler terlalu besar" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr ") atau \\) tanpa pasangan" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "Tidak ada ekspresi regular sebelumnya" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" "pengaturan -M/--bignum saat ini tidak cocok dengan pengaturan yang disimpan " "dalam berkas dukungan PMA" #: symbol.c:781 #, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "fungsi '%s': tidak bisa memakai fungsi '%s' sebagai nama parameter" #: symbol.c:911 msgid "cannot pop main context" msgstr "tidak bisa mem-pop konteks utama" EOF echo Extracting po/it.po cat << \EOF > po/it.po # Italian messages for GNU Awk # Copyright (C) 2002-2025 Free Software Foundation, Inc. # Antonio Colombo . # msgid "" msgstr "" "Project-Id-Version: GNU Awk 5.3.2, API: 4.0, PMA Avon 8-g1\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2025-02-28 15:30+0200\n" "Last-Translator: Antonio Colombo \n" "Language-Team: Italian \n" "Language: it\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8-bit\n" #: array.c:249 #, c-format msgid "from %s" msgstr "da %s" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "tentativo di usare valore scalare come vettore" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "tentativo di usare il parametro scalare `%s' come un vettore" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "tentativo di usare scalare '%s' come vettore" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "tentativo di usare vettore `%s' in un contesto scalare" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "delete: indice `%.*s' non presente nel vettore `%s'" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "tentativo di usare scalare`%s[\"%.*s\"]' come vettore" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "%s: il primo argomento non è un vettore" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "%s: il secondo argomento non è un vettore" #: array.c:901 field.c:1150 field.c:1247 #, c-format msgid "%s: cannot use %s as second argument" msgstr "%s: non consentito usare %s come secondo argomento" #: array.c:909 #, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "" "%s: il primo argomento non può essere SYMTAB senza specificare un secondo " "argomento" #: array.c:911 #, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "" "%s: il primo argomento non può essere FUNCTAB senza specificare un secondo " "argomento" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" "asort/asorti: usare lo stesso vettore come origine e come destinazione è " "sciocco." #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "" "%s: non consentito un secondo argomento che sia un sottovettore del primo " "argomento" #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "" "%s: non consentito un primo argomento che sia un sottovettore del secondo " "argomento" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "`%s' non è un nome funzione valido" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "funzione di confronto del sort `%s' non definita" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "blocchi %s richiedono una `azione'" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "ogni regola deve avere una parte `espressione' o una parte `azione'" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "il vecchio awk non supporta più di una regola `BEGIN' o `END'" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "`%s' è una funzione interna, non si può ridefinire" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "espressione regolare costante `//' sembra un commento C++, ma non lo è" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "espressione regolare costante `/%s/' sembra un commento C, ma non lo è" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "valori di `case' doppi all'interno di uno `switch': %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "valori di default doppi all'interno di uno `switch'" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "`break' non consentito fuori da un ciclo o da uno `switch'" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "`continue' non consentito fuori da un un ciclo" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "`next' usato in `azione' %s" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "`nextfile' usato in `azione' %s" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "`return' usato fuori da una funzione" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "`print' da solo in BEGIN o END dovrebbe forse essere `print \"\"'" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "`delete' non consentito in SYMTAB" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "`delete' non consentito in FUNCTAB" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "`delete(array)' è un'estensione tawk non-portabile" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "`pipeline' multistadio bidirezionali non funzionano" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "concatenazione in I/O `>' destinazione della ridirezione ambigua" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "espressione regolare usata per assegnare un valore" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "espressione regolare prima di operatore `~' o `!~'" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "il vecchio awk non supporta la parola-chiave `in' se non dopo `for'" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "espressione regolare a destra in un confronto" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "`getline' non ridiretta invalida all'interno della regola `%s'" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "`getline' non ri-diretta indefinita dentro `azione' END" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "il vecchio awk non supporta vettori multidimensionali" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "chiamata a `length' senza parentesi non-portabile" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "chiamate indirette di funzione sono un'estensione gawk" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "" "non riesco a usare la variabile speciale `%s' in una chiamata indiretta di " "funzione" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "tentativo di usare la non-funzione `%s' in una chiamata di funzione" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "espressione indice invalida" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "attenzione: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "fatale: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "carattere 'a capo' o fine stringa non previsti" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" "i file sorgente / gli argomenti sulla riga di comando devono contenere " "funzioni o regole complete" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "non riesco ad aprire file sorgente `%s' in lettura: %s" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "non riesco ad aprire shared library `%s' in lettura: %s" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "ragione indeterminata" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "non riesco a includere `%s' per usarlo come file di programma" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "file sorgente `%s' già incluso" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "shared library `%s' già inclusa" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "@include è un'estensione gawk" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "nome-file mancante dopo @include" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "@load è un'estensione gawk" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "nome-file mancante dopo @include" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "programma nullo sulla riga comandi" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "non riesco a leggere file sorgente `%s': %s" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "file sorgente `%s' vuoto" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "errore: carattere invalido '\\%03o' nel codice sorgente" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "file sorgente non termina con carattere 'a capo'" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "espressione regolare non completata termina con `\\' a fine file" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" "%s: %d: modificatore di espressione regolare tawk `/.../%c' non valido in " "gawk" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "modificatore di espressione regolare tawk `/.../%c' non valido in gawk" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "espressione regolare non completa" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "espressione regolare non completa a fine file" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "uso di `\\ #...' continuazione riga non-portabile" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "la barra inversa non è l'ultimo carattere della riga" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "i vettori multidimensionali sono un'estensione gawk" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX non consente l'operatore `%s'" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "operatore `%s' non supportato nel vecchio awk" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "stringa non delimitata" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "" "POSIX non consente dei caratteri di ritorno a capo nei valori assegnati a " "una stringa" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "uso di barra inversa per continuazione stringa non-portabile" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "carattere '%c' non valido in un'espressione" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "`%s' è un'estensione gawk" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX non consente `%s'" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "`%s' non è supportato nel vecchio awk" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "`goto' considerato pericoloso!" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d non valido come numero di argomenti per %s" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "" "%s: una stringa di caratteri come ultimo argomento di substitute non ha " "effetto" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "il terzo parametro di %s non è un oggetto modificabile" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match: il terzo argomento è un'estensione gawk" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close: il secondo argomento è un'estensione gawk" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "uso scorretto di dcgettext(_\"...\"): togliere il carattere '_' iniziale" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "uso scorretto di dcngettext(_\"...\"): togliere il carattere '_' iniziale" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "index: espressione regolare come secondo argomento non consentita" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "funzione `%s': il parametro `%s' nasconde variabile globale" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "non riesco ad aprire `%s' in scrittura: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "mando lista variabili a `standard error'" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "%s: close non riuscita: %s" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "shadow_funcs() chiamata due volte!" #: awkgram.y:4980 msgid "there were shadowed variables" msgstr "erano presenti variabili nascoste" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "funzione di nome `%s' definita in precedenza" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "funzione `%s': non si può usare nome di funzione come nome parametro" #: awkgram.y:5126 #, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" "funzione `%s': parametro `%s': POSIX non consente di usare una variabile " "speciale come parametro di funzione" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "funzione `%s': il parametro `%s' non può contenere un nome-di-spazio" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "funzione `%s': il parametro #%d, `%s', duplica il parametro #%d" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "funzione `%s' chiamata ma mai definita" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "funzione `%s' definita ma mai chiamata direttamente" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "" "espressione regolare di valore costante per parametro #%d genera valore " "booleano" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "funzione `%s' chiamata con spazio tra il nome e `(',\n" "o usata come variabile o vettore" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "tentativo di dividere per zero" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "tentativo di dividere per zero in `%%'" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "" "impossibile assegnare un valore al risultato di un'espressione di post-" "incremento di un campo" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "destinazione di assegnazione non valida (codice operativo %s)" #: awkgram.y:6266 msgid "statement has no effect" msgstr "l'istruzione non fa nulla" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" "identificativo %s: nomi qualificati non consentiti in modo tradizionale / " "POSIX" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "" "identificativo %s: il separatore dello spazio-dei-nomi è costituito da due " "caratteri ':', non da uno solo" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "l'identificativo qualificato `%s' non è nel formato richiesto" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" "identificativo `%s': il separatore dello spazio-dei-nomi può apparire una " "sola volta in un identificativo qualificato" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" "l'uso dell'identificativo riservato `%s' come nome-di-spazio non è " "consentito" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" "l'uso dell'identificativo riservato `%s' come secondo componente di un " "identificativo qualificato non è consentito" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "@namespace è un'estensione gawk" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" "il nome dello spazio-dei-nomi `%s' deve rispettare le regole di assegnazione " "degli identificativi" #: builtin.c:93 builtin.c:100 #, c-format msgid "%s: called with %d arguments" msgstr "%s: chiamata con %d argomenti" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "%s a \"%s\" non riuscita: %s" #: builtin.c:129 msgid "standard output" msgstr "standard output" #: builtin.c:130 msgid "standard error" msgstr "standard error" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s: ricevuto argomento non numerico" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp: argomento %g fuori intervallo" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "%s: ricevuto argomento che non è una stringa" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: non riesco a scaricare: `pipe' `%.*s' aperta in lettura, non in " "scrittura" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" "fflush: non riesco a scaricare: file `%.*s' aperto in lettura, non in " "scrittura" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush: non riesco a scaricare file `%.*s': %s" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" "fflush: non riesco a scaricare: `pipe' bidirezionale `%.*s' ha chiuso il " "lato in scrittura" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "fflush: `%.*s' non è un file aperto, una `pipe' o un co-processo" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "%s: ricevuto primo argomento che non è una stringa" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "%s: ricevuto secondo argomento che non è una stringa" #: builtin.c:595 msgid "length: received array argument" msgstr "length: ricevuto argomento che è un vettore" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "`length(array)' è un'estensione gawk" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "%s: ricevuto argomento negativo %g" #: builtin.c:698 builtin.c:2949 #, c-format msgid "%s: received non-numeric third argument" msgstr "%s: ricevuto terzo argomento non numerico" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "%s: ricevuto secondo argomento non numerico" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: lunghezza %g non >= 1" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: lunghezza %g non >= 0" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: lunghezza non intera %g: sarà troncata" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "substr: lunghezza %g troppo elevata per indice stringa, tronco a %g" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: indice di partenza %g non valido, uso 1" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "substr: indice di partenza non intero %g: sarà troncato" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: stringa di partenza lunga zero" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: indice di partenza %g oltre la fine della stringa" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: lunghezza %g all'indice di partenza %g supera la lunghezza del primo " "argomento (%lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "" "strftime: il valore del formato in PROCINFO[\"strftime\"] è di tipo numerico" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "strftime: secondo argomento minore di 0 o troppo elevato per time_t" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "strftime: il secondo argomento è fuori intervallo per time_t" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: ricevuta stringa nulla come formato" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "mktime: almeno un valore è fuori dall'intervallo di default" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "funzione 'system' non consentita in modo `sandbox'" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "" "print: tentativo di scrivere al lato in scrittura, chiuso, di una `pipe' " "bidirezionale" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "riferimento a variabile non inizializzata `$%d'" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "%s: ricevuto primo argomento non numerico" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: il terzo argomento non è un vettore" #: builtin.c:1604 #, c-format msgid "%s: cannot use %s as third argument" msgstr "%s: non si può usare %s come terzo argomento" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: il terzo argomento `%.*s' trattato come 1" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s: può essere chiamata indirettamente solo con due argomenti" #: builtin.c:2242 msgid "indirect call to gensub requires three or four arguments" msgstr "la chiamata indiretta a gensub richiede tre o quattro argomenti" #: builtin.c:2304 msgid "indirect call to match requires two or three arguments" msgstr "la chiamata indiretta a match richiede due o tre argomenti" #: builtin.c:2365 #, c-format msgid "indirect call to %s requires two to four arguments" msgstr "la chiamata indiretta a %s richiede da due a quattro argomenti" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): valori negativi non sono consentiti" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f): valori decimali saranno troncati" #: builtin.c:2451 #, fuzzy, c-format #| msgid "lshift(%f, %f): too large shift value returns zero" msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "lshift(%f, %f): valori troppo alti di spostamento restituiscono zero" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f, %f): valori negativi non sono consentiti" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): valori decimali saranno troncati" #: builtin.c:2492 #, fuzzy, c-format #| msgid "rshift(%f, %f): too large shift value returns zero" msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "rshift(%f, %f): valori troppo alti di spostamento restituiscono zero" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "%s: chiamata con meno di due argomenti" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "%s: argomento %d non numerico" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%s: argomento %d con valore negativo %g non consentito" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): valore negativo non consentito" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): valori decimali saranno troncati" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: `%s' non è una categoria `locale' valida" #: builtin.c:2842 builtin.c:2860 #, c-format msgid "%s: received non-string third argument" msgstr "%s: ricevuto terzo argomento che non è una stringa" #: builtin.c:2915 builtin.c:2936 #, c-format msgid "%s: received non-string fifth argument" msgstr "%s: ricevuto quinto argomento che non è una stringa" #: builtin.c:2925 builtin.c:2942 #, c-format msgid "%s: received non-string fourth argument" msgstr "%s: ricevuto quarto argomento che non è una stringa" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "intdiv: il terzo argomento non è un vettore" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "intdiv: tentativo di dividere per zero" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "typeof: il secondo argomento non è un vettore" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" "typeof ha trovato una combinazione di flag `%s' non valida; siete pregati di " "notificare questo bug" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "typeof: tipo di argomento sconosciuto `%s'" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "" "non è consentito aggiungere un nuovo file (%.*s) ad ARGV in modo sandbox" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "Immetti istruzioni (g)awk. Termina col comando `end'\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "numero elemento non valido: %d" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "info: opzione non valida - `%s'" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "sorgente: `%s': già immesso" #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "save: `%s': comando non consentito" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" "non si può usare il comando `commands' con comandi di breakpoint/watchpoint" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "non è stato ancora impostato alcun breakpoint/watchpoint" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "numero di breakpoint/watchpoint non valido" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "Immetti comandi per quando si incontra %s %d, uno per riga.\n" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "Termina col comando `end'\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "`end' valido solo nei comandi `commands' o `eval'" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "`silent' valido solo nel comando `commands'" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "trace: opzione non valida - `%s'" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "condition: numero di breakpoint/watchpoint non valido" #: command.y:452 msgid "argument not a string" msgstr "l'argomento non è una stringa" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "option: parametro non valido - `%s'" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "funzione non esistente - `%s'" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "enable: opzione non valida - `%s'" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "intervallo specificato non valido: %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "valore non-numerico per campo numerico" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "trovato valore non-numerico, invece che numerico" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "valore intero diverso da zero" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" "backtrace [N] - stampa trace di tutti gli elementi o degli N più interni " "(degli N più esterni se N <0)" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "" "break [[nome-file:]N|funzione] - metti breakpoint nel punto specificato" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "clear [[nome-file:]N|funzione] - togli breakpoint impostati prima" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" "commands [num] - inizia una lista di comandi da eseguire se si raggiunge un " "breakpoint (watchpoint)" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" "condition num [espr.] - imposta o togli condizione di breakpoint o watchpoint" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "continue [COUNT] - continua il programma che stai testando" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "delete [breakpoints] [range] - togli breakpoint specificati" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "disable [breakpoints] [range] - disabilita breakpoint specificati" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "display [var] - stampa valore variabile a ogni arresto di programma" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "down [N] - discendi N elementi nello stack" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "dump [nome-file] - elenca istruzioni su file o stdout" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" "enable [once|del] [breakpoints] [range] - abilita breakpoint specificati" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "end - termina una lista di comandi o istruzioni awk" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "eval stmt|[p1, p2, ...] - calcola valore di istruzione/i awk" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "exit - (equivale a quit) esci dal debugger" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "finish - esegui fino al ritorno dell'elemento di stack selezionato" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "frame [N] - seleziona e stampa elemento di stack numero N" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "help [command] - stampa lista comandi o spiegazione di un comando" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "" "ignore N CONTATORE - imposta a CONTATORE il numero delle volte in cui " "ignorare il breakpoint numero N" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info argomento - source|sources|variables|functions|break|frame|args|locals|" "display|watch" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "" "list [-|+|[nome-file:]num_riga|funzione|intervallo] - elenca riga/he " "richiesta/e" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "" "next [COUNT] - esegui la/e prossima/e istruzione/i, incluse chiamate a " "subroutine" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" "nexti [COUNT] - esegui la prossima istruzione, anche se è una chiamate a " "subroutine" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "option [name[=value]] - imposta o visualizza opzione/i debugger" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "print var [var] - stampa valore di una variabile o di un vettore" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "printf format, [arg], ... - output secondo formato" #: command.y:872 msgid "quit - exit debugger" msgstr "quit - esci dal debugger" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "" "return [value] - fa tornare al suo chiamante l'elemento di stack selezionato" #: command.y:876 msgid "run - start or restart executing program" msgstr "run - inizia o ricomincia esecuzione programma" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "save nome-file - salva i comandi dalla sessione al file" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "set var = value - assegna valore a una variabile scalare" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" "silent - sospendi messaggio che segnala stop a un breakpoint/watchpoint" #: command.y:886 msgid "source file - execute commands from file" msgstr "source nome-file - esegui comandi contenuti nel file" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" "step [CONTATORE] - esegui il programma finché non arriva a un'istruzione con " "numero di riga differente" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [COUNT] - esegui esattamente un'istruzione" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "tbreak [[nome-file:]N|funzione] - imposta un breakpoint temporaneo" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "trace on|off - stampa istruzione prima di eseguirla" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "" "undisplay [N] - togli variabile/i dalla lista visualizzazioni automatiche" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" "until [[nome-file:]N|funzione] - esegui finché il programma arriva una riga " "differente, o alla riga N nell'elemento di stack corrente" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [N] - togli variabile/i dalla watchlist" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "up [N] - spostati di N elementi dello stack verso l'alto" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "watch var - imposta un watchpoint per una variabile" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "where [N] - (equivale a backtrace) stampa traccia di tutti gli elementi o " "degli N più interni (degli N più esterni se N <0)" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "errore: " #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "non riesco a leggere comando: %s\n" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "non riesco a leggere comando: %s" #: command.y:1126 msgid "invalid character in command" msgstr "carattere non valido nel comando" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "comando sconosciuto - `%.*s', vedere help" #: command.y:1294 msgid "invalid character" msgstr "carattere non valido" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "comando non definito: %s\n" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "" "imposta o visualizza il numero di righe da tenere nel file che contiene la " "storia comandi" #: debug.c:259 msgid "set or show the list command window size" msgstr "imposta o visualizza dimensioni finestra lista comandi" #: debug.c:261 msgid "set or show gawk output file" msgstr "imposta o visualizza file di output gawk" #: debug.c:263 msgid "set or show debugger prompt" msgstr "imposta o visualizza prompt di debug" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "(dis)imposta o visualizza salvataggio storia comandi (valore=on|off)" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "(dis)imposta o visualizza salvataggio opzioni (valore=on|off)" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "(dis)imposta o visualizza tracciamento istruzioni (valore=on|off)" #: debug.c:358 msgid "program not running" msgstr "programma non in esecuzione" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "il file sorgente `%s' è vuoto.\n" #: debug.c:502 msgid "no current source file" msgstr "file sorgente corrente non disponibile." #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "non riesco a leggere file di nome `%s': %s" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "" "attenzione: file sorgente `%s' modificato dopo la compilazione del " "programma.\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "numero riga %d non ammesso; `%s' ha %d righe" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "fine-file inattesa durante lettura file `%s', riga %d" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "file sorgente `%s' modificato dopo l'inizio esecuzione del programma." #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "File sorgente corrente: %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "Numero di righe: %d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "File sorgente (righe): %s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "Numero Disp Abilit. Posizione\n" "\n" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "\tnumero di occorrenze = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "\tignora prossime %ld occorrenze\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "\tcondizione per stop: %s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "\tcomandi:\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "Elemento corrente: " #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "Chiamato da elemento: " #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "Chiamante di elemento: " #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "Assente in main().\n" #: debug.c:870 msgid "No arguments.\n" msgstr "Nessun argomento.\n" #: debug.c:871 msgid "No locals.\n" msgstr "Nessun `locale'.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "Tutte le variabili definite:\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "Tutte le funzioni definite:\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "Auto-visualizzazione variabili:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "Variabili Watch [da tenere sott'occhio]:\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "nessun simbolo `%s' nel contesto corrente\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "`%s' non è un vettore\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "%ld = variabile non inizializzata\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "vettore `%s' vuoto\n" #: debug.c:1184 debug.c:1236 #, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "indice \"%.*s\" non presente nel vettore `%s'\n" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "`%s[\"%.*s\"]' non è un vettore\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "`%s' non è una variabile scalare" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "tentativo di usare vettore `%s[\"%.*s\"]' in un contesto scalare" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "tentativo di usare scalare `%s[\"%.*s\"]' come vettore" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "`%s' è una funzione" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "watchpoint %d non soggetto a condizioni\n" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "nessun elemento numerato da visualizzare %ld" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "nessun elemento numerato watch [da sorvegliare] da visualizzare %ld" #: debug.c:1596 #, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d: indice \"%.*s\" non presente nel vettore `%s'\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "tentativo di usare valore scalare come vettore" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "Watchpoint %d cancellato perché il parametro è fuori intervallo.\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "" "Visualizzazione %d cancellata perché il parametro è fuori intervallo.\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr " nel file `%s', riga %d\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr " a `%s':%d" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "#%ld\tin " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "Ulteriori elementi stack seguono...\n" #: debug.c:2092 msgid "invalid frame number" msgstr "numero elemento non valido" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Nota: breakpoint %d (abilitato, ignora prossimi %ld passaggi), anche " "impostato a %s:%d" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "Nota: breakpoint %d (abilitato), anche impostato a %s:%d" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Nota: breakpoint %d (disabilitato, ignora prossimi %ld passaggi), anche " "impostato a %s:%d" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "Nota: breakpoint %d (disabilitato), anche impostato a %s:%d" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "Breakpoint %d impostato al file `%s', riga %d\n" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "non riesco a impostare breakpoint nel file `%s'\n" #: debug.c:2444 #, c-format msgid "line number %d in file `%s' is out of range" msgstr "il numero riga %d nel file `%s' è fuori intervallo" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "errore interno: non riesco a trovare la regola\n" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "non riesco a impostare breakpoint a `%s':%d\n" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "non riesco a impostare breakpoint nella funzione `%s'\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "breakpoint %d impostato al file `%s', riga %d è senza condizioni\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "numero riga %d nel file `%s' fuori intervallo" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "Cancellato breakpoint %d" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "No breakpoint all'entrata nella funzione `%s'\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "No breakpoint al file `%s', riga #%d\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "numero breakpoint non valido" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "Cancello tutti i breakpoint? (y oppure n) " #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "y" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "Prossimi %ld passaggi dal breakpoint %d ignorati.\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "Farò uno stop al prossimo passaggio dal breakpoint %d.\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "Debug possibile solo per programmi con opzione `-f' specificata.\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "Ripartenza ...\n" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "Non sono riuscito a far ripartire il debugger" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "Programma già in esecuzione. Lo faccio ripartire dall'inizio (y/n)? " #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "Programma non fatto ripartire\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "errore: non riesco a far ripartire, operazione non consentita\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "errore (%s): non riesco a far ripartire, ignoro i comandi rimanenti\n" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "Partenza del programma:\n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "Programma completato anormalmente, valore in uscita: %d\n" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "Programma completato normalmente, valore in uscita: %d\n" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "Il programma è in esecuzione. Esco comunque (y/n)? " #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "Non interrotto ad alcun breakpoint: argomento ignorato.\n" #: debug.c:3091 #, c-format msgid "invalid breakpoint number %d" msgstr "numero di breakpoint non valido %d" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "Prossimi %ld passaggi dal breakpoint %d ignorati.\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "'finish' non significativo nell'elemento iniziale main()\n" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "Esegui fino al ritorno da " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "'return' non significativo nell'elemento iniziale main()\n" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "non trovo la posizione specificata nella funzione `%s'\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "riga sorgente invalida %d nel file `%s'" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "non trovo posizione specificata %d nel file `%s'\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "elemento non presente nel vettore\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "variabile di tipo sconosciuto\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "Mi fermo in %s ...\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "'finish' not significativo per salti non-locali '%s'\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "'until' not significativo per salti non-locali '%s'\n" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "\t------[Invio] per continuare o [q] + [Invio] per uscire------" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%.*s\"] non presente nel vettore `%s'" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "output inviato a stdout\n" #: debug.c:5449 msgid "invalid number" msgstr "numero non valido" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "`%s' non consentito nel contesto corrente; istruzione ignorata" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "`return' non consentito nel contesto corrente; istruzione ignorata" #: debug.c:5639 #, c-format msgid "fatal error during eval, need to restart.\n" msgstr "errore fatale durante eval, è necessario fare un restart.\n" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "nessun simbolo `%s' nel contesto corrente" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "tipo nodo sconosciuto %d" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "codice operativo sconosciuto %d" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "codice operativo %s non è un operatore o una parola chiave" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "superamento limiti buffer in 'genflags2str'" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# `Stack' (Pila) Chiamate Funzione:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "`IGNORECASE' è un'estensione gawk" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "`BINMODE' è un'estensione gawk" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "valore di BINMODE `%s' non valido, considerato come 3" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "specificazione invalida `%sFMT' `%s'" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "disabilito `--lint' a causa di assegnamento a `LINT'" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "riferimento ad argomento non inizializzato `%s'" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "riferimento a variabile non inizializzata `%s'" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "tentativo di riferimento a un campo da valore non-numerico" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "tentativo di riferimento a un campo da una stringa nulla" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "tentativo di accedere al campo %ld" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "riferimento a campo non inizializzato `$%ld'" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "funzione `%s' chiamata con più argomenti di quelli previsti" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: tipo non previsto `%s'" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "divisione per zero tentata in `/='" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "divisione per zero tentata in `%%='" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "le estensioni non sono consentite in modo `sandbox'" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "-l / @load sono estensioni gawk" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext: ricevuto come nome libreria la stringa NULL" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext: non riesco ad aprire libreria `%s': %s" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "load_ext: libreria `%s': non definisce `plugin_is_GPL_compatible': %s" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "load_ext: libreria `%s': non riesco a chiamare funzione `%s': %s" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "load_ext: libreria `%s' routine di inizializzazione `%s' non riuscita" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin: manca nome di funzione" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "" "make_builtin: non posso usare come nome di funzione quello della funzione " "interna gawk `%s'" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" "make_builtin: non posso usare come nome di uno spazio-dei-nomi quello della " "funzione interna gawk `%s'" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin: non riesco a ridefinire funzione `%s'" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin: funzione `%s' già definita" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin: funzione di nome `%s' definita in precedenza" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin: contatore argomenti negativo per la funzione `%s'" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "funzione `%s': argomento #%d: tentativo di usare scalare come vettore" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "funzione `%s': argomento #%d: tentativo di usare vettore come scalare" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "caricamento dinamico di librerie non supportato" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "stat: non riesco a leggere il link simbolico `%s'" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "stat: il primo argomento non è una stringa" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "stat: il secondo argomento non è un vettore" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stat: parametri errati" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "ftp init: non riesco a creare variabile %s" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "fts non disponibile su questo sistema" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element: non riesco a creare vettore, memoria esaurita" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element: non riesco a impostare elemento" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element: non riesco a impostare elemento" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element: non riesco a impostare elemento" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts-process: non riesco a creare vettore" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts-process: non riesco a impostare elemento" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "fts: chiamata con numero di argomenti errato, 3 previsti" #: extension/filefuncs.c:853 msgid "fts: first argument is not an array" msgstr "fts: il primo argomento non è un vettore" #: extension/filefuncs.c:859 msgid "fts: second argument is not a number" msgstr "fts: il secondo argomento non è un vettore" #: extension/filefuncs.c:865 msgid "fts: third argument is not an array" msgstr "ftp: il terzo argomento non è un vettore" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts: non sono riuscito ad appiattire un vettore\n" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "fts: ignoro flag infido FTS_NOSTAT. nooo, nooo, nooo." #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch: primo argomento non disponibile" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch: secondo argomento non disponibile" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch: terzo argomento non disponibile" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "fnmatch non disponibile su questo sistema\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "fnmatch init: non riesco ad aggiungere variabile FNM_NOMATCH" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "fnmatch init: non riesco a impostare elemento vettoriale %s" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "fnmatch init: non riesco a installare vettore FNM" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork: PROCINFO non è un vettore!" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "inplace::begin: modifica in-place già attiva" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "inplace::begin: 2 argumenti richiesti, ma chiamata con %d" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "" "inplace::begin: non riesco a trovare il 1° argomento come stringa nome-file" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" "inplace::begin: modifica in-place disabilitato, FILENAME non valido `%s'" #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "inplace::begin: Non riesco a trovare `%s' (%s)" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "inplace::begin: `%s' non è un file regolare" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace::begin: mkstemp(`%s') non riuscita (%s)" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace::begin: chmod non riuscita (%s)" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace::begin: dup(stdout) non riuscita (%s)" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace::begin: dup2(%d, stdout) non riuscita (%s)" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace::begin: close(%d) non riuscita (%s)" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "inplace::end: 2 argumenti richiesti, ma chiamata con %d" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "" "inplace::end: non riesco a trovare il 1° argomento come stringa nome-file" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "inplace::end: modifica in-place non attiva" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace::end: dup2(%d, stdout) non riuscita (%s)" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace::end: close(%d) non riuscita (%s)" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace::end: fsetpos(stdout) non riuscita (%s)" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace::end: link(`%s', `%s') non riuscita (%s)" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace::end: rename(`%s', `%s') non riuscito (%s)" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "ord: il primo argomento non è una stringa" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "chr: il primo argomento non è un vettore" #: extension/readdir.c:291 #, c-format msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "dir_take_control_of: %s: opendir/fdopendir non riuscita: %s" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "readfile: chiamata con un tipo di argomento errato" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput: non riesco a inizializzare la variabile REVOUT" #: extension/rwarray.c:145 extension/rwarray.c:548 #, c-format msgid "%s: first argument is not a string" msgstr "%s: il primo argomento non è una stringa" #: extension/rwarray.c:189 msgid "writea: second argument is not an array" msgstr "writea: il secondo argomento non è un vettore" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "writeall: non riesco a trovare vettore SYMTAB" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "write_array: non sono riuscito ad appiattire un vettore" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "write_array: non sono riuscito a rilasciare un vettore appiattito" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "valore di vettore di tipo sconosciuto %d" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" "estensione rwarray: ricevuto valore GMP/MPFR ma il supporto GMP/MPFR non è " "disponibile." #: extension/rwarray.c:437 #, c-format msgid "cannot free number with unknown type %d" msgstr "non posso liberare un numero di tipo sconosciuto %d" #: extension/rwarray.c:442 #, c-format msgid "cannot free value with unhandled type %d" msgstr "non posso liberare un valore di tipo non gestito %d" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "readall: non riesco a impostare %s::%s" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "readall: non riesco a impostare %s" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "reada: clear_array non riuscita" #: extension/rwarray.c:611 msgid "reada: second argument is not an array" msgstr "reada: il secondo argomento non è un vettore" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "read_array: set_array_element non riuscita" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "" "valore recuperato, con codice di tipo sconosciuto %d, trattato come stringa" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" "estensione rwarray: trovato valore GMP/MPFR nel file ma il supporto GMP/MPFR " "non è disponibile." #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday: non supportato in questa architettura" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep: manca necessario argomento numerico" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep: l'argomento è negativo" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep: non supportato in questa architettura" #: extension/time.c:232 msgid "strptime: called with no arguments" msgstr "strptime: chiamata senza alcun argomento" #: extension/time.c:240 #, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "do_strptime: il primo argomento non è una stringa\n" #: extension/time.c:245 #, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "do_strptime: il secondo argomento non è una stringa\n" #: field.c:321 msgid "input record too large" msgstr "record in input troppo lungo" #: field.c:443 msgid "NF set to negative value" msgstr "NF impostato a un valore negativo" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "diminuire NF è non-portabile a molte versioni awk" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "utilizzare campi da una regola END può essere non-portabile" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split: il quarto argomento è un'estensione gawk" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split: il quarto argomento non è un vettore" #: field.c:1138 field.c:1240 #, c-format msgid "%s: cannot use %s as fourth argument" msgstr "%s: non consentito usare %s come quarto argomento" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: il secondo argomento non è un vettore" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "" "split: non si può usare un unico vettore come secondo e quarto argomento" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "" "split: non consentito un quarto argomento che sia un sottovettore del " "secondo argomento" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "" "split: non consentito un secondo argomento che sia un sottovettore del " "quarto argomento" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "split: la stringa nulla come terzo arg. è un'estensione non-standard" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: il quarto argomento non è un vettore" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: il secondo argomento non è un vettore" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit: il terzo argomento non può essere nullo" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "" "patsplit: non si può usare un unico vettore come secondo e quarto argomento" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" "patsplit: non consentito un quarto argomento che sia un sottovettore del " "secondo argomento" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" "patsplit: non consentito un secondo argomento che sia un sottovettore del " "quarto argomento" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" "assegnare un valore a FS/FIELDWIDTHS/FPAT non produce effetti se si è " "specificato --csv" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "`FIELDWIDTHS' è un'estensione gawk" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "`*' deve essere l'ultimo elemento specificato per FIELDWIDTHS" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "valore di FIELDWIDTHS non valido, per il campo %d, vicino a `%s'" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "la stringa nulla usata come `FS' è un'estensione gawk" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "il vecchio awk non supporta espressioni come valori di `FS'" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "`FPAT' è un'estensione gawk" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node: ricevuto retval nullo" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "awk_value_to_node: non in modalità MPFR" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "awk_value_to_node: MPFR non disponibile" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node: tipo di numero non valido `%d'" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "add_ext_func: ricevuto come nome dello spazio-dei-nomi la stringa NULL" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" "node_to_awk_value: trovata combinazione numerica di flag non valida `%s'; " "siete pregati di notificare questo bug" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value: ricevuto nodo nullo" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value: ricevuto valore nullo" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" "node_to_awk_value ha trovato la combinazione flag invalida `%s'; siete " "pregati di notificare questo bug" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element: ricevuto vettore nullo" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element: ricevuto indice nullo" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "" "api_flatten_array_typed: non sono riuscito a convertire l'indice %d a %s" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "" "api_flatten_array_typed: non sono riuscito a convertire il valore %d a %s" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "api_get_mpfr: MPFR non disponibile" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "non riesco a trovare la fine di una regola BEGINFILE" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "non riesco ad aprire file di tipo non riconosciuto `%s' per `%s'" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "l'argomento in riga comando `%s' è una directory: ignorata" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "non riesco ad aprire file `%s' in lettura: %s" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "chiusura di fd %d (`%s') non riuscita: %s" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "`%.*s' usati come file di input e file di output" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "`%.*s' usati come file di input e `pipe' di input" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "`%.*s' usati come file di input e `pipe' bidirezionale" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "`%.*s' usati come file di input e `pipe' di output" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "mistura non necessaria di `>' e `>>' per il file `%.*s'" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "`%.*s' usati come `pipe' in input e file in output" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "`%.*s' usati come file in output e `pipe' in output" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "`%.*s' usati come file in output e `pipe' bidirezionale" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "`%.*s' usati come `pipe' in input e `pipe' in output" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "`%.*s' usati come `pipe' in input e `pipe' bidirezionale" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "`%.*s' usati come `pipe' in output e `pipe' bidirezionale" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "ri-direzione non consentita in modo `sandbox'" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "espressione nella ri-direzione `%s' è un numero" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "espressione nella ri-direzione `%s' ha per valore la stringa nulla" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "nome-file `%.*s' per la ri-direzione `%s' può essere il risultato di una " "espressione logica" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "get_file non riesce a creare una `pipe' `%s' con fd %d" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "non riesco ad aprire `pipe' `%s' in scrittura: %s" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "non riesco ad aprire `pipe' `%s' in lettura: %s" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" "creazione di socket get_file non disponibile su questa piattaforma per `%s' " "con fd %d" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "" "non riesco ad aprire `pipe' bidirezionale `%s' in lettura/scrittura: %s" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "non riesco a ri-dirigere da `%s': %s" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "non riesco a ri-dirigere a `%s': %s" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "numero massimo consentito di file aperti raggiunto: comincio a riutilizzare " "i descrittori di file" #: io.c:1221 #, c-format msgid "close of `%s' failed: %s" msgstr "chiusura di `%s' non riuscita: %s" #: io.c:1229 msgid "too many pipes or input files open" msgstr "troppe `pipe' o file di input aperti" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: il secondo argomento deve essere `a' o `da'" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "close: `%.*s' non è un file aperto, una `pipe' o un co-processo" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "chiusura di una ri-direzione mai aperta" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "close: ri-direzione `%s' non aperta con `|&', ignoro secondo argomento" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "errore ritornato (%d) dalla chiusura della `pipe' `%s': %s" #: io.c:1400 #, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "" "errore ritornato (%d) dalla chiusura della `pipe' bidirezionale `%s': %s" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "errore ritornato (%d) dalla chiusura del file `%s': %s" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "nessuna chiusura esplicita richiesta per `socket' `%s'" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "nessuna chiusura esplicita richiesta per co-processo `%s'" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "nessuna chiusura esplicita richiesta per `pipe' `%s'" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "nessuna chiusura esplicita richiesta per file `%s'" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "fflush: non riesco a terminare lo standard output: %s" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "fflush: non riesco a terminare lo standard error: %s" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "errore scrivendo `standard output': %s" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "errore scrivendo `standard error': %s" #: io.c:1513 #, c-format msgid "pipe flush of `%s' failed: %s" msgstr "scaricamento di `pipe' `%s' non riuscito: %s" #: io.c:1516 #, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "scaricamento da co-processo di `pipe' a `%s' non riuscito: %s" #: io.c:1519 #, c-format msgid "file flush of `%s' failed: %s" msgstr "scaricamento di file `%s' non riuscito: %s" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "porta locale %s invalida in `/inet: %s'" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "porta locale %s invalida in `/inet'" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "host remoto e informazione di porta (%s, %s) invalidi: %s" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "host remoto e informazione di porta (%s, %s) invalidi" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "comunicazioni TCP/IP non supportate" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "non riesco ad aprire `%s', modo `%s'" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "close di `pty' principale non riuscita: %s" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "close di `stdout' nel processo-figlio non riuscita: %s" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "" "trasferimento di `pty' secondaria a `stdout' nel processo-figlio non " "riuscita (dup: %s)" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "close di `stdin' nel processo-figlio non riuscita: %s" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "" "trasferimento di `pty' secondaria a `stdin' nel processo-figlio non riuscito " "(dup: %s)" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "close di `pty' secondaria non riuscita: %s" #: io.c:2317 msgid "could not create child process or open pty" msgstr "non riesco a creare processo-figlio o ad aprire `pty'" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "" "passaggio di `pipe' a `stdout' nel processo-figlio non riuscito (dup: %s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "" "passaggio di `pipe' a `stdin' nel processo-figlio non riuscito (dup: %s)" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "ripristino di `stdout' nel processo-padre non riuscito" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "ripristino di `stdin' nel processo-padre non riuscito" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "close di `pipe' non riuscita: %s" #: io.c:2534 msgid "`|&' not supported" msgstr "`|&' non supportato" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "non riesco ad aprire `pipe' `%s': %s" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "non riesco a creare processo-figlio per `%s' (fork: %s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "" "getline: tentativo di elggere dal lato in scrittura, chiuso, di una `pipe' " "bidirezionale" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser: ricevuto puntatore NULL" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" "input parser `%s' in conflitto con l'input parser `%s' installato in " "precedenza" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "l'input parser `%s' non è riuscito ad aprire `%s'" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_wrapper: ricevuto puntatore NULL" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" "output wrapper `%s' in conflitto con l'output wrapper `%s' installato in " "precedenza" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "l'output wrapper `%s' non è riuscito ad aprire `%s'" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor: ricevuto puntatore NULL" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" "processore doppio `%s' in conflitto con il processore doppio installato in " "precedenza `%s'" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "il processore doppio `%s' non è riuscito ad aprire `%s'" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "file dati `%s' vuoto" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "non riesco ad allocare ulteriore memoria per l'input" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "assegnare un valore a RS non produce effetti se si è specificato --csv" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "valore multicarattere per `RS' è un'estensione gawk" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "comunicazioni IPv6 non supportate" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" "gawk_popen_write: non sono riuscito a prendere come standard input l'`fd' " "della `pipe'" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "variable d'ambiente `POSIXLY_CORRECT' impostata: attivo `--posix'" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "`--posix' annulla `--traditional'" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "`--posix'/`--traditional' annulla `--non-decimal-data'" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "`--posix' annulla `--characters-as-bytes'" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "`--posix' e `--csv' mutualmente esclusive" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "eseguire %s con `setuid' root può essere un rischio per la sicurezza" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "L'opzione -r/--re-interval non ha più alcun effetto" #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "non è possibile impostare modalità binaria su `stdin': %s" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "non è possibile impostare modalità binaria su `stdout': %s" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "non è possibile impostare modalità binaria su `stderr': %s" #: main.c:483 msgid "no program text at all!" msgstr "manca del tutto il testo del programma!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "Uso: %s [opzioni in stile POSIX o GNU] -f file-prog. [--] file ...\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "Usage: %s [opzioni in stile POSIX o GNU] [--] %cprogramma%c file ...\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "Opzioni POSIX:\t\topzioni lunghe GNU: (standard)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f fileprog\t\t--file=file-prog.\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F fs\t\t\t--field-separator=fs\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "\t-v var=valore\t\t--assign=var=valore\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "Opzioni brevi:\t\topzioni lunghe GNU: (estensioni)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[file]\t\t--dump-variables[=file]\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-D[file]\t\t--debug[=file]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e 'testo-del-programma'\t--source='testo-del-programma'\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E file\t\t\t--exec=file\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "\t-i include_file\t\t--include=include_file\n" #: main.c:602 msgid "\t-I\t\t\t--trace\n" msgstr "\t-I\t\t\t--trace\n" #: main.c:603 msgid "\t-k\t\t\t--csv\n" msgstr "\t-k\t\t\t--csv\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "\t-l libreria\t\t--load=libreria\n" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "\t-M\t\t\t--bignum\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-o[file]\t\t--pretty-print[=file]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[file]\t\t--profile[=file]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-s\t\t\t--no-optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "\t-Z locale-name\t\t--locale=locale-name\n" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "Per segnalare problemi, usare il programma `gawkbug'\n" "Per informazioni dettagliate, vedere il nodo `Bugs' in `gawk.info'\n" "che è la sezione `Segnalazione di problemi e bug' nella versione\n" "a stampa. La stessa informazione è disponibile in\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "Siete pregati di NON segnalare bug scrivendo a comp.lang.awk,\n" "o usando un forum online del tipo di Stack Overflow.\n" "\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" "Il codice sorgente di gawk può essere estratto da\n" "%s/gawk-%s.tar.gz\n" "\n" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk è un linguaggio per scandire e processare espressioni.\n" "Senza parametri, legge da `standard input' e scrive su `standard output'.\n" "\n" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "Esempi:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "Questo software è libero; lo puoi distribuire e/o modificare\n" "alle condizioni stabilite nella 'GNU General Public License' pubblicata\n" "dalla Free Software Foundation; fai riferimento alla versione 3 della\n" "Licenza, o (a tua scelta) a una qualsiasi versione successiva.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "Questo programma è distribuito con la speranza che sia utile,\n" "ma SENZA ALCUNA GARANZIA; senza neppure la garanzia implicita\n" "di COMMERCIABILITÀ o IDONEITÀ AD UN PARTICOLARE SCOPO.\n" "Vedi la 'GNU General Public License' per ulteriori dettagli.\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "Dovresti aver ricevuto una copia della GNU General Public License\n" "assieme a questo programma; se non è così, vedi http://www.gnu.org/" "licenses/.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "-Ft non imposta FS a `tab' nell'awk POSIX" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: `%s' argomento di `-v' non in forma `var=valore'\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "`%s' non è un nome di variabile ammesso" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "`%s' non è un nome di variabile, cerco il file `%s=%s'" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "nome funzione interna gawk `%s' non ammesso come nome variabile" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "non è possibile usare nome di funzione `%s' come nome di variabile" #: main.c:1294 msgid "floating point exception" msgstr "eccezione floating point" #: main.c:1304 msgid "fatal error: internal error" msgstr "errore fatale: errore interno" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "manca `fd' pre-aperta %d" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "non riesco a pre-aprire /dev/null per `fd' %d" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "argomento di `-e/--source' nullo, ignorato" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "`--profile' annulla `--pretty-print'" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "-M ignorato: supporto per MPFR/GMP non generato" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "Usare `GAWK_PERSIST_FILE=%s gawk ...' invece che --persist." #: main.c:1726 msgid "Persistent memory is not supported." msgstr "La memoria persistente non è supportata." #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: opzione `-W %s' non riconosciuta, ignorata\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: l'opzione richiede un argomento -- %c\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "%s: fatale: non riesco a eseguire stat di %s: %s\n" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" "%s: fatale: uso della memoria persistente non consentito per l'utente root.\n" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "%s: attenzione: %s non è un file che appartiene a euid %d.\n" #: main.c:1913 msgid "persistent memory is not supported" msgstr "la memoria persistente non è supportata" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" "%s: fatale: l'allocatore di memoria persistente non è riuscito a " "inizializzarsi: valore restituito %d, pma.c riga: %d.\n" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "valore PREC `%.*s' non valido" #: mpfr.c:718 #, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "valore di ROUNDMODE `%.*s' non valido" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: ricevuto primo argomento non numerico" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: ricevuto secondo argomento non numerico" #: mpfr.c:825 #, c-format msgid "%s: received negative argument %.*s" msgstr "%s: ricevuto argomento negativo %.*s" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int: ricevuto argomento non numerico" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: ricevuto argomento non numerico" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%Rg): valore negativo non consentito" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "comp(%Rg): valore decimale sarà troncato" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%Zd): non sono consentiti valori negativi" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s: ricevuto argomento non numerico #%d" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "%s: argomento #%d con valore non valido %Rg, uso 0" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%s: argomento #%d con valore negativo %Rg non consentito" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "%s: argomento #%d, valore decimale sarà troncato" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%s: argomento #%d con valore negativo %Zd non consentito" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: chiamata con meno di due argomenti" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or: chiamata con meno di due argomenti" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "xor: chiamata con meno di due argomenti" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: ricevuto argomento non numerico" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "intdiv: ricevuto primo argomento non numerico" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "intdiv: ricevuto secondo argomento non numerico" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "riga com.:" #: node.c:477 msgid "backslash at end of string" msgstr "la barra inversa non è l'ultimo carattere della stringa" #: node.c:511 msgid "could not make typed regex" msgstr "non sono riuscito a creare una `typed regex'" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "il vecchio awk non supporta la sequenza di protezione '\\%c'" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX non consente escape `\\x'" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "niente cifre esadecimali nella sequenza di protezione `\\x'" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "sequenza di escape esadec.\\x%.*s di %d caratteri probabilmente non " "interpretata nel modo previsto" #: node.c:705 msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX non consente escape `\\u'" #: node.c:713 msgid "no hex digits in `\\u' escape sequence" msgstr "niente cifre esadecimali nella sequenza di protezione `\\u'" #: node.c:744 msgid "invalid `\\u' escape sequence" msgstr "sequenza di protezione `\\u' non valida" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "sequenza di protezione `\\%c' considerata come semplice `%c'" #: node.c:908 msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "Trovati dati multi-byte invalidi. Può esserci una differenza tra i dati e la " "codifica locale" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "%s %s `%s': non riesco a ottenere flag `fd': (fcntl F_GETFD: %s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "" "%s %s `%s': non riesco a impostare 'close-on-exec': (fcntl F_SETFD: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "Attenzione: /proc/self/exe: readlink: %s\n" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "attenzione: personalità: %s\n" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "waitpid: ottenuto codice di ritorno %#o\n" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "fatale: posix_spawn: %s\n" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "" "Nidificazione del programma troppo alta. Si consideri una riscrittura del " "codice" #: profile.c:114 msgid "sending profile to standard error" msgstr "mando profilo a `standard error'" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# %s regola(e)\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# Regola(e)\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "errore interno: %s con `vname' nullo" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "errore interno: funzione interna con `fname' nullo" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "%s# Estensioni caricate (-l e/o @load)\n" "\n" #: profile.c:1382 #, fuzzy, c-format #| msgid "" #| "\n" #| "# Included files (-i and/or @include and/or @nsinclude)\n" #| "\n" msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\n" "# File inclusi (-i e/o @include e/o @nsinclude)\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# profilo gawk, creato %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# Funzioni, in ordine alfabetico\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str: tipo di ri-direzione non noto %d" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" "la regola per la corrispondenza di un'espressione regolare che contiene dei " "caratteri NUL non è definita in POSIX" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "byte NUL non valido un'espressione regolare dinamica" #: re.c:215 #, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "la sequenza di protezione `\\%c' considerata come semplice `%c'" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" "la sequenza di protezione `\\%c' non è un operatore noto per un'espressione " "regolare" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "" "componente di espressione `%.*s' dovrebbe probabilmente essere `[%.*s]'" #: support/dfa.c:910 msgid "unbalanced [" msgstr "[ non chiusa" #: support/dfa.c:1031 msgid "invalid character class" msgstr "character class non valida" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "sintassi character class è [[:spazio:]], non [:spazio:]" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "sequenza escape \\ non completa" #: support/dfa.c:1345 msgid "? at start of expression" msgstr "? a inizio espressione" #: support/dfa.c:1357 msgid "* at start of expression" msgstr "* a inizio espressione" #: support/dfa.c:1371 msgid "+ at start of expression" msgstr "+ a inizio espressione" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "{...} a inizio espressione" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "contenuto di \\{\\} non valido" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "espressione regolare troppo complessa" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "\\ disperso prima di un carattere non stampabile" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "\\ disperso prima di uno spazio bianco" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "\\ disperso prima di %s" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "\\ disperso" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "( non chiusa" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "nessuna sintassi specificata" #: support/dfa.c:2077 msgid "unbalanced )" msgstr ") non aperta" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: opzione '%s' ambigua; possibilità:" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s: l'opzione '--%s' non ammette un argomento\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: l'opzione '%c%s' non ammette un argomento\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: l'opzione '--%s' richiede un argomento\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: opzione sconosciuta '--%s'\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: opzione sconosciuta '%c%s'\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: opzione non valida -- '%c'\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s: l'opzione richiede un argomento -- '%c'\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: l'opzione '-W %s' è ambigua\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: l'opzione '-W %s' non ammette un argomento\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: l'opzione '-W %s' richiede un argomento\n" #: support/regcomp.c:122 msgid "Success" msgstr "Successo" #: support/regcomp.c:125 msgid "No match" msgstr "Nessuna corrispondenza" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "Espressione regolare invalida" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "Carattere di ordinamento non valido" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "Nome di 'classe di caratteri' non valido" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "'\\' finale" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "Riferimento indietro non valido" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "[, [^, [:, [. o [= non chiusa" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "( o \\( non chiusa" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "\\{ non chiusa" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "Contenuto di \\{\\} non valido" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "Fine di intervallo non valido" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "Memoria esaurita" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "Espressione regolare precedente invalida" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "Fine di espressione regolare inaspettata" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "Espressione regolare troppo complessa" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr ") o \\) non aperta" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "Nessuna espressione regolare precedente" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" "le impostazioni -M/--bignum non concordano con quelle contenute nel file PMA " "utilizzato" #: symbol.c:781 #, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "" "funzione `%s': non è possibile usare nome funzione `%s' come nome parametro" #: symbol.c:911 msgid "cannot pop main context" msgstr "non posso salire più in alto nel contesto di esecuzione" EOF echo Extracting po/ja.po cat << \EOF > po/ja.po # Japanese messages for gawk. # Copyright (C) 2003, 2014 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # Makoto Hosoya , 2003. # Yasuaki Taniguchi , 2011, 2014. # msgid "" msgstr "" "Project-Id-Version: gawk 4.1.0b\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2014-11-07 12:26+0000\n" "Last-Translator: Yasuaki Taniguchi \n" "Language-Team: Japanese \n" "Language: ja\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" #: array.c:249 #, c-format msgid "from %s" msgstr "%s から" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "スカラー値を配列として使用する試みです" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "スカラー仮引数 `%s' を配列として使用する試みです" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "スカラー `%s' を配列として使用する試みです" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "スカラーコンテキストで配列 `%s' を使用する試みです" #: array.c:616 #, fuzzy, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "delete: 配列 `%2$s' 内にインデックス `%1$s' がありません" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "スカラー `%s[\"%.*s\"]' を配列として使用する試みです" #: array.c:856 array.c:906 #, fuzzy, c-format msgid "%s: first argument is not an array" msgstr "asort: 第一引数が配列ではありません" #: array.c:898 #, fuzzy, c-format msgid "%s: second argument is not an array" msgstr "split: 第二引数が配列ではありません" #: array.c:901 field.c:1150 field.c:1247 #, fuzzy, c-format msgid "%s: cannot use %s as second argument" msgstr "asort: 第一引数の部分配列を第二引数用に使用することは出来ません" #: array.c:909 #, fuzzy, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "asort: 第一引数が配列ではありません" #: array.c:911 #, fuzzy, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "asort: 第一引数が配列ではありません" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" #: array.c:923 #, fuzzy, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "asort: 第一引数の部分配列を第二引数用に使用することは出来ません" #: array.c:928 #, fuzzy, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "asort: 第二引数の部分配列を第一引数用に使用することは出来ません" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "`%s' は関数名としては無効です" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "ソート比較関数 `%s' が定義されていません" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "%s ブロックにはアクション部が必須です" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "各ルールにはパターンまたはアクション部が必須です。" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "古い awk は複数の `BEGIN' または `END' ルールをサポートしません" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "`%s' は組込み関数です。再定義できません" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "正規表現定数 `//' は C++コメントに似ていますが、違います。" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "正規表現定数 `/%s/' は C コメントに似ていますが、異なります" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "switch 文の中で重複した case 値が使用されています: %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "switch 文の中で重複した `default' が検出されました" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "`break' はループまたは switch の外では許可されていません" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "`continue' はループの外では許可されていません" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "%s アクション内で `next' が使用されました" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "`nextfile' が %s アクション内で使用されました" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "`return' が関数定義文の外で使われました" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" "BEGIN または END ルール内の引数の無い `print' は `print \"\"' だと思われます" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "`delete(array)' は移植性の無い tawk 拡張です" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "多段階で双方向パイプを利用した式は使用できません" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "正規表現が代入式の右辺に使用されています" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "`~' や `!~' 演算子の左辺に正規表現が使用されています" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "古い awk では `in' 予約語は `for' の後を除きサポートしません" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "比較式の右辺に正規表現が使用されています。" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "`%s' ルールの内側ではリダイレクトされていない `getline' は無効です" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "リダイレクトされていない `getline' は END アクションでは未定義です。" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "古い awk は多次元配列をサポートしません" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "小括弧が無い `length' は移植性がありません" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "間接関数呼び出しは gawk 拡張です" #: awkgram.y:2033 #, fuzzy, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "特別な変数 `%s' は間接関数呼び出し用には使用出来ません" #: awkgram.y:2066 #, fuzzy, c-format msgid "attempt to use non-function `%s' in function call" msgstr "関数 `%s' を配列として使用する試みです" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "添字の式が無効です" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "警告: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "致命的: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "予期しない改行または文字列終端です" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, fuzzy, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "ソースファイル `%s' を読み込み用に開けません (%s)" #: awkgram.y:2883 awkgram.y:3020 #, fuzzy, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "共有ライブラリ `%s' を読み込み用に開けません (%s)" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "原因不明" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "ソースファイル `%s' は既に読み込まれています" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "共有ライブラリ `%s' は既に読み込まれています" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "@include は gawk 拡張です" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "@include の後に空のファイル名があります" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "@load は gawk 拡張です" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "@load の後に空のファイル名があります" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "コマンド行のプログラム表記が空です" #: awkgram.y:3261 debug.c:470 debug.c:628 #, fuzzy, c-format msgid "cannot read source file `%s': %s" msgstr "ソースファイル `%s' を読み込めません (%s)" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "ソースファイル `%s' は空です" #: awkgram.y:3332 #, fuzzy, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "無効な文字クラス名です" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "ソースファイルが改行で終っていません" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "終端されていない正規表現がファイル最後の `\\' で終っています。" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "%s: %d: tawk の正規表現修飾子 `/.../%c' は gawk で使用できません" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "tawk の正規表現修飾子 `/.../%c' は gawk で使用できません" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "正規表現が終端されていません" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "ファイルの中で正規表現が終端されていません" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "`\\ #...' 形式の行継続は移植性がありません" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "バックスラッシュが行最後の文字になっていません。" #: awkgram.y:3876 awkgram.y:3878 #, fuzzy msgid "multidimensional arrays are a gawk extension" msgstr "間接関数呼び出しは gawk 拡張です" #: awkgram.y:3903 awkgram.y:3914 #, fuzzy, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX では演算子 `**' は許可されていません" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, fuzzy, c-format msgid "operator `%s' is not supported in old awk" msgstr "古い awk は演算子 `^' をサポートしません" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "文字列が終端されていません" #: awkgram.y:4066 main.c:1237 #, fuzzy msgid "POSIX does not allow physical newlines in string values" msgstr "POSIX では `\\x' エスケープは許可されていません" #: awkgram.y:4068 node.c:482 #, fuzzy msgid "backslash string continuation is not portable" msgstr "`\\ #...' 形式の行継続は移植性がありません" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "式内に無効な文字 '%c' があります" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "`%s' は gawk 拡張です" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX では `%s' は許可されていません" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "古い awk は `%s' をサポートしません" #: awkgram.y:4517 #, fuzzy msgid "`goto' considered harmful!" msgstr "`goto' は有害だと見なされています!\n" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d は %s 用の引数の数としては無効です" #: awkgram.y:4621 #, fuzzy, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "%s: 文字列リテラルを置き換え最後の引数に使用すると効果がありません" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "%s 第三仮引数は可変オブジェクトではありません" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match: 第三引数は gawk 拡張です" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close: 第二引数は gawk 拡張です" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "dcgettext(_\"...\")の使用法が間違っています: 先頭のアンダースコア(_)を削除し" "てください" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "dcngettext(_\"...\")の使用法が間違っています: 先頭のアンダースコア(_)を削除し" "てください" #: awkgram.y:4836 #, fuzzy msgid "index: regexp constant as second argument is not allowed" msgstr "index: 文字列では無い第二引数を受け取りました" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "関数 `%s': 仮引数 `%s' が大域変数を覆い隠しています" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "`%s' を書込み用に開けませんでした: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "変数リストを標準エラーに送っています" #: awkgram.y:4947 #, fuzzy, c-format msgid "%s: close failed: %s" msgstr "%s: 閉じるのに失敗しました (%s)" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "shadow_funcs() を二回呼び出しています!" #: awkgram.y:4980 #, fuzzy #| msgid "there were shadowed variables." msgid "there were shadowed variables" msgstr "覆い隠された変数がありました" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "関数名 `%s' は前に定義されています" #: awkgram.y:5123 #, fuzzy, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "関数 `%s': 関数名を仮引数名として使用出来ません" #: awkgram.y:5126 #, fuzzy, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "関数 `%s': 特別な変数 `%s' は関数の仮引数として使用出来ません" #: awkgram.y:5130 #, fuzzy, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "関数 `%s': 仮引数 `%s' が大域変数を覆い隠しています" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "関数 `%s': 仮引数 #%d, `%s' が仮引数 #%d と重複しています" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "未定義の関数 `%s' を呼び出しました" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "関数 `%s' は定義されていますが、一度も直接呼び出されていません" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "仮引数 #%d 用の正規表現定数は真偽値を出力します" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "関数名と `(' の間にスペースを入れて関数 `%s' を呼び出しています。\n" "または、変数か配列として使われています。" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "ゼロによる除算が試みられました" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "`%%' 内でゼロによる除算が試みられました" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "" #: awkgram.y:5886 #, fuzzy, c-format msgid "invalid target of assignment (opcode %s)" msgstr "%d は %s 用の引数の数としては無効です" #: awkgram.y:6266 msgid "statement has no effect" msgstr "文に効果がありません" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" #: awkgram.y:6883 #, fuzzy msgid "@namespace is a gawk extension" msgstr "@include は gawk 拡張です" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" #: builtin.c:93 builtin.c:100 #, fuzzy, c-format msgid "%s: called with %d arguments" msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #: builtin.c:125 #, fuzzy, c-format msgid "%s to \"%s\" failed: %s" msgstr "%s から \"%s\" へ出力できません (%s)。" #: builtin.c:129 msgid "standard output" msgstr "標準出力" #: builtin.c:130 #, fuzzy msgid "standard error" msgstr "標準出力" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, fuzzy, c-format msgid "%s: received non-numeric argument" msgstr "cos: 非数値の引数を受け取りました" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp: 引数 %g が範囲外です" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, fuzzy, c-format msgid "%s: received non-string argument" msgstr "system: 文字列では無い引数を受け取りました" #: builtin.c:293 #, fuzzy, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: flush できません: パイプ `%s' は読み込み用に開かれています。書き込み" "用ではありません" #: builtin.c:296 #, fuzzy, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" "fflush: flush できません: ファイル `%s' は読み込み用に開かれています。書き込" "み用ではありません" #: builtin.c:307 #, fuzzy, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "" "fflush: flush できません: ファイル `%s' は読み込み用に開かれています。書き込" "み用ではありません" #: builtin.c:312 #, fuzzy, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" "fflush: flush できません: パイプ `%s' は読み込み用に開かれています。書き込み" "用ではありません" #: builtin.c:318 #, fuzzy, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "fflush: `%s' が開かれたファイル、パイプ、プロセス共有ではありません" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, fuzzy, c-format msgid "%s: received non-string first argument" msgstr "index: 文字列では無い第一引数を受け取りました" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, fuzzy, c-format msgid "%s: received non-string second argument" msgstr "index: 文字列では無い第二引数を受け取りました" #: builtin.c:595 msgid "length: received array argument" msgstr "length: 配列引数を受け取りました" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "`length(array)' は gawk 拡張です" #: builtin.c:655 builtin.c:677 #, fuzzy, c-format msgid "%s: received negative argument %g" msgstr "log: 負の引数 %g を受け取りました" #: builtin.c:698 builtin.c:2949 #, fuzzy, c-format msgid "%s: received non-numeric third argument" msgstr "or: 非数値の第一引数を受け取りました" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, fuzzy, c-format msgid "%s: received non-numeric second argument" msgstr "or: 非数値の第二引数を受け取りました" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: 長さ %g が 1 以上ではありません" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: 長さ %g が 0 以上ではありません" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: 文字数 %g の小数点以下は切り捨てます。" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "substr: 文字数 %g は最大値を超えています。%g を使います。" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: 開始インデックス %g が無効です。1を使用します" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "substr: 開始インデックス %g が非整数のため、値は切り捨てられます" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: 文字列の長さがゼロです。" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: 開始インデックス %g が文字列終端の後にあります" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: 開始インデックス %2$g からの長さ %1$g は第一引数の長さを超えています " "(%3$lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "strftime: PROCINFO[\"strftime\"] の書式の値は数値型です" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "" #: builtin.c:912 #, fuzzy msgid "strftime: second argument out of range for time_t" msgstr "asorti: 第二引数が配列ではありません" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: 空の書式文字列を受け取りました" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "mktime: 一つ以上の値がデフォルトの範囲を超えています" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "サンドボックスモードでは 'system' 関数は許可されていません" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "初期化されていないフィールド `$%d' への参照です" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, fuzzy, c-format msgid "%s: received non-numeric first argument" msgstr "or: 非数値の第一引数を受け取りました" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: 第三引数が配列ではありません" #: builtin.c:1604 #, fuzzy, c-format msgid "%s: cannot use %s as third argument" msgstr "asort: 第一引数の部分配列を第二引数用に使用することは出来ません" #: builtin.c:1853 #, fuzzy, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: 第三引数が 0 です。1 を代わりに使用します" #: builtin.c:2219 #, fuzzy, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "and: 2個未満の引数で呼び出されました" #: builtin.c:2242 #, fuzzy msgid "indirect call to gensub requires three or four arguments" msgstr "and: 2個未満の引数で呼び出されました" #: builtin.c:2304 #, fuzzy msgid "indirect call to match requires two or three arguments" msgstr "and: 2個未満の引数で呼び出されました" #: builtin.c:2365 #, fuzzy, c-format msgid "indirect call to %s requires two to four arguments" msgstr "and: 2個未満の引数で呼び出されました" #: builtin.c:2445 #, fuzzy, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): 負の数値を使用すると異常な結果になります" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f): 小数点以下は切り捨てられます" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "lshift(%f, %f): シフト値が大き過ぎると異常な結果になります" #: builtin.c:2486 #, fuzzy, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f, %f): 負の数値を使用すると異常な結果になります" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): 小数点以下は切り捨てられます" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "rshift(%f, %f): シフト値が大き過ぎると異常な結果になります" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, fuzzy, c-format msgid "%s: called with less than two arguments" msgstr "or: 2個未満の引数で呼び出されました" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, fuzzy, c-format msgid "%s: argument %d is non-numeric" msgstr "or: 引数 %d が非数値です" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, fuzzy, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "and(%lf, %lf): 負の数値を使用すると異常な結果になります" #: builtin.c:2616 #, fuzzy, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): 負の数値を使用すると異常な結果になります" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): 小数点以下は切り捨てられます" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: `%s' は無効なロケール区分です" #: builtin.c:2842 builtin.c:2860 #, fuzzy, c-format msgid "%s: received non-string third argument" msgstr "index: 文字列では無い第一引数を受け取りました" #: builtin.c:2915 builtin.c:2936 #, fuzzy, c-format msgid "%s: received non-string fifth argument" msgstr "index: 文字列では無い第一引数を受け取りました" #: builtin.c:2925 builtin.c:2942 #, fuzzy, c-format msgid "%s: received non-string fourth argument" msgstr "index: 文字列では無い第一引数を受け取りました" #: builtin.c:3070 mpfr.c:1335 #, fuzzy msgid "intdiv: third argument is not an array" msgstr "match: 第三引数が配列ではありません" #: builtin.c:3089 mpfr.c:1384 #, fuzzy msgid "intdiv: division by zero attempted" msgstr "ゼロによる除算が試みられました" #: builtin.c:3130 #, fuzzy msgid "typeof: second argument is not an array" msgstr "split: 第二引数が配列ではありません" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "無効なフレーム番号です: %d" #: command.y:298 #, fuzzy, c-format msgid "info: invalid option - `%s'" msgstr "info: 無効なオプション - \"%s\"" #: command.y:324 #, fuzzy, c-format msgid "source: `%s': already sourced" msgstr "source \"%s\": 既に読み込まれて(source)います。" #: command.y:329 #, fuzzy, c-format msgid "save: `%s': command not permitted" msgstr "save \"%s\": コマンドは許可されていません。" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "まだ一つもブレークポイント/ウオッチポイントは設定されていません" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "無効なブレークポイント/ウオッチポイント番号です" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "" #: command.y:376 #, fuzzy, c-format msgid "trace: invalid option - `%s'" msgstr "trace: 無効なオプション - \"%s\"" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "" #: command.y:452 msgid "argument not a string" msgstr "引数が文字列ではありません" #: command.y:462 command.y:467 #, fuzzy, c-format msgid "option: invalid parameter - `%s'" msgstr "option: 無効なパラメーター - \"%s\"" #: command.y:477 #, fuzzy, c-format msgid "no such function - `%s'" msgstr "そのような関数はありません - \"%s\"" #: command.y:534 #, fuzzy, c-format msgid "enable: invalid option - `%s'" msgstr "enable: 無効なオプション - \"%s\"" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "無効な範囲指定: %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "フィールド番号に対して非数値が指定されています" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "非数値が見つかりました。数値が予期されます。" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "非ゼロ整数" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "" #: command.y:872 msgid "quit - exit debugger" msgstr "" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "" #: command.y:876 msgid "run - start or restart executing program" msgstr "" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" #: command.y:886 msgid "source file - execute commands from file" msgstr "" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "エラー: " #: command.y:1061 #, fuzzy, c-format msgid "cannot read command: %s\n" msgstr "`%s' からリダイレクトできません (%s)" #: command.y:1075 #, fuzzy, c-format msgid "cannot read command: %s" msgstr "`%s' からリダイレクトできません (%s)" #: command.y:1126 #, fuzzy msgid "invalid character in command" msgstr "無効な文字クラス名です" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "" #: command.y:1294 msgid "invalid character" msgstr "無効な文字です" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "" #: debug.c:259 msgid "set or show the list command window size" msgstr "" #: debug.c:261 msgid "set or show gawk output file" msgstr "" #: debug.c:263 msgid "set or show debugger prompt" msgstr "" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "" #: debug.c:358 #, fuzzy #| msgid "argument not a string" msgid "program not running" msgstr "引数が文字列ではありません" #: debug.c:475 #, fuzzy, c-format msgid "source file `%s' is empty.\n" msgstr "ソースファイル `%s' は空です" #: debug.c:502 #, fuzzy msgid "no current source file" msgstr "ソースファイル `%s' は既に読み込まれています" #: debug.c:527 #, fuzzy, c-format msgid "cannot find source file named `%s': %s" msgstr "ソースファイル `%s' を読み込めません (%s)" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "" #: debug.c:633 #, fuzzy, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "予期しない改行または文字列終端です" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "" #: debug.c:754 #, fuzzy, c-format msgid "Current source file: %s\n" msgstr "ソースファイル `%s' は既に読み込まれています" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "" #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "" #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "" #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "" #: debug.c:870 #, fuzzy msgid "No arguments.\n" msgstr "printf: 引数がありません" #: debug.c:871 msgid "No locals.\n" msgstr "" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "" #: debug.c:1066 debug.c:1495 #, fuzzy, c-format msgid "`%s' is not an array\n" msgstr "`%s' は不正な変数名です" #: debug.c:1080 #, fuzzy, c-format msgid "$%ld = uninitialized field\n" msgstr "初期化されていないフィールド `$%d' への参照です" #: debug.c:1125 #, fuzzy, c-format msgid "array `%s' is empty\n" msgstr "データファイル `%s' は空です。" #: debug.c:1184 debug.c:1236 #, fuzzy, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "delete: 配列 `%2$s' 内にインデックス `%1$s' がありません" #: debug.c:1240 #, fuzzy, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "`%s' は不正な変数名です" #: debug.c:1302 debug.c:5166 #, fuzzy, c-format msgid "`%s' is not a scalar variable" msgstr "`%s' は不正な変数名です" #: debug.c:1325 debug.c:5196 #, fuzzy, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "スカラーコンテキスト内で配列 `%s[\"%.*s\"]' の使用の試みです" #: debug.c:1348 debug.c:5207 #, fuzzy, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "スカラー `%s[\"%.*s\"]' を配列として使用する試みです" #: debug.c:1491 #, fuzzy, c-format msgid "`%s' is a function" msgstr "`%s' は関数名としては無効です" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "" #: debug.c:1596 #, fuzzy, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "delete: 配列 `%2$s' 内にインデックス `%1$s' がありません" #: debug.c:1840 #, fuzzy msgid "attempt to use scalar value as array" msgstr "スカラー値を配列として使用する試みです" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr "" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr "" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "" #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "" #: debug.c:2092 #, fuzzy msgid "invalid frame number" msgstr "無効な範囲終了です" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "" #: debug.c:2415 #, fuzzy, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "入力ファイル `%s' を読み込み中にエラーが発生しました: %s" #: debug.c:2444 #, fuzzy, c-format msgid "line number %d in file `%s' is out of range" msgstr "exp: 引数 %g が範囲外です" #: debug.c:2448 #, fuzzy, c-format msgid "internal error: cannot find rule\n" msgstr "内部エラー: %s の vname が無効です。" #: debug.c:2450 #, fuzzy, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "入力ファイル `%s' を読み込み中にエラーが発生しました: %s" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "" #: debug.c:2568 debug.c:3425 #, fuzzy, c-format msgid "line number %d in file `%s' out of range" msgstr "exp: 引数 %g が範囲外です" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "" #: debug.c:2617 #, fuzzy, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "入力ファイル `%s' を読み込み中にエラーが発生しました: %s" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "" #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "" #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "" #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "" #: debug.c:3091 #, fuzzy, c-format #| msgid "invalid breakpoint/watchpoint number" msgid "invalid breakpoint number %d" msgstr "無効なブレークポイント/ウオッチポイント番号です" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "" #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "" #: debug.c:3452 #, fuzzy, c-format msgid "invalid source line %d in file `%s'" msgstr "ソースファイル `%s' は既に読み込まれています" #: debug.c:3467 #, fuzzy, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "ソースファイル `%s' は既に読み込まれています" #: debug.c:3499 #, fuzzy, c-format msgid "element not in array\n" msgstr "adump: 引数が配列ではありません" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "" #: debug.c:5203 #, fuzzy, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "delete: 配列 `%2$s' 内にインデックス `%1$s' がありません" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "" #: debug.c:5449 msgid "invalid number" msgstr "" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "" #: debug.c:5639 #, fuzzy, c-format #| msgid "fatal error: internal error" msgid "fatal error during eval, need to restart.\n" msgstr "致命的エラー: 内部エラー" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "不明なノード型 %d です" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "不明なオペコード %d です" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "オペコード %s は演算子または予約語ではありません" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "genflags2str 内でバッファオーバーフローが発生しました" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# 呼出関数スタック:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "`IGNORECASE' は gawk 拡張です" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "`BINMODE' は gawk 拡張です" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "BINMODE 値 `%s' は無効です。代わりに 3 を使用します" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "誤った `%sFMT' 指定 `%s' です" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "`LINT' への代入に従い `--lint' を無効にします" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "初期化されていない引数 `%s' への参照です" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "初期化されていない変数 `%s' への参照です" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "非数値を使用したフイールド参照の試みです" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "NULL 文字列を使用してフィールドの参照を試みています" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "フィールド %ld へのアクセスの試みです" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "初期化されていないフィールド `$%ld' への参照です" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "宣言されている数より多い引数を使って関数 `%s' を呼び出しました" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: 予期しない型 `%s' です" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "`/=' 内でゼロによる除算が行われました" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "`%%=' 内でゼロによる除算が行われました" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "サンドボックスモード内では拡張は許可されていません" #: ext.c:54 #, fuzzy msgid "-l / @load are gawk extensions" msgstr "@include は gawk 拡張です" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "" #: ext.c:60 #, fuzzy, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "致命的: extension: `%s' を開くことが出来ません (%s)\n" #: ext.c:66 #, fuzzy, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "" "致命的: extension: ライブラリ `%s': `plugin_is_GPL_compatible' が定義されてい" "ません (%s)\n" #: ext.c:72 #, fuzzy, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "" "致命的: extension: ライブラリ `%s': 関数 `%s' を呼び出すことが出来ません " "(%s)\n" #: ext.c:76 #, fuzzy, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "" "致命的: extension: ライブラリ `%s': 関数 `%s' を呼び出すことが出来ません " "(%s)\n" #: ext.c:92 #, fuzzy msgid "make_builtin: missing function name" msgstr "extension: 関数名がありません" #: ext.c:100 ext.c:111 #, fuzzy, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "extension: gawk に組み込まれている `%s' は関数名として使用出来ません" #: ext.c:109 #, fuzzy, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "extension: gawk に組み込まれている `%s' は関数名として使用出来ません" #: ext.c:126 #, fuzzy, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "extension: 関数 `%s' を再定義できません" #: ext.c:130 #, fuzzy, c-format msgid "make_builtin: function `%s' already defined" msgstr "extension: 関数 `%s' は既に定義されています" #: ext.c:135 #, fuzzy, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "extension: 関数名 `%s' は前に定義されています" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin: 関数 `%s' の引数の数が負です" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "関数 `%s': 引数 #%d: スカラーを配列として使用する試みです" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "関数 `%s': 引数 #%d: 配列をスカラーとして使用する試みです" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "" #: extension/filefuncs.c:479 #, fuzzy msgid "stat: first argument is not a string" msgstr "exp: 引数 %g が範囲外です" #: extension/filefuncs.c:484 #, fuzzy msgid "stat: second argument is not an array" msgstr "split: 第二引数が配列ではありません" #: extension/filefuncs.c:528 #, fuzzy msgid "stat: bad parameters" msgstr "%s: 仮引数です\n" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "" #: extension/filefuncs.c:615 #, fuzzy msgid "fts is not supported on this system" msgstr "古い awk は `%s' をサポートしません" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "" #: extension/filefuncs.c:850 #, fuzzy msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #: extension/filefuncs.c:853 #, fuzzy msgid "fts: first argument is not an array" msgstr "asort: 第一引数が配列ではありません" #: extension/filefuncs.c:859 #, fuzzy msgid "fts: second argument is not a number" msgstr "split: 第二引数が配列ではありません" #: extension/filefuncs.c:865 #, fuzzy msgid "fts: third argument is not an array" msgstr "match: 第三引数が配列ではありません" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "" #: extension/fnmatch.c:120 #, fuzzy msgid "fnmatch: could not get first argument" msgstr "strftime: 非文字列の第一引数を受け取りました" #: extension/fnmatch.c:125 #, fuzzy msgid "fnmatch: could not get second argument" msgstr "index: 文字列では無い第二引数を受け取りました" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" #: extension/inplace.c:152 #, fuzzy, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "致命的: extension: `%s' を開くことが出来ません (%s)\n" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "" #: extension/inplace.c:170 #, fuzzy, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "%s: 閉じるのに失敗しました (%s)" #: extension/inplace.c:182 #, fuzzy, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "%s: 閉じるのに失敗しました (%s)" #: extension/inplace.c:189 #, fuzzy, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "%s: 閉じるのに失敗しました (%s)" #: extension/inplace.c:192 #, fuzzy, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "%s: 閉じるのに失敗しました (%s)" #: extension/inplace.c:195 #, fuzzy, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "%s: 閉じるのに失敗しました (%s)" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "" #: extension/inplace.c:227 #, fuzzy, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "%s: 閉じるのに失敗しました (%s)" #: extension/inplace.c:230 #, fuzzy, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "%s: 閉じるのに失敗しました (%s)" #: extension/inplace.c:234 #, fuzzy, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "%s: 閉じるのに失敗しました (%s)" #: extension/inplace.c:247 #, fuzzy, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "パイプ `%s' をフラッシュできません (%s)。" #: extension/inplace.c:257 #, fuzzy, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "fd %d (`%s') を閉じることができません (%s)" #: extension/ordchr.c:72 #, fuzzy msgid "ord: first argument is not a string" msgstr "exp: 引数 %g が範囲外です" #: extension/ordchr.c:99 #, fuzzy msgid "chr: first argument is not a number" msgstr "asort: 第一引数が配列ではありません" #: extension/readdir.c:291 #, c-format msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "" #: extension/readfile.c:133 #, fuzzy msgid "readfile: called with wrong kind of argument" msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "" #: extension/rwarray.c:145 extension/rwarray.c:548 #, fuzzy, c-format msgid "%s: first argument is not a string" msgstr "exp: 引数 %g が範囲外です" #: extension/rwarray.c:189 #, fuzzy msgid "writea: second argument is not an array" msgstr "split: 第四引数が配列ではありません" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "" #: extension/rwarray.c:226 #, fuzzy msgid "write_array: could not flatten array" msgstr "split: 第四引数が配列ではありません" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "" #: extension/rwarray.c:307 #, fuzzy, c-format msgid "array value has unknown type %d" msgstr "不明なノード型 %d です" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" #: extension/rwarray.c:437 #, fuzzy, c-format msgid "cannot free number with unknown type %d" msgstr "不明なノード型 %d です" #: extension/rwarray.c:442 #, fuzzy, c-format msgid "cannot free value with unhandled type %d" msgstr "不明なノード型 %d です" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "" #: extension/rwarray.c:611 #, fuzzy msgid "reada: second argument is not an array" msgstr "adump: 引数が配列ではありません" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "" #: extension/time.c:170 #, fuzzy msgid "sleep: missing required numeric argument" msgstr "exp: 引数が数値ではありません" #: extension/time.c:176 #, fuzzy msgid "sleep: argument is negative" msgstr "exp: 引数 %g が範囲外です" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "" #: extension/time.c:232 #, fuzzy msgid "strptime: called with no arguments" msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #: extension/time.c:240 #, fuzzy, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "exp: 引数 %g が範囲外です" #: extension/time.c:245 #, fuzzy, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "exp: 引数 %g が範囲外です" #: field.c:321 msgid "input record too large" msgstr "" #: field.c:443 msgid "NF set to negative value" msgstr "NF が負の値に設定されています" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split: 第四引数は gawk 拡張です" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split: 第四引数が配列ではありません" #: field.c:1138 field.c:1240 #, fuzzy, c-format msgid "%s: cannot use %s as fourth argument" msgstr "asort: 第二引数の部分配列を第一引数用に使用することは出来ません" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: 第二引数が配列ではありません" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "split: 第二引数と第四引数に同じ配列を使用することは出来ません" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "split: 第四引数に第二引数の部分配列を使用することは出来ません" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "split: 第二引数に第四引数の部分配列を使用することは出来ません" #: field.c:1199 #, fuzzy msgid "split: null string for third arg is a non-standard extension" msgstr "split: 第三引数に NULL 文字列を使用することは gawk 拡張です" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: 第四引数が配列ではありません" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: 第二引数が配列ではありません" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit: 第三引数は非 NULL でなければいけません" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "patsplit: 第二引数と第四引数に同じ配列を使用することは出来ません" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "patsplit: 第四引数に第二引数の部分配列を使用することは出来ません" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "patsplit: 第二引数に第四引数の部分配列を使用することは出来ません" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "`FIELDWIDTHS' は gawk 拡張です" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "" #: field.c:1437 #, fuzzy, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "`%s' 付近の FIELDWIDTHS 値が無効です" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "`FS' に NULL 文字列を使用するのは gawk 拡張です" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "古い awk は `FS' の値として正規表現をサポートしません" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "`FPAT' は gawk 拡張です" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" #: gawkapi.c:1126 #, fuzzy msgid "remove_element: received null array" msgstr "length: 配列引数を受け取りました" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "" #: gawkapi.c:1474 #, fuzzy, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "ソースファイル `%s' を読み込み用に開けません (%s)" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "コマンドライン引数 `%s' はディレクトリです: スキップされました" #: io.c:418 io.c:532 #, fuzzy, c-format msgid "cannot open file `%s' for reading: %s" msgstr "ファイル `%s' を読み込み用に開けません (%s)" #: io.c:659 #, fuzzy, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "fd %d (`%s') を閉じることができません (%s)" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "ファイル `%.*s' で必要以上に `>' と `>>' を組合せています。" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "サンドボックスモード内ではリダイレクトは許可されていません" #: io.c:835 #, fuzzy, c-format msgid "expression in `%s' redirection is a number" msgstr "`%s' リダイレクトの命令式に数値しか記述されていません。" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "`%s' リダイレクトの命令式が空列です。" #: io.c:844 #, fuzzy, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "`%2$s' リダイレクトに論理演算の結果と思われるファイル名 `%1$s' が使われていま" "す。" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "" #: io.c:955 #, fuzzy, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "出力用にパイプ `%s' を開けません (%s)" #: io.c:973 #, fuzzy, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "入力用にパイプ `%s' を開けません (%s)" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" #: io.c:1013 #, fuzzy, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "入出力用の双方向パイプ `%s' が開けません (%s)" #: io.c:1100 #, fuzzy, c-format msgid "cannot redirect from `%s': %s" msgstr "`%s' からリダイレクトできません (%s)" #: io.c:1103 #, fuzzy, c-format msgid "cannot redirect to `%s': %s" msgstr "`%s' にリダイレクトできません (%s)" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "開いているファイルの数がシステム制限に達しました。ファイル記述子を多重化しま" "す。" #: io.c:1221 #, fuzzy, c-format msgid "close of `%s' failed: %s" msgstr "`%s' を閉じるのに失敗しました (%s)" #: io.c:1229 msgid "too many pipes or input files open" msgstr "開いているパイプまたは入力ファイルの数が多過ぎます。" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: 第二引数は `to' または `from' でなければいけません" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "close: `%.*s' は開いているファイル、パイプ、プロセス共有ではありません" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "開いてないリダイレクトを閉じようとしています" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close: リダイレクト `%s' は `|&' を使用して開かれていません。第二引数は無視さ" "れました" #: io.c:1397 #, fuzzy, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "パイプ `%2$s' を閉じたときの状態コードが失敗 (%1$d) でした (%3$s)。" #: io.c:1400 #, fuzzy, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "パイプ `%2$s' を閉じたときの状態コードが失敗 (%1$d) でした (%3$s)。" #: io.c:1403 #, fuzzy, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "ファイル `%2$s' を閉じたときの状態コードが失敗 (%1$d) でした (%3$s)。" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "ソケット `%s' を明示して閉じていません。" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "並行プロセス `%s' を明示して閉じていません。" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "パイプ `%s' を明示して閉じていません。" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "ファイル `%s' を明示して閉じていません。" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, fuzzy, c-format msgid "error writing standard output: %s" msgstr "標準出力への書込みエラー (%s)" #: io.c:1474 io.c:1573 main.c:671 #, fuzzy, c-format msgid "error writing standard error: %s" msgstr "標準エラーへの書込みエラー (%s)" #: io.c:1513 #, fuzzy, c-format msgid "pipe flush of `%s' failed: %s" msgstr "パイプ `%s' をフラッシュできません (%s)。" #: io.c:1516 #, fuzzy, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "`%s' へ接続するパイプを並行プロセスからフラッシュできません (%s)。" #: io.c:1519 #, fuzzy, c-format msgid "file flush of `%s' failed: %s" msgstr "ファイル `%s' をフラッシュできません (%s)。" #: io.c:1662 #, fuzzy, c-format msgid "local port %s invalid in `/inet': %s" msgstr "`/inet' 内のローカルポート %s が無効です" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "`/inet' 内のローカルポート %s が無効です" #: io.c:1688 #, fuzzy, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "リモートのホストおよびポート情報 (%s, %s) が無効です" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "リモートのホストおよびポート情報 (%s, %s) が無効です" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "TCP/IP 通信はサポートされていません" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "`%s' をモード `%s' で開けません" #: io.c:2069 io.c:2121 #, fuzzy, c-format msgid "close of master pty failed: %s" msgstr "マスター pty を閉じるのに失敗しました (%s)" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, fuzzy, c-format msgid "close of stdout in child failed: %s" msgstr "子プロセスが標準出力を閉じるのに失敗しました (%s)" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "子プロセスがスレーブ pty を標準出力に移動できません (dup: %s)。" #: io.c:2076 io.c:2128 io.c:2469 #, fuzzy, c-format msgid "close of stdin in child failed: %s" msgstr "子プロセスが標準入力を閉じられません (%s)。" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "子プロセスがスレーブ pty を標準入力に移動できません (dup: %s)。" #: io.c:2081 io.c:2133 io.c:2155 #, fuzzy, c-format msgid "close of slave pty failed: %s" msgstr "スレーブ pty を閉じるのに失敗しました (%s)" #: io.c:2317 #, fuzzy msgid "could not create child process or open pty" msgstr "`%s' 用の子プロセスを実行できません (fork: %s)。" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "子プロセスがパイプを標準出力に移動できません (dup: %s)。" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "子プロセスがパイプを標準入力に移動できません (dup: %s)。" #: io.c:2432 io.c:2695 #, fuzzy msgid "restoring stdout in parent process failed" msgstr "親プロセスが標準出力を復旧できません。\n" #: io.c:2440 #, fuzzy msgid "restoring stdin in parent process failed" msgstr "親プロセスが標準入力を復旧できません。\n" #: io.c:2475 io.c:2707 io.c:2722 #, fuzzy, c-format msgid "close of pipe failed: %s" msgstr "パイプを閉じられません (%s)。" #: io.c:2534 msgid "`|&' not supported" msgstr "`|&' は使用できません。" #: io.c:2662 #, fuzzy, c-format msgid "cannot open pipe `%s': %s" msgstr "パイプ `%s' が開けません (%s)。" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "`%s' 用の子プロセスを実行できません (fork: %s)。" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "データファイル `%s' は空です。" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "入力用メモリーをこれ以上確保できません。" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "複数の文字を `RS' に使用するのは gawk 特有の拡張です。" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "IPv6 通信はサポートされていません" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "" "環境変数 `POSIXLY_CORRECT' が指定されています。オプション `--posix' を有効に" "します" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "オプション `--posix' は `--traditional' を無効にします。" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "" "オプション `--posix'/`--traditional' は `--non-decimal-data' を無効にします。" #: main.c:339 #, fuzzy msgid "`--posix' overrides `--characters-as-bytes'" msgstr "`--posix' は `--binary' を上書きします" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "" "setuid root で %s を実行すると、セキュリティ上の問題が発生する場合がありま" "す。" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "" #: main.c:413 #, fuzzy, c-format msgid "cannot set binary mode on stdin: %s" msgstr "標準入力をバイナリモードに設定できません (%s)" #: main.c:416 #, fuzzy, c-format msgid "cannot set binary mode on stdout: %s" msgstr "標準出力をバイナリモードに設定できません (%s)" #: main.c:418 #, fuzzy, c-format msgid "cannot set binary mode on stderr: %s" msgstr "標準エラーをバイナリモードに設定できません (%s)" #: main.c:483 msgid "no program text at all!" msgstr "プログラム文が全くありません!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "" "使用法: %s [POSIX または GNU 形式のオプション] -f progfile [--] file ...\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "" "使用法: %s [POSIX または GNU 形式のオプション] [--] %cprogram%c file ...\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "POSIX オプション:\t\tGNU 長い形式のオプション: (標準)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f progfile\t\t--file=progfile\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F fs\t\t\t--field-separator=fs\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "\t-v var=val\t\t--assign=var=val\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "短いオプション:\t\tGNU 長い形式のオプション: (拡張)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[file]\t\t--dump-variables[=file]\n" #: main.c:596 #, fuzzy msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-p[file]\t\t--profile[=file]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e 'program-text'\t--source='program-text'\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E file\t\t\t--exec=file\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "" #: main.c:602 #, fuzzy #| msgid "\t-h\t\t\t--help\n" msgid "\t-I\t\t\t--trace\n" msgstr "\t-h\t\t\t--help\n" #: main.c:603 #, fuzzy #| msgid "\t-h\t\t\t--help\n" msgid "\t-k\t\t\t--csv\n" msgstr "\t-h\t\t\t--help\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 #, fuzzy msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L [fatal]\t\t--lint[=fatal]\n" #: main.c:610 #, fuzzy msgid "\t-M\t\t\t--bignum\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 #, fuzzy msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-p[file]\t\t--profile[=file]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[file]\t\t--profile[=file]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 #, fuzzy msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 #, fuzzy msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 #, fuzzy msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "バグを報告するには、`gawk.info(英文)' の `Bugs' ノードを\n" "参照してください。 印刷されたマニュアルで対応するセクション\n" "は、`Reporting Problems and Bugs' です。\n" "\n" "翻訳に関するバグはに報告してくださ" "い。\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk は、パターンを検索をして、それを処理する言語です。\n" "デフォルト設定では、標準入力を読み込み、標準出力に書き出します。\n" "\n" #: main.c:656 #, fuzzy, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "使用例:\n" "\tgawk '{ sum += $1 }; END { print sum }' file\n" "\tgawk -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "POSIX awk では -Ft は FS をタブに設定しません" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: オプション `-v' の引数 `%s' が `変数=代入値' の形式になっていません。\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "`%s' は不正な変数名です" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "`%s' は変数名ではありません。`%s=%s' のファイルを探します。" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "gawk に組み込みの `%s' は変数名として使用出来ません" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "関数 `%s' は変数名として使用出来ません" #: main.c:1294 msgid "floating point exception" msgstr "浮動小数点例外" #: main.c:1304 msgid "fatal error: internal error" msgstr "致命的エラー: 内部エラー" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "fd %d が事前に開いていません。" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "事前に fd %d 用に /dev/null を開けません。" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "`-e/--source' への空の引数は無視されました" #: main.c:1681 main.c:1686 #, fuzzy msgid "`--profile' overrides `--pretty-print'" msgstr "オプション `--posix' は `--traditional' を無効にします。" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "" #: main.c:1726 #, fuzzy #| msgid "IPv6 communication is not supported" msgid "Persistent memory is not supported." msgstr "IPv6 通信はサポートされていません" #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: オプション `-W %s' は認識できません。無視されました\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: 引数が必要なオプション -- %c\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "" #: main.c:1913 #, fuzzy msgid "persistent memory is not supported" msgstr "古い awk は演算子 `^' をサポートしません" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" #: mpfr.c:659 #, fuzzy, c-format msgid "PREC value `%.*s' is invalid" msgstr "BINMODE 値 `%s' は無効です。代わりに 3 を使用します" #: mpfr.c:718 #, fuzzy, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "BINMODE 値 `%s' は無効です。代わりに 3 を使用します" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: 非数値の第一引数を受け取りました" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: 非数値の第二引数を受け取りました" #: mpfr.c:825 #, fuzzy, c-format msgid "%s: received negative argument %.*s" msgstr "log: 負の引数 %g を受け取りました" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int: 数値では無い引数を受け取りました" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: 非数値の引数を受け取りました" #: mpfr.c:936 #, fuzzy msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%lf): 負の数値を使用すると異常な結果になります" #: mpfr.c:941 #, fuzzy msgid "comp(%Rg): fractional value will be truncated" msgstr "compl(%lf): 小数点以下は切り捨てられます" #: mpfr.c:952 #, fuzzy, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%lf): 負の数値を使用すると異常な結果になります" #: mpfr.c:970 #, fuzzy, c-format msgid "%s: received non-numeric argument #%d" msgstr "cos: 非数値の引数を受け取りました" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "" #: mpfr.c:991 #, fuzzy msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "and(%lf, %lf): 負の数値を使用すると異常な結果になります" #: mpfr.c:998 #, fuzzy msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "and(%lf, %lf): 小数点以下は切り捨てられます" #: mpfr.c:1012 #, fuzzy, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "and(%lf, %lf): 負の数値を使用すると異常な結果になります" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: 2個未満の引数で呼び出されました" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or: 2個未満の引数で呼び出されました" #: mpfr.c:1169 #, fuzzy msgid "xor: called with less than two arguments" msgstr "xor: 2個未満の引数で呼び出されました" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: 非数値の引数を受け取りました" #: mpfr.c:1343 #, fuzzy msgid "intdiv: received non-numeric first argument" msgstr "and: 非数値の第一引数を受け取りました" #: mpfr.c:1345 #, fuzzy msgid "intdiv: received non-numeric second argument" msgstr "and: 非数値の第二引数を受け取りました" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "コマンドライン:" #: node.c:477 msgid "backslash at end of string" msgstr "文字列の終りにバックスラッシュが使われています。" #: node.c:511 #, fuzzy msgid "could not make typed regex" msgstr "正規表現が終端されていません" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "古い awk は `\\%c' エスケープシーケンスをサポートしません" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX では `\\x' エスケープは許可されていません" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "`\\x' エスケープシーケンスに十六進数がありません" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "十六進エスケープ \\x%.*s (%d 文字) はおそらく予期したようには解釈されないで" "しょう" #: node.c:705 #, fuzzy #| msgid "POSIX does not allow `\\x' escapes" msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX では `\\x' エスケープは許可されていません" #: node.c:713 #, fuzzy #| msgid "no hex digits in `\\x' escape sequence" msgid "no hex digits in `\\u' escape sequence" msgstr "`\\x' エスケープシーケンスに十六進数がありません" #: node.c:744 #, fuzzy #| msgid "no hex digits in `\\x' escape sequence" msgid "invalid `\\u' escape sequence" msgstr "`\\x' エスケープシーケンスに十六進数がありません" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "エスケープシーケンス `\\%c' は `%c' と同等に扱われます" #: node.c:908 #, fuzzy #| msgid "" #| "Invalid multibyte data detected. There may be a mismatch between your " #| "data and your locale." msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "無効なマルチバイトデータが検出されました。データとロケールが一致していないよ" "うです。" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "%s %s `%s': fd フラグを取得できません: (fcntl F_GETFD: %s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "%s %s `%s': close-on-exec を設定できません: (fcntl F_SETFD: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "" #: profile.c:114 msgid "sending profile to standard error" msgstr "プロファイルを標準エラーに送っています" #: profile.c:284 #, fuzzy, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# ルール\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# ルール\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "内部エラー: %s の vname が無効です。" #: profile.c:693 #, fuzzy msgid "internal error: builtin with null fname" msgstr "内部エラー: %s の vname が無効です。" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# gawk プロファイル、作成日時 %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# 関数一覧(アルファベット順)\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str: 不明なリダイレクト型 %d です" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "" #: re.c:215 #, fuzzy, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "エスケープシーケンス `\\%c' は `%c' と同等に扱われます" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "正規表現の要素 `%.*s' はおそらく `[%.*s]' であるべきです" #: support/dfa.c:910 msgid "unbalanced [" msgstr "" #: support/dfa.c:1031 #, fuzzy msgid "invalid character class" msgstr "無効な文字クラス名です" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "" #: support/dfa.c:1345 #, fuzzy #| msgid "invalid subscript expression" msgid "? at start of expression" msgstr "添字の式が無効です" #: support/dfa.c:1357 #, fuzzy #| msgid "invalid subscript expression" msgid "* at start of expression" msgstr "添字の式が無効です" #: support/dfa.c:1371 #, fuzzy #| msgid "invalid subscript expression" msgid "+ at start of expression" msgstr "添字の式が無効です" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "" #: support/dfa.c:1429 #, fuzzy msgid "invalid content of \\{\\}" msgstr "\\{\\} の中身が無効です" #: support/dfa.c:1431 #, fuzzy msgid "regular expression too big" msgstr "正規表現が大きすぎます" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "" #: support/dfa.c:2077 msgid "unbalanced )" msgstr "" #: support/getopt.c:605 support/getopt.c:634 #, fuzzy, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: オプション '%s' は曖昧です\n" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s: オプション '--%s' は引数を取ることができません\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: オプション '%c%s' は引数を取ることができません\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: オプション '--%s' には引数が必要です\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: オプション '--%s' を認識できません\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: オプション '%c%s' を認識できません\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: 無効なオプション -- '%c'\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s: オプションには引数が必要です -- '%c'\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: オプション '-W %s' は曖昧です\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: オプション '-W %s' は引数を取ることができません\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: オプション '-W %s' には引数が必要です\n" #: support/regcomp.c:122 msgid "Success" msgstr "成功です" #: support/regcomp.c:125 msgid "No match" msgstr "一致しません" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "無効な正規表現です" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "無効な照合文字です" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "無効な文字クラス名です" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "終端のバックスラッシュ" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "無効な前方参照です" #: support/regcomp.c:143 #, fuzzy msgid "Unmatched [, [^, [:, [., or [=" msgstr "[ または [^ が不一致です" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "( または \\( が不一致です" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "\\{ が不一致です" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "\\{\\} の中身が無効です" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "無効な範囲終了です" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "メモリを使い果たしました" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "無効な前方正規表現です" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "正規表現が途中で終了しました" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "正規表現が大きすぎます" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr ") または \\) が不一致です" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "以前に正規表現がありません" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" #: symbol.c:781 #, fuzzy, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "関数 `%s': 関数名を仮引数名として使用出来ません" #: symbol.c:911 msgid "cannot pop main context" msgstr "" #~ msgid "fatal: must use `count$' on all formats or none" #~ msgstr "" #~ "致命的: `count$’ は全ての書式使用する、または全てに使用しないのいずれかで" #~ "なければいけません" #, c-format #~ msgid "field width is ignored for `%%' specifier" #~ msgstr "`%%' 指定用のフィールド幅は無視されます" #, c-format #~ msgid "precision is ignored for `%%' specifier" #~ msgstr "`%%' 指定用のフィールド幅は無視されます" #, c-format #~ msgid "field width and precision are ignored for `%%' specifier" #~ msgstr "`%%' 指定用のフィールド幅および精度は無視されます" #~ msgid "fatal: `$' is not permitted in awk formats" #~ msgstr "致命的: `$' は awk 形式内では許可されていません" #, fuzzy #~ msgid "fatal: argument index with `$' must be > 0" #~ msgstr "致命的: `$' で指定する引数の番号は正でなければいけません" #, fuzzy, c-format #~ msgid "" #~ "fatal: argument index %ld greater than total number of supplied arguments" #~ msgstr "致命的: 引数の番号 %ld は引数として与えられた数より大きいです" #~ msgid "fatal: `$' not permitted after period in format" #~ msgstr "致命的: `$' は書式指定内のピリオド `.' の後に使用できません" #~ msgid "fatal: no `$' supplied for positional field width or precision" #~ msgstr "致命的: フィールド幅、または精度の指定子に `$' が与えられていません" #, fuzzy, c-format #~| msgid "`l' is meaningless in awk formats; ignored" #~ msgid "`%c' is meaningless in awk formats; ignored" #~ msgstr "awk の書式指定では `l' は無意味です。無視します" #, fuzzy, c-format #~| msgid "fatal: `l' is not permitted in POSIX awk formats" #~ msgid "fatal: `%c' is not permitted in POSIX awk formats" #~ msgstr "致命的: POSIX awk 書式内では `l' は許可されていません" #, fuzzy, c-format #~ msgid "[s]printf: value %g is too big for %%c format" #~ msgstr "[s]printf: 値 %g は書式 `%%%c' の範囲外です" #, fuzzy, c-format #~ msgid "[s]printf: value %g is not a valid wide character" #~ msgstr "[s]printf: 値 %g は書式 `%%%c' の範囲外です" #, c-format #~ msgid "[s]printf: value %g is out of range for `%%%c' format" #~ msgstr "[s]printf: 値 %g は書式 `%%%c' の範囲外です" #, fuzzy, c-format #~ msgid "[s]printf: value %s is out of range for `%%%c' format" #~ msgstr "[s]printf: 値 %g は書式 `%%%c' の範囲外です" #, c-format #~ msgid "" #~ "ignoring unknown format specifier character `%c': no argument converted" #~ msgstr "" #~ "不明な書式指定文字 `%c' を無視しています: 変換される引数はありません" #~ msgid "fatal: not enough arguments to satisfy format string" #~ msgstr "致命的: 書式文字列を満たす十分な数の引数がありません" #~ msgid "^ ran out for this one" #~ msgstr "^ ここから足りません" #~ msgid "[s]printf: format specifier does not have control letter" #~ msgstr "[s]printf: 書式指定子に制御文字がありません" #~ msgid "too many arguments supplied for format string" #~ msgstr "書式文字列に与えられている引数が多すぎます" #, fuzzy, c-format #~ msgid "%s: received non-string format string argument" #~ msgstr "index: 文字列では無い第一引数を受け取りました" #~ msgid "sprintf: no arguments" #~ msgstr "sprintf: 引数がありません" #~ msgid "printf: no arguments" #~ msgstr "printf: 引数がありません" #~ msgid "\t-W nostalgia\t\t--nostalgia\n" #~ msgstr "\t-W nostalgia\t\t--nostalgia\n" #~ msgid "fatal error: internal error: segfault" #~ msgstr "致命的エラー: 内部エラー: セグメンテーション違反" #~ msgid "fatal error: internal error: stack overflow" #~ msgstr "致命的エラー: 内部エラー: スタックオーバーフロー" #, fuzzy, c-format #~ msgid "typeof: invalid argument type `%s'" #~ msgstr "option: 無効なパラメーター - \"%s\"" #, fuzzy #~ msgid "do_writea: first argument is not a string" #~ msgstr "exp: 引数 %g が範囲外です" #, fuzzy #~ msgid "do_reada: first argument is not a string" #~ msgstr "exp: 引数 %g が範囲外です" #, fuzzy #~ msgid "do_writea: argument 1 is not an array" #~ msgstr "split: 第四引数が配列ではありません" #, fuzzy #~ msgid "do_reada: argument 0 is not a string" #~ msgstr "exp: 引数 %g が範囲外です" #, fuzzy #~ msgid "do_reada: argument 1 is not an array" #~ msgstr "adump: 引数が配列ではありません" #~ msgid "`L' is meaningless in awk formats; ignored" #~ msgstr "awk の書式指定では `L' は無意味です。無視します。" #~ msgid "fatal: `L' is not permitted in POSIX awk formats" #~ msgstr "致命的: POSIX awk 書式内では `L' は許可されていません" #~ msgid "`h' is meaningless in awk formats; ignored" #~ msgstr "awk の書式指定では `h' は無意味です。無視します。" #~ msgid "fatal: `h' is not permitted in POSIX awk formats" #~ msgstr "致命的: POSIX awk 書式内では `h' は許可されていません" #, fuzzy #~ msgid "fts: first parameter is not an array" #~ msgstr "asort: 第一引数が配列ではありません" #, fuzzy #~ msgid "fts: third parameter is not an array" #~ msgstr "match: 第三引数が配列ではありません" #~ msgid "adump: first argument not an array" #~ msgstr "adump: 第一引数が配列ではありません" #~ msgid "asort: second argument not an array" #~ msgstr "asort: 第二引数が配列ではありません" #~ msgid "asorti: second argument not an array" #~ msgstr "asorti: 第二引数が配列ではありません" #~ msgid "asorti: first argument not an array" #~ msgstr "asorti: 第一引数が配列ではありません" #, fuzzy #~ msgid "asorti: first argument cannot be SYMTAB" #~ msgstr "asorti: 第一引数が配列ではありません" #, fuzzy #~ msgid "asorti: first argument cannot be FUNCTAB" #~ msgstr "asorti: 第一引数が配列ではありません" #~ msgid "asorti: cannot use a subarray of first arg for second arg" #~ msgstr "asorti: 第一引数の部分配列を第二引数用に使用することは出来ません" #~ msgid "asorti: cannot use a subarray of second arg for first arg" #~ msgstr "asorti: 第二引数の部分配列を第一引数用に使用することは出来ません" #~ msgid "can't read sourcefile `%s' (%s)" #~ msgstr "ソースファイル `%s' を読み込めません (%s)" #~ msgid "POSIX does not allow operator `**='" #~ msgstr "POSIX では演算子 `**=' は許可されていません" #~ msgid "old awk does not support operator `**='" #~ msgstr "古い awk は演算子 `**=' をサポートしません" #~ msgid "old awk does not support operator `**'" #~ msgstr "古い awk は演算子 `**' をサポートしません" #~ msgid "operator `^=' is not supported in old awk" #~ msgstr "古い awk は演算子 `^=' をサポートしません" #~ msgid "could not open `%s' for writing (%s)" #~ msgstr "`%s' を書込み用に開けませんでした (%s)" #~ msgid "exp: received non-numeric argument" #~ msgstr "exp: 引数が数値ではありません" #~ msgid "length: received non-string argument" #~ msgstr "length: 文字列では無い引数を受け取りました" #~ msgid "log: received non-numeric argument" #~ msgstr "log: 数値では無い引数を受け取りました" #~ msgid "sqrt: received non-numeric argument" #~ msgstr "sqrt: 数値では無い引数を受け取りました" #~ msgid "sqrt: called with negative argument %g" #~ msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #~ msgid "strftime: received non-numeric second argument" #~ msgstr "strftime: 非数値の第二引数を受け取りました" #~ msgid "strftime: received non-string first argument" #~ msgstr "strftime: 非文字列の第一引数を受け取りました" #~ msgid "mktime: received non-string argument" #~ msgstr "mktime: 非文字列引数を受け取りました" #~ msgid "tolower: received non-string argument" #~ msgstr "tolower: 非文字列引数を受け取りました" #~ msgid "toupper: received non-string argument" #~ msgstr "toupper: 非文字列引数を受け取りました" #~ msgid "sin: received non-numeric argument" #~ msgstr "sin: 非数値の引数を受け取りました" #~ msgid "cos: received non-numeric argument" #~ msgstr "cos: 非数値の引数を受け取りました" #~ msgid "lshift: received non-numeric first argument" #~ msgstr "lshift: 非数値の第一引数を受け取りました" #~ msgid "lshift: received non-numeric second argument" #~ msgstr "lshift: 非数値の第二引数を受け取りました" #~ msgid "rshift: received non-numeric first argument" #~ msgstr "rshift: 非数値の第一引数を受け取りました" #~ msgid "rshift: received non-numeric second argument" #~ msgstr "rshift: 非数値の第二引数を受け取りました" #~ msgid "and: argument %d is non-numeric" #~ msgstr "and: 引数 %d が非数値です" #, fuzzy #~ msgid "and: argument %d negative value %g is not allowed" #~ msgstr "and(%lf, %lf): 負の数値を使用すると異常な結果になります" #, fuzzy #~ msgid "or: argument %d negative value %g is not allowed" #~ msgstr "compl(%lf): 負の数値を使用すると異常な結果になります" #~ msgid "xor: argument %d is non-numeric" #~ msgstr "xor: 引数 %d が非数値です" #, fuzzy #~ msgid "xor: argument %d negative value %g is not allowed" #~ msgstr "xor(%lf, %lf): 負の数値を使用すると異常な結果になります" #, fuzzy #~ msgid "fts: bad first parameter" #~ msgstr "%s: 仮引数です\n" #, fuzzy #~ msgid "fts: bad second parameter" #~ msgstr "%s: 仮引数です\n" #, fuzzy #~ msgid "fts: bad third parameter" #~ msgstr "%s: 仮引数です\n" #, fuzzy #~ msgid "ord: called with inappropriate argument(s)" #~ msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #, fuzzy #~ msgid "chr: called with inappropriate argument(s)" #~ msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #, fuzzy #~ msgid "setenv(TZ, %s) failed (%s)" #~ msgstr "%s から \"%s\" へ出力できません (%s)。" #, fuzzy #~ msgid "unsetenv(TZ) failed (%s)" #~ msgstr "%s: 閉じるのに失敗しました (%s)" #, fuzzy #~ msgid "attempt to use array `%s[\".*%s\"]' in a scalar context" #~ msgstr "スカラーコンテキスト内で配列 `%s[\"%.*s\"]' の使用の試みです" #, fuzzy #~ msgid "attempt to use scalar `%s[\".*%s\"]' as array" #~ msgstr "スカラー `%s[\"%.*s\"]' を配列として使用する試みです" #, fuzzy #~ msgid "gensub: third argument %g treated as 1" #~ msgstr "gensub: 第三引数が 0 です。1 を代わりに使用します" #~ msgid "`extension' is a gawk extension" #~ msgstr "`extension' は gawk 拡張です" #, fuzzy #~ msgid "extension: cannot open library `%s' (%s)" #~ msgstr "致命的: extension: `%s' を開くことが出来ません (%s)\n" #, fuzzy #~ msgid "" #~ "extension: library `%s': does not define `plugin_is_GPL_compatible' (%s)" #~ msgstr "" #~ "致命的: extension: ライブラリ `%s': `plugin_is_GPL_compatible' が定義され" #~ "ていません (%s)\n" #, fuzzy #~ msgid "extension: library `%s': cannot call function `%s' (%s)" #~ msgstr "" #~ "致命的: extension: ライブラリ `%s': 関数 `%s' を呼び出すことが出来ません " #~ "(%s)\n" #~ msgid "extension: missing function name" #~ msgstr "extension: 関数名がありません" #~ msgid "extension: illegal character `%c' in function name `%s'" #~ msgstr "extension: 関数名 `%2$s' の中で不正な文字 `%1$c' が使用されています" #~ msgid "extension: can't redefine function `%s'" #~ msgstr "extension: 関数 `%s' を再定義できません" #~ msgid "extension: function `%s' already defined" #~ msgstr "extension: 関数 `%s' は既に定義されています" #~ msgid "extension: function name `%s' previously defined" #~ msgstr "extension: 関数名 `%s' は前に定義されています" #~ msgid "extension: can't use gawk built-in `%s' as function name" #~ msgstr "" #~ "extension: gawk に組み込まれている `%s' は関数名として使用出来ません" #, fuzzy #~ msgid "chdir: called with incorrect number of arguments, expecting 1" #~ msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #, fuzzy #~ msgid "stat: called with wrong number of arguments" #~ msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #, fuzzy #~ msgid "statvfs: called with wrong number of arguments" #~ msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #, fuzzy #~ msgid "fnmatch: called with less than three arguments" #~ msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #, fuzzy #~ msgid "fnmatch: called with more than three arguments" #~ msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #, fuzzy #~ msgid "fork: called with too many arguments" #~ msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #, fuzzy #~ msgid "waitpid: called with too many arguments" #~ msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #, fuzzy #~ msgid "wait: called with no arguments" #~ msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #, fuzzy #~ msgid "wait: called with too many arguments" #~ msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #, fuzzy #~ msgid "ord: called with too many arguments" #~ msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #, fuzzy #~ msgid "chr: called with too many arguments" #~ msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #, fuzzy #~ msgid "readfile: called with too many arguments" #~ msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #, fuzzy #~ msgid "writea: called with too many arguments" #~ msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #, fuzzy #~ msgid "reada: called with too many arguments" #~ msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #, fuzzy #~ msgid "gettimeofday: ignoring arguments" #~ msgstr "mktime: 非文字列引数を受け取りました" #, fuzzy #~ msgid "sleep: called with too many arguments" #~ msgstr "sqrt: 負の値 %g を引数に使用して呼び出されました" #~ msgid "unknown value for field spec: %d\n" #~ msgstr "フィールド指定に不明な値があります: %d\n" #~ msgid "function `%s' defined to take no more than %d argument(s)" #~ msgstr "関数 `%s' に使える引数の数は `%d' 以下と定義されています" #~ msgid "function `%s': missing argument #%d" #~ msgstr "関数 `%s': 引数 #%d がありません" #~ msgid "`getline var' invalid inside `%s' rule" #~ msgstr "`%s' ルールの内部では `getline var' は無効です" #~ msgid "`getline' invalid inside `%s' rule" #~ msgstr "`%s' ルールの内部では `getline' は無効です" #~ msgid "no (known) protocol supplied in special filename `%s'" #~ msgstr "" #~ "スペシャルファイル名 `%s' に(認識できる)プロトコルが指定されていません" #~ msgid "special file name `%s' is incomplete" #~ msgstr "スペシャルファイル名 `%s' は不完全です" #~ msgid "must supply a remote hostname to `/inet'" #~ msgstr "`/inet' にはリモートホスト名を与えなければいけません" #~ msgid "must supply a remote port to `/inet'" #~ msgstr "`/inet' にはリモートポート番号を与えなければいけません" #~ msgid "" #~ "\t# %s block(s)\n" #~ "\n" #~ msgstr "" #~ "\t# %s ブロック\n" #~ "\n" #~ msgid "reference to uninitialized element `%s[\"%.*s\"]'" #~ msgstr "初期化されていない要素 `%s[\"%.*s\"]' への参照です" #~ msgid "subscript of array `%s' is null string" #~ msgstr "配列 `%s' の添字が NULL 文字列です" #~ msgid "%s: empty (null)\n" #~ msgstr "%s: 空 (null)\n" #~ msgid "%s: empty (zero)\n" #~ msgstr "%s: 空 (zero)\n" #~ msgid "%s: table_size = %d, array_size = %d\n" #~ msgstr "" #~ "%s: テーブルサイズ (table_size) = %d, 配列サイズ (array_size) = %d\n" #~ msgid "%s: array_ref to %s\n" #~ msgstr "%s: %s への配列参照 (array_ref) です\n" #~ msgid "`nextfile' is a gawk extension" #~ msgstr "`nextfile' は gawk 拡張です" #~ msgid "`delete array' is a gawk extension" #~ msgstr "`delete array' は gawk 拡張です" #~ msgid "use of non-array as array" #~ msgstr "配列でないものを配列として使用しています" #~ msgid "`%s' is a Bell Labs extension" #~ msgstr "`%s' はベル研究所による拡張です" #~ msgid "or(%lf, %lf): negative values will give strange results" #~ msgstr "or(%lf, %lf): 負の数値を使用すると異常な結果になります" #~ msgid "or(%lf, %lf): fractional values will be truncated" #~ msgstr "or(%lf, %lf): 小数点以下は切り捨てられます" #~ msgid "xor: received non-numeric first argument" #~ msgstr "xor: 非数値の第一引数を受け取りました" #~ msgid "xor: received non-numeric second argument" #~ msgstr "xor: 非数値の第二引数を受け取りました" #~ msgid "xor(%lf, %lf): fractional values will be truncated" #~ msgstr "xor(%lf, %lf): 小数点以下は切り捨てられます" #~ msgid "can't use function name `%s' as variable or array" #~ msgstr "関数名 `%s' は変数または配列として使用出来ません" #~ msgid "assignment is not allowed to result of builtin function" #~ msgstr "組込関数の戻り値への代入は許可されていません" #~ msgid "assignment used in conditional context" #~ msgstr "条件コンテキスト内で代入が使用されました" #~ msgid "" #~ "for loop: array `%s' changed size from %ld to %ld during loop execution" #~ msgstr "" #~ "for ループ: ループ実行中に配列 `%s' のサイズが %ld から %ld へ変更されまし" #~ "た" #~ msgid "function called indirectly through `%s' does not exist" #~ msgstr "`%s' を通して間接的に呼び出された関数が存在しません" #~ msgid "function `%s' not defined" #~ msgstr "関数 `%s' は定義されていません" #~ msgid "`nextfile' cannot be called from a `%s' rule" #~ msgstr "`nextfile' は `%s' ルールから呼び出すことが出来ません" #~ msgid "`next' cannot be called from a `%s' rule" #~ msgstr "`next' は `%s' から呼び出すことが出来ません" #~ msgid "Sorry, don't know how to interpret `%s'" #~ msgstr "申し訳ありませんが `%s' をどのように解釈するか分かりません" #~ msgid "Operation Not Supported" #~ msgstr "この操作はサポートされていません" #~ msgid "`-m[fr]' option irrelevant in gawk" #~ msgstr "gawk ではオプション `-m[fr]' に効果はありません。" #~ msgid "-m option usage: `-m[fr] nnn'" #~ msgstr "-m オプションの使用法: `-m[fr] 数値'" #~ msgid "\t-R file\t\t\t--command=file\n" #~ msgstr "\t-R file\t\t\t--command=file\n" #~ msgid "could not find groups: %s" #~ msgstr "グループが見つかりません: %s" #~ msgid "range of the form `[%c-%c]' is locale dependant" #~ msgstr "`[%c-%c]' 形式の範囲はロケール依存です" EOF echo Extracting po/ka.po cat << \EOF > po/ka.po # Georgian translation for gawk. # Copyright (C) 2024 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # Temuri Doghonadze , 2024. # msgid "" msgstr "" "Project-Id-Version: gawk 5.2.63\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2024-08-28 06:19+0200\n" "Last-Translator: Temuri Doghonadze \n" "Language-Team: Georgian <(nothing)>\n" "Language: ka\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Bugs: Report translation errors to the Language-Team address.\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Generator: Poedit 3.3.2\n" #: array.c:249 #, c-format msgid "from %s" msgstr "%s-სგან" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "სკალარული მნიშვნელობის მასივად გამოყენების მცდელობა" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "სკალარული პარამეტრის '%s' მასივად გამოყენების მცდელობა" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "სკალარული '%s'-ის მასივად გამოყენების მცდელობა" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "მასივის (%s) სკალარულ კონტექსტში გამოყენების მცდელობა" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "წაშლა: ინდექსი '%.*s' მასივში (%s) არაა" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "" #: array.c:901 field.c:1150 field.c:1247 #, c-format msgid "%s: cannot use %s as second argument" msgstr "" #: array.c:909 #, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "" #: array.c:911 #, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "" #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "`%s' არასწორი ფუნქციის სახელია" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "არასწორი ქვესკრიპტის გამოსახულება" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "warning: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "ფატალური: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "მიზეზი უცნობია" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "დაუსრულებელი სტრიქონი" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "" #: awkgram.y:4980 msgid "there were shadowed variables" msgstr "" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "" #: awkgram.y:5126 #, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "" #: awkgram.y:6266 msgid "statement has no effect" msgstr "" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" #: builtin.c:93 builtin.c:100 #, c-format msgid "%s: called with %d arguments" msgstr "" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "" #: builtin.c:129 msgid "standard output" msgstr "სტანდარტული გამოტანა" #: builtin.c:130 msgid "standard error" msgstr "სტანდარტული შეცდომა" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "" #: builtin.c:595 msgid "length: received array argument" msgstr "" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "" #: builtin.c:698 builtin.c:2949 #, c-format msgid "%s: received non-numeric third argument" msgstr "" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "" #: builtin.c:1604 #, c-format msgid "%s: cannot use %s as third argument" msgstr "" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "" #: builtin.c:2242 msgid "indirect call to gensub requires three or four arguments" msgstr "" #: builtin.c:2304 msgid "indirect call to match requires two or three arguments" msgstr "" #: builtin.c:2365 #, c-format msgid "indirect call to %s requires two to four arguments" msgstr "" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "" #: builtin.c:2842 builtin.c:2860 #, c-format msgid "%s: received non-string third argument" msgstr "" #: builtin.c:2915 builtin.c:2936 #, c-format msgid "%s: received non-string fifth argument" msgstr "" #: builtin.c:2925 builtin.c:2942 #, c-format msgid "%s: received non-string fourth argument" msgstr "" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "" #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "" #: command.y:452 msgid "argument not a string" msgstr "" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "" #: command.y:662 msgid "non-numeric value for field number" msgstr "" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "" #: command.y:872 msgid "quit - exit debugger" msgstr "" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "" #: command.y:876 msgid "run - start or restart executing program" msgstr "" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" #: command.y:886 msgid "source file - execute commands from file" msgstr "" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "" #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "" #: command.y:1126 msgid "invalid character in command" msgstr "" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "" #: command.y:1294 msgid "invalid character" msgstr "არასწორი სიმბოლო" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "" #: debug.c:259 msgid "set or show the list command window size" msgstr "" #: debug.c:261 msgid "set or show gawk output file" msgstr "" #: debug.c:263 msgid "set or show debugger prompt" msgstr "" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "" #: debug.c:358 msgid "program not running" msgstr "" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "" #: debug.c:502 msgid "no current source file" msgstr "" #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "მიმდინარე კადრი: " #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "" #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "" #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "" #: debug.c:870 msgid "No arguments.\n" msgstr "" #: debug.c:871 msgid "No locals.\n" msgstr "" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "" #: debug.c:1184 debug.c:1236 #, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "" #: debug.c:1596 #, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr "" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr "" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "" #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "" #: debug.c:2092 msgid "invalid frame number" msgstr "" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "" #: debug.c:2444 #, c-format msgid "line number %d in file `%s' is out of range" msgstr "" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "" #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "" #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "" #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "" #: debug.c:3091 #, c-format msgid "invalid breakpoint number %d" msgstr "" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "" #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "" #: debug.c:5449 msgid "invalid number" msgstr "არასწორი რიცხვი" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "" #: debug.c:5639 #, c-format msgid "fatal error during eval, need to restart.\n" msgstr "" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "" #: extension/filefuncs.c:853 msgid "fts: first argument is not an array" msgstr "" #: extension/filefuncs.c:859 msgid "fts: second argument is not a number" msgstr "" #: extension/filefuncs.c:865 msgid "fts: third argument is not an array" msgstr "" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "" #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "" #: extension/readdir.c:291 #, c-format msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "" #: extension/rwarray.c:145 extension/rwarray.c:548 #, c-format msgid "%s: first argument is not a string" msgstr "" #: extension/rwarray.c:189 msgid "writea: second argument is not an array" msgstr "" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" #: extension/rwarray.c:437 #, c-format msgid "cannot free number with unknown type %d" msgstr "" #: extension/rwarray.c:442 #, c-format msgid "cannot free value with unhandled type %d" msgstr "" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "" #: extension/rwarray.c:611 msgid "reada: second argument is not an array" msgstr "" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "" #: extension/time.c:232 msgid "strptime: called with no arguments" msgstr "" #: extension/time.c:240 #, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "" #: extension/time.c:245 #, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "" #: field.c:321 msgid "input record too large" msgstr "" #: field.c:443 msgid "NF set to negative value" msgstr "" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "" #: field.c:1138 field.c:1240 #, c-format msgid "%s: cannot use %s as fourth argument" msgstr "" #: field.c:1148 msgid "split: second argument is not an array" msgstr "" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" #: io.c:1221 #, c-format msgid "close of `%s' failed: %s" msgstr "" #: io.c:1229 msgid "too many pipes or input files open" msgstr "" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "" #: io.c:1400 #, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "" #: io.c:1513 #, c-format msgid "pipe flush of `%s' failed: %s" msgstr "" #: io.c:1516 #, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "" #: io.c:1519 #, c-format msgid "file flush of `%s' failed: %s" msgstr "" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "" #: io.c:2317 msgid "could not create child process or open pty" msgstr "" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "" #: io.c:2534 msgid "`|&' not supported" msgstr "" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "" #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "" #: main.c:483 msgid "no program text at all!" msgstr "" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "" #: main.c:602 msgid "\t-I\t\t\t--trace\n" msgstr "" #: main.c:603 msgid "\t-k\t\t\t--csv\n" msgstr "" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr "" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "" #: main.c:1294 msgid "floating point exception" msgstr "" #: main.c:1304 msgid "fatal error: internal error" msgstr "" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "" #: main.c:1726 msgid "Persistent memory is not supported." msgstr "" #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: პარამეტრს ესაჭიროება არგუმენტი -- '%c'\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "" #: main.c:1913 msgid "persistent memory is not supported" msgstr "" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "" #: mpfr.c:718 #, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "" #: mpfr.c:825 #, c-format msgid "%s: received negative argument %.*s" msgstr "" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "" #: node.c:477 msgid "backslash at end of string" msgstr "" #: node.c:511 msgid "could not make typed regex" msgstr "" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" #: node.c:705 msgid "POSIX does not allow `\\u' escapes" msgstr "" #: node.c:713 msgid "no hex digits in `\\u' escape sequence" msgstr "" #: node.c:744 msgid "invalid `\\u' escape sequence" msgstr "" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "" #: node.c:908 msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "" #: profile.c:114 msgid "sending profile to standard error" msgstr "" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "" #: re.c:215 #, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "" #: support/dfa.c:910 msgid "unbalanced [" msgstr "დაუბალანსებელი [" #: support/dfa.c:1031 msgid "invalid character class" msgstr "სიმბოლოების არასწორი კლასი" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "სიმბოლოების კლასის სწორი სინტაქსია [[:space:]] და არა [:space:]" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "დაუსრულებელი დასრულების სიმბოლო \\" #: support/dfa.c:1345 msgid "? at start of expression" msgstr "? გამოსახულების დასაწყისში" #: support/dfa.c:1357 msgid "* at start of expression" msgstr "* გამოსახულების დასაწყისში" #: support/dfa.c:1371 msgid "+ at start of expression" msgstr "+ გამოსახულების დასაწყისში" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "{...} გამოსახულების დასაწყისში" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "\\{\\}-ის არასწორი შემცველობა" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "რეგულარული გამოსახულება ძალიან დიდია" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "უცხო \\ დაუბეჭდავად სიმბოლომდე" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "უცხო \\ თეთრ გამოტოვებამდე" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "უცხო \\" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "დაუბალანსებელი (" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "სინტაქსი მითითებული არაა" #: support/dfa.c:2077 msgid "unbalanced )" msgstr "დაუბალანსებელი )" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: პარამეტრი '%s' გაურკვეველია; შესაძლო ვარიანტები:" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s: პარამეტრი '--%s' არგუმენტებს არ იღებს\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: პარამეტრი '%c%s' არგუმენტებს არ იღებს\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: პარამეტრი '--%s' საჭიროებს არგუმენტს.\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: უცნობი პარამეტრი '--%s'\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: უცნობი პარამეტრი '%c'%s'\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: არასწორი პარამეტრი -- '%c'\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s: პარამეტრს ესაჭიროება არგუმენტი -- '%c'\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: პარამეტრი '-W %s' ბუნდოვანია\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: პარამეტრი '-W %s' არგუმენტს არ იღებს\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: პარამეტრი '-W %s' საჭიროებს არგუმენტს\n" #: support/regcomp.c:122 msgid "Success" msgstr "წარმატება" #: support/regcomp.c:125 msgid "No match" msgstr "დამთხვევა არ არის" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "არასწორი რეგულარული გამოსახულება" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "კოლაციის არასწორი სიმბოლო" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "სიმბოლოების არასწორი კლასი" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "ბოლო Backslash" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "არასწორი უკუბმა" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "არ ემთხვევა [, [^, [:, [., ან [=" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "არ ემთხვევა ( ან \\(" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "არ ემთხვევა \\{" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "\\{\\}-ის არასწორი შემცელობა" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "დიაპაზონის არასწორი დასასრული" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "მეხსიერება გადავსებულია" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "რეგულარული გამოსახულების არასწორი საწყისი" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "რეგულარული გამოსახულების მოულოდნელი დასასრული" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "რეგულარული გამოსახულება ძალიან დიდია" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr "არ ემთხვევა ) ან \\)" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "წინა რეგულარული გამოსახულება არ არსებობს" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" #: symbol.c:781 #, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "" #: symbol.c:911 msgid "cannot pop main context" msgstr "" EOF echo Extracting po/ko.po cat << \EOF > po/ko.po # Korean translation for the gawk. # Copyright (C) 2019 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # Seong-ho Cho , 2019-2025. # msgid "" msgstr "" "Project-Id-Version: gawk 5.3.1b\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2025-03-01 03:48+0900\n" "Last-Translator: Seong-ho Cho \n" "Language-Team: Korean \n" "Language: ko\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Bugs: Report translation errors to the Language-Team address.\n" "X-Generator: Poedit 3.5\n" #: array.c:249 #, c-format msgid "from %s" msgstr "%s에서" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "스칼라 값을 배열 값으로 취급하려고 합니다" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "`%s' 스칼라 매개변수를 배열로 취급하려고 합니다" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "`%s' 스칼라 구조를 배열 구조로 취급하려고 합니다" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "스칼라 컨텍스트의 `%s' 배열 구조를 취급하려고 합니다" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "delete: `%.*s' 인덱스가 `%s' 배열에 없습니다" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "`%s[\"%.*s\"]' 스칼라 구조를 배열 구조로 취급하려고 합니다" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "%s: 첫번째 인자 값이 배열이 아닙니다" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "%s: 두번째 인자 값이 배열이 아닙니다" #: array.c:901 field.c:1150 field.c:1247 #, c-format msgid "%s: cannot use %s as second argument" msgstr "%s: %s을(를) 두번째 인자 값으로 사용할 수 없습니다" #: array.c:909 #, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "%s: 첫번째 인자 값은 두번째 인자 값이 없으면 SYMTAB일 수 없습니다" #: array.c:911 #, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "%s: 첫번째 인자 값은 두번째 인자 값이 없으면 FUNCTAB일 수 없습니다" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" "asort/asorti: 동일한 배열을 원본과 대상으로 사용하며 세번째 인자가 없는 모양" "새가 우스꽝스럽습니다." #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "%s: 두번째 인자에 대한 첫번째 인자를 하위 배열로 취급할 수 없습니다" #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "%s: 첫번째 인자에 대한 두번째 인자를 하위 배열로 취급할 수 없습니다" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "`%s' 명칭은 함수 이름으로 적절치 않습니다" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "`%s' 정렬 비교 함수를 정의하지 않았습니다" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "%s 블록에 동작 부분이 있어야 합니다" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "각 규칙에는 패턴 또는 동작 부분이 있어야 합니다" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "awk 이전 버전에서는 다중 `BEGIN', `END' 규칙을 지원하지 않습니다" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "`%s' 함수는 내장 함수이므로, 재정의할 수 없습니다" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "`//' 정규 표현식 상수는 C++ 주석문 표시 같지만, 그렇지 않습니다" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "`/%s/' 정규 표현식 상수는 C 주석문 표시 같지만, 그렇지 않습니다" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "switch문에 중복된 case 값: %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "switch문에 중복된 `default' 절" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "`break' 구문은 루프문 또는 switch문 밖에서 사용할 수 없습니다" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "`continue' 구문은 루프문 밖에서 사용할 수 없습니다" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "`next' 구문을 %s 동작 내에서 취급했습니다" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "`nextfile' 구문을 %s 동작 내에서 취급했습니다" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "`return' 구문을 함수 밖 영역에서 취급했습니다" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" "BEGIN 또는 END 규칙 내부의 순수한 `print' 구문은 `print \"\"'와 같은 모양새여" "야 합니다" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "`delete' 구문은 SYMTAB과 함께 취급할 수 없습니다" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "`delete' 구문은 FUNCTAB과 함께 취급할 수 없습니다" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "`delete(array)'는 이식 불가능한 tawk 확장 기능입니다" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "다중 스테이지 이중 파이프라인이 동작하지 않습니다" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "`>' 입출력 리다이렉션 결합의 대상이 모호합니다" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "할당문의 우항에 정규 표현식이 있습니다" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "`~' 또는 `!~' 연산자 좌항에 정규 표현식이 있습니다'" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "" "awk 이전 버전에서는 `for' 다음을 제외한 부분에서 `in' 키워드를 취급하지 않습" "니다" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "비교문 우항에 정규 표현식이 있습니다" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "" "`%s' 규칙 내에서 리다이렉션 처리하지 않는 `getline' 취급이 잘못되었습니다" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "" "END 동작 내에서 리다이렉션 처리하지 않는 `getline'을 정의하지 않았습니다" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "awk 이전 버전에서는 다차원 배열을 지원하지 않습니다" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "괄호를 뺀 `length' 호출은 이식 가능하지 않습니다" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "간접 함수 호출 방식은 gawk 확장 기능입니다" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "간접 함수 호출시 `%s' 특수 변수를 취급할 수 없습니다" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "함수가 아닌 `%s' 이름을 함수 호출 구역 안에서 취급하려고 합니다" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "잘못된 하위스크립트 표현식" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "경고: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "실패: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "예상치 못한 개행 문자 또는 문자열 끝" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" "원본 파일 / 명령행 인자에 완전한 함수 이름 또는 규칙이 들어있어야 합니다" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "읽을 `%s' 원본 파일을 열 수 없습니다: %s" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "읽을 `%s' 공유 라이브러리를 열 수 없습니다: %s" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "원인을 알 수 없음" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "`%s' 요소를 프로그램 파일에 넣어 쓸 수 없습니다" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "이미 `%s' 원본 파일을 넣었습니다" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "이미 `%s' 공유 라이브러리를 불러왔습니다" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "@include는 gawk 확장 기능입니다" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "@include 다음에 파일 이름이 없습니다" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "@load는 gawk 확장 기능입니다" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "@load 다음에 파일 이름이 없습니다" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "명령행에 프로그램 텍스트가 없습니다" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "`%s' 소스 파일을 읽을 수 없습니다: %s" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "`%s' 원본 파일이 비었습니다" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "오류: 소스 코드에 잘못된 문자 '\\%03o'" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "원본 파일이 개행 문자로 끝나지 않았습니다" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "파일 끝에 `\\' 문자로 끝나지 않은 정규 표현식이 있습니다" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" "%s: %d: gawk에서는 `/.../%c' tawk 정규표현식 수정자가 동작하지 않습니다" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "gawk에서는 `/.../%c' tawk 정규 표현식 수정자가 동작하지 않습니다" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "끝나지 않은 정규 표현식" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "파일 끝에 끝나지 않은 정규 표현식" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "`\\ #...' 행 연속 표현자는 이식 불가능합니다" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "행의 백슬래시 문자는 마지막 문자가 아닙니다" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "다차원 배열은 gawk 확장 기능입니다" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX에서는 `%s' 연산자를 지원하지 않습니다" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "오래된 awk 버전에서는 `%s' 연산자를 지원하지 않습니다" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "끝나지 않은 문자열" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "POSIX에서는 문자열 값에 물리 개행 문자를 허용하지 않습니다" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "백슬래시 문자열 연속 표현자는 이식 불가능합니다" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "표현식에 잘못된 문자 '%c'" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "`%s'은(는) gawk 확장 기능입니다" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX에서는 `%s'을(를) 허용하지 않습니다" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "오래된 awk 버전에서는 `%s'을(를) 지원하지 않습니다" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "`goto' 사용은 바람직하지 않습니다!" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d은(는) %s의 잘못된 인자 숫자입니다" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "%s: 인자의 마지막 부분으로서 문자열 그 자체는 반영하지 않습니다" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "세번째 %s 매개변수는 값을 바꿀 수 없는 개체입니다" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match: 세번째 인자는 gawk 확장 기능입니다" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close: 두번째 인자는 gawk 확장 기능입니다" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "dcgettext(_\"...\") 사용이 올바르지 않습니다: 앞서 표기한 언더스코어 문자를 " "제거하십시오" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "dcngettext(_\"...\") 사용이 올바르지 않습니다: 앞서 표기한 언더스코어 문자를 " "제거하십시오" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "index: 두번째 인자 위치에는 정규표현식 상수를 허용하지 않습니다" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "`%s' 함수: `%s' 매개 변수와 전역 변수가 겹칩니다" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "기록할 `%s'을(를) 열 수 없습니다: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "표준 오류로 변수 목록 보내는 중" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "%s: 닫기 실패: %s" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "shadow_funcs() 함수를 두번 호출했습니다!" #: awkgram.y:4980 msgid "there were shadowed variables" msgstr "중복 변수가 있습니다" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "`%s' 함수 이름은 이미 앞에서 정의했습니다" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "`%s' 함수: 함수 이름을 매개변수 이름으로 사용할 수 없습니다" #: awkgram.y:5126 #, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" "`%s' 함수: `%s' 매개변수: POSIX에서 특수 변수의 함수 매개변수 활용을 허용하" "지 않습니다" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "`%s' 함수: `%s' 매개변수에 이름 공간 명칭을 넣을 수 없습니다" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "`%s' 함수: 매개변수 #%d, `%s'이(가) 매개변수 #%d와(과) 중복됩니다" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "`%s' 함수를 호출했지만 정의하지 않았습니다" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "`%s' 함수를 정의했지만 직접 호출한 적이 없습니다" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "#%d 매개변수의 정규표현식 상수에서 부울린 값을 넘겨줍니다" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "이름과 `(' 괄호 사이에 공백을 넣어 `%s' 함수를 호출했거나,\n" "변수 또는 배열로 사용했습니다" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "0으로 나누기를 시도했습니다" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "`%%'에서 0으로 나누기를 시도했습니다" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "필드 후위 증가 연산자의 결과에 값을 할당할 수 없습니다" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "할당 대상이 잘못되었습니다(opcode %s)" #: awkgram.y:6266 msgid "statement has no effect" msgstr "구문 실행 영향이 없습니다" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "%s 식별자: 기존 / POSIX 모드에서 한정 이름은 허용하지 않습니다" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "%s 식별자: 이름 공간은 콜론 하나가 아닌 두개로 구분합니다" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "`%s' 한정 식별자의 구성이 올바르지 않습니다" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" "`%s' 식별자: 이름 공간 구분 문자는 한정 명칭에서 한번만 나타낼 수 있습니다" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "`%s' 예약 식별자는 이름 공간 명칭으로 허용하지 않습니다" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" "한정 명칭의 두번째 요소로서의 `%s' 예약 식별자 활용은 허용하지 않습니다" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "@namespace는 gawk 확장 기능입니다" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "`%s' 이름 공간 명칭에는 식별자 이름 규칙을 따라야합니다" #: builtin.c:93 builtin.c:100 #, c-format msgid "%s: called with %d arguments" msgstr "%s: 인자 %d개로 호출했습니다" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "%s을(를) \"%s\"(으)로 실패: %s" #: builtin.c:129 msgid "standard output" msgstr "표준 출력" #: builtin.c:130 msgid "standard error" msgstr "표준 오류" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s: 숫자가 아닌 인자 값을 받았습니다" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp: %g 인자 값이 범위를 벗어납니다" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "%s: 문자열이 아닌 인자값을 받았습니다" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: 플러싱 불가: `%.*s' 파이프를 기록용이 아닌 읽기용으로 열었습니다" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "fflush: 플러싱 불가: `%.*s' 파일을 기록용이 아닌 읽기용으로 열었습니다" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush: `%.*s' 파일 플러싱 불가: %s" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "fflush: 플러싱 불가: `%.*s' 양방향 파이프가 기록 끝에 닫혔습니다" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "fflush: `%.*s'은(는) 열어둔 파일, 파이프 또는 병행프로세스가 아닙니다" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "%s: 문자열이 아닌 첫번째 인자값을 받았습니다" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "%s: 문자열이 아닌 두번째 인자값을 받았습니다" #: builtin.c:595 msgid "length: received array argument" msgstr "length: 배열 인자 값을 받았습니다" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "`length(array)'는 gawk 확장 기능입니다" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "%s: 음수인 %g 인자 값을 받았습니다" #: builtin.c:698 builtin.c:2949 #, c-format msgid "%s: received non-numeric third argument" msgstr "%s: 숫자가 아닌 세번째 인자 값을 받았습니다" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "%s: 숫자가 아닌 두번째 인자 값을 받았습니다" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: %g 길이가 1보다 크거나 같지 않습니다" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: %g 길이가 0보다 크거나 같지 않습니다" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: 숫자가 아닌 %g 길이 값을 자릅니다" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "" "substr: 문자열 인덱싱 번호로는 %g 길이 값이 너무 커서 %g 값으로 자릅니다" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: %g 시작 인덱스 값이 잘못되어 1을 사용합니다" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "substr: 시작 인덱스로 사용하는 %g 비 정수값을 자릅니다" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: 원본 문자열 길이가 0입니다" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: %g 시작 인덱스 값이 문자열 길이보다 큽니다" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: %2$g 시작 인덱스로부터의 %1$g 길이는 첫번째 인자 값의 길이를 초과합니" "다(%3$lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "strftime: PROCINFO[\"strftime\"]의 형식 값에 숫자 값이 있습니다" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "strftime: 두번째 인자 값이 0보다 작거나 time_t보다 큽니다" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "strftime: 두번째 인자 값이 time_t 범위를 벗어납니다" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: 빈 형식 문자열을 받았습니다" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "mktime: 지정 값 중 최소 한개 이상이 기본 범위를 벗어납니다" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "샌드박스 모드에서는 'system' 함수 실행을 허용하지 않습니다" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "print: 이미 닫힌 양방향 파이프라인의 쓰기 끝 지점에서 쓰기 시도" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "초기화하지 않은 `$%d'번 필드 참조" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "%s: 숫자가 아닌 첫번째 인자 값을 받았습니다" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: 세번째 인자 값이 배열이 아닙니다" #: builtin.c:1604 #, c-format msgid "%s: cannot use %s as third argument" msgstr "%s: %s을(를) 세번째 인자 값으로 사용할 수 없습니다" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: 세번째 `%.*s' 인자 값을 1로 취급합니다" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s: 인자 값 2개만을 사용하여 간접 호출할 수 있습니다" #: builtin.c:2242 msgid "indirect call to gensub requires three or four arguments" msgstr "gensub 간접 호출시 최소 인자 값 3, 4개가 필요합니다" #: builtin.c:2304 msgid "indirect call to match requires two or three arguments" msgstr "match 간접 호출시 최소 인자 값 2, 3개가 필요합니다" #: builtin.c:2365 #, c-format msgid "indirect call to %s requires two to four arguments" msgstr "%s 간접 호출시 최소 인자 값 2~4개가 필요합니다" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): 음수 값은 허용하지 않습니다" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f): 소숫점 아래 값은 잘립니다" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "lshift(%f, %f): 쉬프팅한 값이 크면 이상한 결과를 가져올 수 있습니다" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f, %f): 음수 값은 허용하지 않습니다" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): 소숫점 아래 값은 잘립니다" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "rshift(%f, %f): 쉬프팅한 값이 크면 이상한 결과를 가져올 수 있습니다" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "%s: 인자 갯수가 둘 미만입니다" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "%s: %d번째 인자 값은 숫자가 아닙니다" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%s: %d번째 인자 %g 음수 값은 허용하지 않습니다" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): 음수 값은 허용하지 않습니다" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): 소숫점 아래 값은 잘립니다" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: `%s'은(는) 유효한 로캘 분류가 아닙니다" #: builtin.c:2842 builtin.c:2860 #, c-format msgid "%s: received non-string third argument" msgstr "%s: 문자열이 아닌 세번째 인자값을 받았습니다" #: builtin.c:2915 builtin.c:2936 #, c-format msgid "%s: received non-string fifth argument" msgstr "%s: 문자열이 아닌 다섯번째 인자값을 받았습니다" #: builtin.c:2925 builtin.c:2942 #, c-format msgid "%s: received non-string fourth argument" msgstr "%s: 문자열이 아닌 네번째 인자값을 받았습니다" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "intdiv: 세번째 인자 값이 배열이 아닙니다" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "intdiv: 0으로 나누기를 시도했습니다" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "typeof: 두번째 인자 값이 배열이 아닙니다" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" "typeof에서 잘못된 `%s' 플래그 조합을 발견했습니다. 오류 보고서를 제출하십시오" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "typeof: 알 수 없는 `%s' 인자 형식" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "샌드박스 모드에서는 새 파일(%.*s)을 ARGV에 추가할 수 없습니다" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "(g)awk <구문> 을 입력하십시오. 명령의 끝은 `end'로 끝내십시오\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "잘못된 프레임 번호: %d" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "info: 잘못된 옵션 - `%s'" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "source `%s': 이미 소스로 반영했습니다" #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "save: `%s': 명령을 허용하지 않습니다" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "`commands' 명령은 breakpoint/watchpoint 명령에 활용할 수 없습니다" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "아직 중단점/관찰점을 설정하지 않았습니다" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "잘못된 중단점/관찰점 번호" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "%s %d에 도달 하였을 때, 줄 당 하나씩 명령을 입력하십시오.\n" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "`end' 명령으로 끝내십시오\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "`end'는 `commands' 명령 또는 `eval' 명령에만 유효합니다" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "`silent'는 `commands' 명령에만 유효합니다" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "trace: 잘못된 옵션 - `%s'" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "condition: 잘못된 중단점/관찰점 번호" #: command.y:452 msgid "argument not a string" msgstr "인자 값이 문자열이 아닙니다" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "option: 잘못된 매개 변수 - `%s'" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "함수 아님 - `%s'" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "enable: 잘못된 옵션 - `%s'" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "잘못된 범위 지정: %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "필드 번호 값이 숫자가 아닙니다" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "숫자 값이어야 하지만, 숫자가 아닌 값입니다" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "0이 아닌 정수값" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" "backtrace [N] - 전체 또는 안쪽 프레임 N개(N이 음수이면 바깥 프레임 N개) 추적 " "단계를 출력합니다" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "break [[<파일 이름>:]N|<함수이름>] - 지정 위치에 중단점을 설정합니다" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "clear [[<파일 이름>:]N|<함수이름>] - 앞서 설정한 중단점을 삭제합니다" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" "commands [<번호>] - 중단점(관찰점) 도달시 실행할 명령 조회를 시작합니다" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" "condition <번호> [<수식>] - 중단점 또는 관찰점 상태를 설정하거나 소거합니다" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "continue [<갯수>] - 디버깅 중인 프로그램 실행을 계속합니다" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "delete [<중단점>] [<범위>] - 지정 중단점을 삭제합니다" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "disable [<중단점>] [<범위>] - 지정 중단점을 사용하지 않도록 설정합니다" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "display [<변수>] - 프로그램 실행을 멈출 때마다 변수 값을 출력합니다" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "down [N] - N 프레임만큼 스택을 따라 내려갑니다" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "" "dump [<파일 이름>] - 파일 또는 표준 출력을 대상으로 다수의 명령을 저장합니다" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" "enable [once|del] [<중단점>] [<범위>] - 지정 중단점을 사용하도록 설정합니다" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "end - awk 구문 또는 명령의 조회를 끝냅니다" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "" "eval <구문>|[<매개변수1>, <매개변수2>, ...] - awk 구문을 연산 실행합니다" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "exit - (quit와 동일) 디버거를 빠져나갑니다" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "finish - 선택한 스택 프레임을 반환하기까지 실행합니다" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "frame [N] - N 번 스택 프레임을 선택하고 출력합니다" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "help [명령] - 명령 목록과 명령 설명을 출력합니다" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "ignore N <갯수> - N번부터 <갯수>만큼 중단점 무시 갯수를 설정합니다" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "" "list [-|+|[<파일 이름>:]<행번호>|<함수이름>|<범위>] - 지정 행을 나타냅니다" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "" "next [<갯수>] - 프로그램을 지정 횟수만큼 단계 실행하며, 하위 루틴 호출은 단" "일 단계로 간주합니다" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" "nexti [<갯수>] - 명령 하나를 실행하며, 하위 루틴 호출은 단일 단계로 간주합니" "다" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "option [<이름>[=<값>]] - 디버거 옵션을 설정하거나 표시합니다" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "print <변수> [<변수>] - 변수 값 또는 배열 값을 출력합니다" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "printf <형식>, [<인자값>], ... - 지정 형식으로 출력합니다" #: command.y:872 msgid "quit - exit debugger" msgstr "quit - 디버거를 빠져나갑니다" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "return [<값>] - 선택한 스택 프레임에서 호출자로 값을 반환하도록합니다" #: command.y:876 msgid "run - start or restart executing program" msgstr "run - 프로그램 실행을 시작하거나 다시 시작합니다" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "save <파일 이름> - 세션에서 실행한 명령(목록)을 파일에 저장합니다" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "set <변수> = <값> - 변수에 스칼라 값을 할당합니다" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" "silent - 중단점/관찰점에 도달하여 멈췄을 경우 일반적으로 나타나는 메시지를 숨" "깁니다" #: command.y:886 msgid "source file - execute commands from file" msgstr "source <파일> - 파일에 들어있는 명령을 실행합니다" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" "step [<갯수>] - 다른 소스 코드 행에 도달할 때까지 프로그램을 단계 별로 진행합" "니다" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [<갯수>] - 정확하게 명령 한 개 실행을 진행합니다" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "tbreak [[<파일 이름>:]|<함수이름>] - 임시 중단점을 설정합니다" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "trace on|off - 실행 전 명령을 출력합니다" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "undisplay [N] - 자동 표시 목록에서 변수를 제거합니다" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" "until [[<파일 이름>:]|<함수이름>] - 현재 프레임 영역에서 다른 행 또는 N 번" "째 행에 도달하기까지 프로그램을 실행합니다" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [N] - 관찰 목록에서 변수를 제거합니다" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "up [N] - 스택에서 N 번째 상단 프레임으로 이동합니다" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "watch <변수> - 변수를 관찰대상(관찰점)으로 설정합니다" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "where [N] - (backtrace와 동일) 전체 또는 안쪽 프레임 N개(N이 음수이면 바깥 프" "레임 N개) 추적 단계를 출력합니다" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "오류: " #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "명령을 읽을 수 없습니다: %s\n" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "명령을 읽을 수 없습니다: %s" #: command.y:1126 msgid "invalid character in command" msgstr "명령에 잘못된 문자가 있습니다" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "알 수 없는 명령 - `%.*s', 도움말을 참고하십시오" #: command.y:1294 msgid "invalid character" msgstr "잘못된 문자" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "정의하지 않은 명령: %s\n" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "기록 파일의 유지 행 갯수를 설정하거나 표시합니다" #: debug.c:259 msgid "set or show the list command window size" msgstr "명령 목록 창 크기를 설정하거나 표시합니다" #: debug.c:261 msgid "set or show gawk output file" msgstr "gawk 출력 파일을 설정하거나 표시합니다" #: debug.c:263 msgid "set or show debugger prompt" msgstr "디버거 프롬프트를 설정하거나 표시합니다" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "명령 기록 저장을 설정(해제) 하거나 표시합니다(값=on|off)" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "옵션 저장을 설정(해제) 하거나 표시합니다(값=on|off)" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "명령문 추적을 설정(해제) 하거나 표시합니다(값=on|off)" #: debug.c:358 msgid "program not running" msgstr "프로그램을 실행하고 있지 않습니다" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "`%s' 소스 파일이 비었습니다.\n" #: debug.c:502 msgid "no current source file" msgstr "현재 소스 파일이 아닙니다" #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "`%s' 소스 파일을 찾을 수 없습니다: %s" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "경고: 프로그램 컴파일 후 `%s' 소스 파일을 수정했습니다.\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "행 번호 %d번 범위 초과 `%s' 행 갯수는 %d개 입니다" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "`%s' 파일, 행 번호 %d번 읽는 중 예상치 못한 파일 끝 발견" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "프로그램 시작 후 `%s' 소스 파일을 수정했습니다" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "현재 소스 파일: %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "행 번호: %d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "소스 파일(행 갯수): %s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "번호 디스플레이 활성 위치\n" "\n" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "\t도달 횟수 = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "\t다음 %ld번 도달 무시\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "\t중단 상태: %s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "\t명령:\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "현재 프레임: " #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "프레임에서 호출함: " #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "프레임 호출자: " #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "main()에 없습니다.\n" #: debug.c:870 msgid "No arguments.\n" msgstr "인자가 없습니다.\n" #: debug.c:871 msgid "No locals.\n" msgstr "로컬 요소 아님.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "정의한 모든 변수:\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "정의한 모든 함수:\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "자동 표시 변수:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "관찰 변수:\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "현재 컨텍스트에 `%s' 심볼이 없습니다\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "`%s'은(는) 배열이 아닙니다\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = 초기화 하지 않은 필드\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "`%s' 배열이 비어있습니다\n" #: debug.c:1184 debug.c:1236 #, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "\"%.*s\" 첨자는 `%s' 배열에 없습니다\n" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "`%s[\"%.*s\"]'은(는) 배열이 아닙니다\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "`%s'은(는) 스칼라 변수가 아닙니다" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "스칼라 컨텍스트에서 `%s[\"%.*s\"]' 배열을 취급하려고 합니다" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "`%s[\"%.*s\"]' 스칼라 구조를 배열 구조로 취급하려고 합니다" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "`%s'은(는) 함수입니다" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "관찰점 %d번 상태 정보가 없습니다\n" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "%ld번 항목 표시 안 함" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "%ld번 항목 관찰 안 함" #: debug.c:1596 #, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d: \"%.*s\" 첨자는 `%s' 배열에 없습니다\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "스칼라 값을 배열로 사용하려고 합니다" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "매개변수가 범위를 벗어나 관찰점 %d번을 삭제했습니다.\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "매개변수가 범위를 벗어나 %d 디스플레이를 삭제했습니다.\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr " `%s' 파일, 행 번호 %d번\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr " `%s':%d 위치" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "#%ld\tin " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "스택 프레임 더 따라가보기 ...\n" #: debug.c:2092 msgid "invalid frame number" msgstr "잘못된 프레임 번호" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" "참고: 중단점 %d번(활성, 다음 %ld번 도달 무시)을 %s:%d 위치에도 설정했습니다" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "참고: 중단점 %d번(활성)을 %s:%d 위치에도 설정했습니다" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" "참고: 중단점 %d번(비활성, 다음 %ld번 도달 무시)을 %s:%d 위치에도 설정했습니다" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "참고: 중단점 %d번(비활성)을 %s:%d 위치에도 설정했습니다" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "" "`%2$s' 파일, %3$d번째 행에 중단점 %1$d번 설정\n" " \n" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "`%s' 파일에 중단점을 설정할 수 없습니다\n" #: debug.c:2444 #, c-format msgid "line number %d in file `%s' is out of range" msgstr "`%2$s' 파일의 행 번호 %1$d번은 범위를 벗어납니다" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "내부 오류: 규칙을 찾을 수 없습니다\n" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "`%s'에 중단점을 설정할 수 없습니다: %d\n" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "`%s' 함수에 중단점을 설정할 수 없습니다\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "" "`%2$s' 파일, 행 번호 %3$d번에 지정한 중단점 %1$d번 상태 정보가 없습니다\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "`%2$s' 파일의 행 번호 %1$d번은 범위를 벗어납니다" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "중단점 %d번을 삭제했습니다" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "`%s' 함수에 대한 중단점 항목이 없습니다\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "`%s' 파일, 행 번호 #%d 위치에 중단점 없음\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "잘못된 중단점 번호" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "모든 중단점을 삭제하시겠습니까? (y 또는 n) " #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "y" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "중단점 %2$d번에 다음 %1$ld회 도달시 무시합니다.\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "다음에 중단점 %d번에 도달했을 때 멈춥니다.\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "`-f' 옵션을 붙였을 경우에만 프로그램을 디버깅할 수 있습니다.\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "다시 시작 중...\n" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "디버거 다시 시작에 실패했습니다" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "프로그램을 이미 실행 중입니다. 처음부터 다시 시작하시겠습니까(y/n)? " #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "프로그램을 다시 시작하지 않음\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "error: 다시 시작할 수 없습니다. 실행을 허용하지 않음\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "error (%s): 다시 시작할 수 없습니다. 나머지 명령 무시\n" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "프로그램 시작:\n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "종료 값을 반환하며 프로그램을 비정상적으로 빠져나왔습니다: %d\n" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "종료 값을 반환하며 프로그램을 정상적으로 빠져나왔습니다: %d\n" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "프로그램이 실행중입니다. 그래도 빠져나가시겠습니까(y/n)? " #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "어떤 중단점에서도 멈추지 않았습니다. 인자 값을 무시합니다.\n" #: debug.c:3091 #, c-format msgid "invalid breakpoint number %d" msgstr "잘못된 중단점 번호 %d번" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "중단점 %2$d의 다음 %1$ld회 도달을 무시합니다.\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "main() 프레임 바깥 우선 부분에서 'finish'는 의미없습니다\n" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "다음 위치에서 return 문까지 실행 " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "" "main() 프레임 바깥 우선 부분에서 'return'은 의미없습니다\n" "\n" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "`%s' 함수의 지정 위치를 찾을 수 없습니다\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "`%2$s' 파일에서 잘못된 소스 행 번호 %1$d번" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "`%2$s' 파일의 %1$d번째 지정 위치를 찾을 수 없습니다\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "배열에 원소가 없습니다\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "형식을 지정하지 않은 변수\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "%s에서 중단 중 ...\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "전역 jump '%s'에서 'finish'는 의미없습니다\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "전역 jump '%s'에서 'until'은 의미없습니다\n" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "" "\t------계속하려면 [Enter] 를, 끝내려면 [q] + [Enter] 를 입력하십시오------" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%.*s\"] 값은 `%s' 배열에 없습니다" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "출력 내용을 표준 출력으로 보내는 중\n" #: debug.c:5449 msgid "invalid number" msgstr "잘못된 숫자 값" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "현재 컨텍스트에 `%s'을(를) 허용하지 않습니다. 구문 무시함" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "현재 컨텍스트에 `return'을 허용하지 않습니다. 구문 무시함" #: debug.c:5639 #, c-format msgid "fatal error during eval, need to restart.\n" msgstr "표현식 처리 과정 중 치명적 오류. 다시 시작해야합니다.\n" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "현재 컨텍스트에 `%s' 심볼이 없습니다" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "알 수 없는 노드 형식 %d" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "알 수 없는 opcode %d" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "%s opcode는 연산자나 키워드가 아닙니다" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "genflags2str에서 버퍼 넘침" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# 함수 콜 스택:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "`IGNORECASE'는 gawk 확장 기능입니다" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "`BINMODE'는 gawk 확장기능입니다" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "`%s' BINMODE 값이 잘못되어 3값으로 취급합니다" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "잘못된 `%2$s' `%1$sFMT' 정의" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "`LINT'에 값을 할당하여 `--lint' 옵션을 끕니다" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "초기화 하지 않은 `%s' 인자 값으로 참조" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "초기화 하지 않은 `%s' 값으로 참조" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "숫자가 아닌 값으로 필드 참조 시도" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "null 문자열로 필드 참조 시도" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "%ld번 필드 접근 시도" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "초기화하지 않은 `$%ld'번 필드를 참조했습니다" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "`%s' 함수를 선언 갯수보다 더 많은 인자 값으로 호출했습니다" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: 예상치 못한 `%s' 형식" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "`/=' 연산자로 0으로 나누기를 시도했습니다" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "`%%=' 연산자로 0으로 나누기를 시도했습니다" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "확장 기능은 샌드박스 모드에서 실행할 수 없습니다" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "-l / @load는 gawk 확장 기능입니다" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext: NULL lib_name을 받았습니다" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext: `%s' 라이브러리를 열 수 없습니다: %s" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "" "load_ext: `%s' 라이브러리: `plugin_is_GPL_compatible'을 정의하지 않음: %s" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "load_ext: `%s' 라이브러리: `%s' 함수를 호출할 수 없습니다: %s" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "load_ext: `%s' 라이브러리의 `%s' 초기화 루틴 실행 실패" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin: 함수 이름 빠짐" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "make_builtin: `%s' gawk 내장 명칭을 함수 명칭으로 사용할 수 없습니다" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" "make_builtin: `%s' gawk 내장 명칭을 이름 영역 명칭으로 사용할 수 없습니다" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin: `%s' 함수를 재정의할 수 없습니다" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin: `%s' 함수를 이미 정의했습니다" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin: 이미 `%s' 이름의 함수를 정의했습니다" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin: `%s' 함수에 음수 인자 값" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "`%s' 함수: 인자 #%d: 스칼라 값을 배열로 사용 시도" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "`%s' 함수: 인자 #%d: 배열을 스칼라 값으로 사용 시도" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "라이브러리 동적 불러오기를 지원하지 않습니다" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "stat: `%s' 심볼링 링크를 읽을 수 없음" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "stat: 첫번째 인자 값은 문자열이 아닙니다" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "split: 두번째 인자 값은 배열이 아닙니다" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stat: 잘못된 매개변수" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "fts init: %s 변수를 만들 수 없습니다" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "이 시스템에서 fts를 지원하지 않습니다" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element: 메모리가 부족하여 배열을 만들 수 없습니다" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element: 원소를 설정할 수 없습니다" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element: 원소를 설정할 수 없습니다" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element: 원소를 설정할 수 없습니다" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts-process: 배열을 설정할 수 없습니다" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts-process: 원소를 설정할 수 없습니다" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "fts: 인자가 3개 필요하나, 잘못된 인자 갯수로 호출했습니다" #: extension/filefuncs.c:853 msgid "fts: first argument is not an array" msgstr "fts: 첫번째 인자 값은 배열이 아닙니다" #: extension/filefuncs.c:859 msgid "fts: second argument is not a number" msgstr "fts: 두번째 인자 값은 배열이 아닙니다" #: extension/filefuncs.c:865 msgid "fts: third argument is not an array" msgstr "fts: 세번째 인자 값은 배열이 아닙니다" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts: 배열을 평활화할 수 없습니다\n" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "fts: 얍삽한 FTS_NOSTAT 플래그를 무시합니다. 메에에에에롱." #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch: 첫번째 인자 값을 가져올 수 없습니다" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch: 두번째 인자 값을 가져올 수 없습니다" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch: 세번째 인자 값을 가져올 수 없습니다" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "fnmatch 기능은 이 시스템을 대상으로 구현하지 않았습니다\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "fnmatch init: FNM_NOMATCH 변수를 추가할 수 없습니다" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "fnmatch init: %s 배열 원소를 설정할 수 없습니다" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "fnmatch init: FNM 배열을 설치할 수 없습니다" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork: PROCINFO는 배열 구조가 아닙니다!" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "inplace::begin: 제자리 편집 기능을 이미 사용중입니다" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "inplace::begin: 인자 값 2개가 필요하나 %d개로 호출했습니다" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "" "inplace::begin: 첫번째 인자 값을 문자열 파일 이름으로 가져올 수 없습니다" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" "inplace::begin: 잘못된 `%s' <파일 이름>에 대한 제자리 편집 기능을 사용하지 않" "습니다" #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "inplace::begin: `%s' 대상으로 stat 명령을 실행할 수 없음(%s)" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "inplace::begin: `%s'은(는) 일반 파일이 아닙니다" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace::begin: mkstemp(`%s') 동작 실패(%s)" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace::begin: chmod 동작 실패(%s)" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace::begin: dup(stdout) 동작 실패(%s)" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace::begin: dup2(%d, stdout) 동작 실패(%s)" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace::begin: close(%d) 동작 실패(%s)" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "inplace::end: 인자 값 2개가 필요하나 %d개로 호출했습니다" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "inplace::end: 첫번째 인자 값을 문자열 파일 이름으로 가져올 수 없습니다" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "inplace::end: 제자리 편집 기능을 활성화하지 않음" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace::end: dup2(%d, stdout) 동작 실패(%s)" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace::end: close(%d) 동작 실패(%s)" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace::end: fsetpos(stdout) 동작 실패(%s)" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace::end: link(`%s', `%s') 동작 실패(%s)" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace::end: rename(`%s', `%s') 동작 실패(%s)" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "ord: 첫번째 인자 값은 문자열이 아닙니다" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "chr: 첫번째 인자 값은 숫자가 아닙니다" #: extension/readdir.c:291 #, c-format msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "dir_take_control_of: %s: opendir/fdopendir 동작 실패: %s" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "readfile: 잘못된 종류의 인자 값으로 호출함" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput: REVOUT 변수를 초기화할 수 없습니다" #: extension/rwarray.c:145 extension/rwarray.c:548 #, c-format msgid "%s: first argument is not a string" msgstr "%s: 첫번째 인자 값은 문자열이 아닙니다" #: extension/rwarray.c:189 msgid "writea: second argument is not an array" msgstr "writea: 두번째 인자 값은 배열이 아닙니다" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "writeall: SYMTAB 배열을 찾을 수 없습니다" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "write_array: 배열 평활화 불가" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "write_array: 평활화 배열을 릴리스할 수 없음" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "배열 값에 알 수 없는 %d 형식 값이 있습니다" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" "rwarray 확장: GMP/MPFR 값을 받았지만 GMP/MPFR 지원 기능이 컴파일 과정에서 빠" "졌습니다." #: extension/rwarray.c:437 #, c-format msgid "cannot free number with unknown type %d" msgstr "알 수 없는 형식 %d번의 숫자 값을 해제할 수 없습니다" #: extension/rwarray.c:442 #, c-format msgid "cannot free value with unhandled type %d" msgstr "처리할 수 없는 형식 %d번의 값을 해제할 수 없습니다" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "readall: %s::%s 값을 설정할 수 없습니다" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "readall: %s 값을 설정할 수 없습니다" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "reada: clear_array 처리 실패" #: extension/rwarray.c:611 msgid "reada: second argument is not an array" msgstr "reada: 두번째 인자 값이 배열이 아닙니다" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "read_array: set_array_element 처리 실패" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "복원한 알 수 없는 %d 형식 코드 값을 문자열로 취급합니다" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" "rwarray 확장: 파일에 GMP/MPFR 값이 있지만 GMP/MPFR 지원 기능이 컴파일 과정에" "서 빠졌습니다." #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday: 이 플랫폼에서 지원하지 않습니다" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep: 필요한 숫자 인자값이 빠짐" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep: 인자 값이 음수입니다" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep: 이 플랫폼에서 지원하지 않습니다" #: extension/time.c:232 msgid "strptime: called with no arguments" msgstr "strptime: 인자 값이 빠진 채로 출력함" #: extension/time.c:240 #, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "do_strptime: 1번 인자 값이 문자열이 아닙니다\n" #: extension/time.c:245 #, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "do_strptime: 2번 인자 값이 문자열이 아닙니다\n" #: field.c:321 msgid "input record too large" msgstr "입력 레코드가 너무 큽니다" #: field.c:443 msgid "NF set to negative value" msgstr "NF 값을 음수 값으로 설정했습니다" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "대부분의 awk 버전에 NF 값 감소 코드를 이식할 수 없습니다" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "END 규칙에서의 필드 접근 코드는 이식 불가능합니다" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split: 네번째 인자 대입은 gawk 확장 기능입니다" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split: 네번째 인자 값이 배열이 아닙니다" #: field.c:1138 field.c:1240 #, c-format msgid "%s: cannot use %s as fourth argument" msgstr "%s: %s을(를) 네번째 인자 값으로 사용할 수 없습니다" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: 두번째 인자 값이 배열이 아닙니다" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "" "split: 두번째 인자와 네번째 인자 값으로 동일한 배열을 사용할 수 없습니다" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "" "split: 네번째 인자에 대한 두번째 인자 값으로 하위 배열을 사용할 수 없습니다" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "" "split: 두번째 인자에 대한 네번째 인자 값으로 하위 배열을 사용할 수 없습니다" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "split: 세번째 null 문자열 인자 값은 비 표준 확장 기능입니다" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: 네번째 인자 값은 배열이 아닙니다" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: 두번째 인자 값은 배열이 아닙니다" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit: 세번째 인자 값은 null 값이 아니어야 합니다" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "" "patsplit: 두번째 인자와 네번째 인자 값으로 동일한 배열을 사용할 수 없습니다" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" "patsplit: 네번째 인자에 대한 두번째 인자 값으로 하위 배열을 사용할 수 없습니" "다" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" "patsplit: 두번째 인자에 대한 네번째 인자 값으로 하위 배열을 사용할 수 없습니" "다" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" "--csv 옵션을 사용하면 FS/FIELDWIDTHS/FPAT(으)로의 할당이 동작하지 않습니다" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "`FIELDWIDTHS'는 gawk 확장 기능입니다" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "`*'는 FIELDWIDTHS의 마지막 지시자여야합니다" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "%d번째 필드 `%s' 부근에 잘못된 FIELDWIDTHS 값" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "`FS'에 대한 null 문자열 대입은 gawk 확장 기능입니다" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "오래된 awk 버전에서는 `FS'의 정규 표현식값 사용을 지원하지 않습니다" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "`FPAT'은 gawk 확장 기능입니다" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node: received null retval" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "awk_value_to_node: MPFR 모드가 아닙니다" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "awk_value_to_node: MPFR을 지원하지 않음" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node: 잘못된 `%d' 숫자 형식" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "add_ext_func: NULL name_space 매개변수를 받았습니다" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" "node_to_awk_value: 잘못된 `%s' 숫자 플래그 조합 발견. 오류 보고서를 제출하십" "시오" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value: null 노드를 받았습니다" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value: null 값을 받았습니다" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" "node_to_awk_value에서 잘못된 `%s' 플래그 조합 발견. 오류 보고서를 제출하십시" "오" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element: null 배열을 받았습니다" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element: null 인덱스 지시자를 받았습니다" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "api_flatten_array_typed: %d 인덱스를 %s(으)로 변환할 수 없음" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "api_flatten_array_typed: %d 값을 %s(으)로 변환할 수 없음" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "api_get_mpfr: MPFR을 지원하지 않음" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "BEGINFILE 규칙의 끝을 찾을 수 없음" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "`%2$s'의 인식할 수 없는 `%1$s' 파일 형식을 열 수 없음" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "`%s' 명령행 인자 값은 디렉터리입니다. 건너뜀" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "읽을 `%s' 파일을 열 수 없습니다: %s" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "%d(`%s') 파일 서술자 닫기 실패: %s" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "`%.*s'을(를) 입출력 파일로 사용합니다" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "`%.*s'을(를) 입력 파일 및 파이프로 사용합니다" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "`%.*s'을(를) 입력 파일과 이중 파이프로 사용합니다" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "`%.*s'을(를) 입력 파일과 출력 파이프로 사용합니다" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "" "`%.*s' 파일에 대해 `>'와 `>>' 리다이렉션 연산자를 조합할 필요가 없습니다" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "`%.*s'을(를) 입력 파이프와 출력 파일로 사용합니다" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "`%.*s'을(를) 출력 파일 및 파이프로 사용합니다" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "`%.*s'을(를) 출력 파일 및 이중 파이프로 사용합니다" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "`%.*s'을(를) 입출력 파이프로 사용합니다" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "`%.*s'을(를) 입력 파이프와 이중 파이프로 사용합니다" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "`%.*s'을(를) 출력 파이프와 이중 파이프로 사용합니다" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "샌드박스 모드에서는 리다이렉션을 허용하지 않습니다" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "`%s' 리다이렉션 표현식은 숫자입니다" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "`%s' 리다이렉션의 표현식에 널 문자열 값이 있습니다" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "`%.*s' 파일 이름(`%s' 리다이렉션)은 논리 표현식의 결과 값인 것 같습니다" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "get_file에서 파일 서술자 %2$d 번에 `%1$s' 파이프를 만들 수 없습니다" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "출력할 `%s' 파이프를 열 수 없습니다: %s" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "입력할 `%s' 파이프를 열 수 없습니다: %s" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" "파일 서술자 %2$d번의 `%1$s'에 대해 이 플랫폼에서 get_file socket 생성을 지원" "하지 않음" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "입출력을 수행할 `%s' 양방향 파이프를 열 수 없습니다: %s" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "`%s'에서 리다이렉션 수행 불가: %s" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "`%s'(으)로 리다이렉션 수행 불가: %s" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "파일 열기 동작이 시스템 한계에 도달: 다중 파일 서술자로 시작합니다" #: io.c:1221 #, c-format msgid "close of `%s' failed: %s" msgstr "`%s' 닫기 실패: %s" #: io.c:1229 msgid "too many pipes or input files open" msgstr "열어둔 파이프 또는 입력 파일이 너무 많습니다" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: 두번째 인자 값은 `to' 또는 `from' 이어야 합니다" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "close: `%.*s'은(는) 열어둔 파일, 파이프 또는 병행프로세스가 아닙니다" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "연 적이 없는 리다이렉션을 닫습니다" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close: `%s' 리다이렉션을 `|&' 연산자로 열지 않아 두번째 인자 값은 무시합니다" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "`%2$s'의 파이프 닫기 과정에서 실패 상태 반환(%1$d): %3$s" #: io.c:1400 #, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "`%2$s'의 이중 파이프 닫기 중 실패 상태 반환(%1$d): %3$s" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "`%2$s'의 파일 닫기 과정에서 실패 상태 반환(%1$d): %3$s" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "`%s' 소켓의 닫기 동작을 명시하지 않았습니다" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "`%s' 병행 프로세스의 닫기 동작을 명시하지 않았습니다" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "`%s' 파이프의 닫기 동작을 명시하지 않았습니다" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "`%s' 파일의 닫기 동작을 명시하지 않았습니다" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "fflush: 표준 출력을 플러싱할 수 없음: %s" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "fflush: 표준 오류를 플러싱할 수 없음: %s" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "표준 출력으로의 기록 오류: %s" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "표준 오류로의 기록 오류: %s" #: io.c:1513 #, c-format msgid "pipe flush of `%s' failed: %s" msgstr "`%s' 파이프 플러싱 실패: %s" #: io.c:1516 #, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "`%s'(으)로의 병행프로세스 파이프 플러싱 실패: %s" #: io.c:1519 #, c-format msgid "file flush of `%s' failed: %s" msgstr "`%s' 파일 플러싱 실패: %s" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "`/inet'의 지역 포트 %s이(가) 올바르지 않습니다: %s" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "`/inet'의 지역 포트 %s이(가) 올바르지 않습니다" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "월격 호스트 및 포트 정보(%s, %s)가 올바르지 않습니다: %s" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "원격 호스트 및 포트 정보(%s, %s)가 올바르지 않습니다" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "TCP/IP 통신은 지원하지 않습니다" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "`%2$s' 모드로 `%1$s'을(를) 열 수 없습니다" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "주 pty 닫기 실패: %s" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "하위 프로세스에서 표준 출력 닫기 실패: %s" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "하위 프로세스에서 표준 출력으로의 부 pty 이동 실패(dup: %s)" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "하위 프로세스에서 표준 입력 닫기 실패: %s" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "하위 프로세스에서 표준 입력으로의 부 pty 이동 실패(dup: %s)" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "부 pty 닫기 실패: %s" #: io.c:2317 msgid "could not create child process or open pty" msgstr "하위 프로세스를 만들거나 pty를 개방할 수 없습니다" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "하위 프로세스에서 표준 출력으로의 파이프 이동 실패(dup: %s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "하위 프로세스에서 표준 입력으로의 파이프 이동 실패(dup: %s)" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "상위 프로세스의 표준 출력 복원 실패" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "상위 프로세스의 표준 입력 복원 실패" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "파이프 닫기 실패: %s" #: io.c:2534 msgid "`|&' not supported" msgstr "`|&' 파이프는 지원하지 않습니다" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "`%s' 파이프를 열 수 없습니다: %s" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "`%s'의 하위 프로세스를 만들 수 없음(fork: %s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "getline: 이미 닫힌 양방향 파이프라인의 읽기 끝 지점에서 읽기 시도" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser: NULL 포인터를 받았습니다" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "`%s' 입력 파서가 앞서 설치한 `%s' 입력 파서와 동시에 동작합니다" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "`%s' 입력 파서에서 `%s' 열기 실패" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_wrapper: NULL 포인터를 받았습니다" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "`%s' 출력 래퍼는 이미 설치한 `%s' 출력 래퍼와 동시에 동작합니다" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "`%s' 출력 래퍼에서 `%s' 열기 실패" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor: NULL 포인터를 받았습니다" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" "`%s' 양방향 처리자는 이미 설치한 `%s' 양방향 처리자와 동시에 동작합니다" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "`%s' 양방향 처리자에서 `%s' 열기 실패" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "`%s' 데이터 파일이 비어있습니다" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "더 많은 입력 메모리를 할당할 수 없습니다" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "--csv 옵션을 사용하면 RS로의 할당이 동작하지 않습니다" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "`RS'의 다중 문자 값은 gawk 확장 기능입니다" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "IPv6 통신은 지원하지 않습니다" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "gawk_popen_write: 파이프 파일 서술자의 표준 입력으로의 이동에 실패" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "`POSIXLY_CORRECT' 환경 변수 설정: `--posix' 활성화" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "`--posix' 옵션은 `--traditional' 옵션에 우선합니다" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "" "`--posix'/`--traditional' 옵션은 `--non-decimal-data' 옵션에 우선합니다" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "`--posix' 옵션은 `--characters-as-bytes' 옵션에 우선합니다" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "`--posix' 와 `--csv' 옵션을 동시에 사용할 수 없습니다" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "root 계정으로의 %s 실행은 보안 문제를 야기할 수 있습니다" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "-r/--re-interval 옵션은 더 이상 동작하지 않습니다" #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "표준 출력에 이진 모드를 설정할 수 없습니다: %s" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "표준 출력에 이진 모드를 설정할 수 없습니다: %s" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "표준 오류에 이진 모드를 설정할 수 없습니다: %s" #: main.c:483 msgid "no program text at all!" msgstr "어떤 프로그램 구문도 없습니다!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "" "사용법: %s [] -f <프로그램파일> [--] <파일> ...\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "" "사용법: %s [] [--] %c<프로그램구문>%c <파일> ...\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "POSIX 옵션:\t\tGNU 버전 긴 옵션: (표준)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f <프로그램-파일>\t\t--file=<프로그램-파일>\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F <필드-구분문자>\t\t\t--field-separator=<필드-구분문자>\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "\t-v <변수>=<값>\t\t--assign=<변수>=<값>\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "짧은 옵션:\t\tGNU 버전 긴 옵션: (확장 기능)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[<파일>]\t\t--dump-variables[=<파일>]\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-D[<파일>]\t\t--debug[=<파일>]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e '<프로그램-구문>'\t--source='<프로그램-구문>'\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E <파일>\t\t\t--exec=<파일>\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "\t-i <포함파일>\t\t--include=<포함파일>\n" #: main.c:602 msgid "\t-I\t\t\t--trace\n" msgstr "\t-I\t\t\t--trace\n" #: main.c:603 msgid "\t-k\t\t\t--csv\n" msgstr "\t-k\t\t\t--csv\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "\t-l <라이브러리>\t\t--load=<라이브러리>\n" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "\t-M\t\t\t--bignum\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-o[<파일>]\t\t--pretty-print[=<파일>]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[<파일>]\t\t--profile[=<파일>]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-s\t\t\t--no-optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "\t-Z <로캘-이름>\t\t--locale=<로캘-이름>\n" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "오류를 보고하려면, `gawkbug' 프로그램을 활용하십시오.\n" "전체 절차를 살펴보려면, 인쇄 버전의 `Reporting Problems\n" "and Bugs' 섹션에 있는 `Bugs' 노드를 참고하십시오. 동일한\n" "정보는 다음 주소에서 찾아보실 수 있습니다.\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "comp.lang.awk 또는 스택오버플로우같은 웹 포럼에\n" "오류 보고서를 게시하지 마십시오.\n" "\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" "gawk 원시 코드는 %s/gawk-%s.tar.gz\n" "경로에서 가져올 수 있습니다\n" "\n" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk는 패턴 검색 처리 언어입니다.\n" "기본적으로 표준 입력을 읽고 표준 출력에 기록합니다.\n" "\n" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "예제:\n" "\t%s '{ sum += $1 }; END { print sum }' <파일>\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "이 프로그램은 자유 소프트웨어입니다. 자유 소프트웨어 재단에서 출시한\n" "GNU 일반 공중 사용 허가서 버전 3 (또는 취향에 따라) 이상의 조항에 따라\n" "자유롭게 수정하고 재배포할 수 있습니다.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "이 프로그램이 유용하길 바라며 배포하나, 어떤 보증도 하지 않습니다.\n" "심지어 암묵적 상업성 또는 일부 목적에 대한 적합성도 보증하지 않습니다.\n" "자세한 내용은 GNU 일반 공중 사용 허가서를 참고하십시오.\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "이 프로그램과 함께 GNU 일반 공중 사용 허가서를 받으셔야합니다.\n" "사용 허가서가 없을 경우 http://www.gnu.org/licenses/ 주소를 참고하십시오.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "-Ft 옵션에 POSIX awk의 탭에 대한 필드 구분자가 없습니다" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: `<변수>=<값>' 형식이 아닌 `-v'의 `%s' 인자값\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "`%s'은(는) 적절한 변수 이름이 아닙니다" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "`%s'은(는) 변수 이름이 아닙니다. `%s=%s' 파일을 살펴보는 중" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "`%s' gawk 내장 요소를 변수 이름으로 취급할 수 없습니다" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "`%s' 함수를 변수 이름으로 취급할 수 없습니다" #: main.c:1294 msgid "floating point exception" msgstr "소숫점 예외" #: main.c:1304 msgid "fatal error: internal error" msgstr "치명적 오류: 내부 오류" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "파일 서술자 %d번 미리 열지 않음" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "파일 서술자 %d번에 대해 /dev/null을 미리 열 수 없습니다" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "`-e/--source'의 빈 인자 값 대입은 무시합니다" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "`--profile' 옵션은 `--pretty-print' 옵션에 우선합니다" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "-M 무시함: MPFR/GMP 기능을 넣어 컴파일하지 않았습니다" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "--persist 대신 `GAWK_PERSIST_FILE=%s gawk ...' 명령을 활용하십시오." #: main.c:1726 msgid "Persistent memory is not supported." msgstr "영속 메모리는 지원하지 않습니다." #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: `-W %s' 옵션은 인식할 수 없습니다. 무시함\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: 옵션에 인자 값이 필요합니다 -- %c\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "%s: 치명적 오류: %s 상태 정보를 가져올 수 없음: %s\n" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" "%s: 치명적 오류: 루트 계정으로 실행할 때는 영구 메모리를 활용할 수 없습니" "다.\n" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "%1$s: 경고: %3$d euid로 %2$s을(를) 소유할 수 없습니다.\n" #: main.c:1913 msgid "persistent memory is not supported" msgstr "영속 메모리를 지원하지 않습니다" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" "%s: 치명: 초기화 과정에서 영속 메모리 할당에 실패했습니다. pma.c %d번 행에서 " "%d값 반환함.\n" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "`%.*s' PREC 값은 올바르지 않습니다" #: mpfr.c:718 #, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "`%.*s' ROUNDMODE 값은 올바르지 않습니다" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: 숫자가 아닌 첫번째 인자 값을 받았습니다" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: 숫자가 아닌 두번째 인자 값을 받았습니다" #: mpfr.c:825 #, c-format msgid "%s: received negative argument %.*s" msgstr "%s: 음수인 %.*s 인자 값을 받았습니다" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int: 숫자가 아닌 인자 값을 받았습니다" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: 숫자가 아닌 인자 값을 받았습니다" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%Rg): 음수 값은 허용하지 않습니다" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "comp(%Rg): 소숫점 아래 값은 자릅니다" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%Zd): 음수 값은 허용하지 않습니다" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s: 숫자가 아닌 #%d번째 인자 값을 받았습니다" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "%s: #d번째 인자 값이 잘못된 %Rg 값을 취하여 0 값을 사용합니다" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%s: #%d번째 인자 %Rg 음수 값은 허용하지 않습니다" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "%s: #%d번째 %Rg 인자 값의 소숫점 아래 값은 자릅니다" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%s: #%d번째 %Zd 인자 값은 허용하지 않습니다" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: 인자 갯수가 둘 미만입니다" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or: 인자 갯수가 둘 미만입니다" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "xor: 인자 갯수가 둘 미만입니다" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: 숫자가 아닌 인자 값을 받았습니다" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "intdiv: 숫자가 아닌 첫번째 인자 값을 받았습니다" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "intdiv: 숫자가 아닌 두번째 인자 값을 받았습니다" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "명령행:" #: node.c:477 msgid "backslash at end of string" msgstr "문자열 마지막에 역슬래시 문자" #: node.c:511 msgid "could not make typed regex" msgstr "형식 지정 정규표현식을 구성할 수 없습니다" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "awk 이전 버전에서는 `\\%c' 이스케이프 시퀀스를 지원하지 않습니다" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX에서 `\\x' 이스케이프를 허용하지 않습니다" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "`\\x' 이스케이프 시퀀스에 16진수가 없습니다" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "\\x%.*s 16진수 이스케이프(%d번째 문자)를 원하는 방식대로 해석하지 않았을 수" "도 있습니다" #: node.c:705 msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX에서 `\\u' 이스케이프를 허용하지 않습니다" #: node.c:713 msgid "no hex digits in `\\u' escape sequence" msgstr "`\\u' 이스케이프 시퀀스에 16진수가 없습니다" #: node.c:744 msgid "invalid `\\u' escape sequence" msgstr "`\\u' 이스케이프 시퀀스가 적절하지 않습니다" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "`\\%c' 이스케이프 시퀀스는 일반 `%c' 문자처럼 취급합니다" #: node.c:908 msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "잘못된 멀티바이트 데이터를 발견했습니다. 데이터와 로캘의 불일치가 있을 수 있" "습니다" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "%s %s `%s': 파일 서술자 플래그를 가져올 수 없음: (fcntl F_GETFD: %s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "%s %s `%s': close-on-exec 설정 불가: (fcntl F_SETFD: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "경고: /proc/self/exe: readlink: %s\n" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "경고: 성격: %s\n" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "waitpid: 종료 상태 %#o을(를) 가져왔습니다\n" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "치명적 오류: posix_spawn: %s\n" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "프로그램 들여쓰기 깊이가 너무 많습니다. 코드를 다시 작성해보십시오" #: profile.c:114 msgid "sending profile to standard error" msgstr "표준 오류로 프로파일 보내는 중" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# %s 규칙\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# 규칙\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "내부 오류: null 변수 이름과 %s" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "내부 오류: null 함수 이름 내장" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "%s# 불러온 확장 기능 (-l and/or @load)\n" "\n" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\n" "# 포함한 파일 (-i and/or @include)\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# gawk 프로파일, created %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# 알파벳 순 함수\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str: 알 수 없는 %d 리다이렉션 형식" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "NUL 문자가 들어간 정규 표현식에 대응하는 동작은 POSIX에 없습니다" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "동적 정규 표현식에 잘못된 NUL 바이트" #: re.c:215 #, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "정규 표현식의 `\\%c' 이스케이프 시퀀스는 단순 `%c' 문자로 취급합니다" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" "정규 표현식의 `\\%c' 이스케이프 시퀀스는 알려진 정규 표현식 연산자가 아닙니다" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "정규 표현식의 `%.*s' 구성 요소는 `[%.*s]' 이어야 할 것 같습니다" #: support/dfa.c:910 msgid "unbalanced [" msgstr "짝이 맞지 않는 [ 괄호" #: support/dfa.c:1031 msgid "invalid character class" msgstr "잘못된 문자 클래스" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "문자 클래스 표기 방식은 [:space:]가 아닌 [[:space:]]입니다" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "끝나지 않은 \\ 이스케이프 문자" #: support/dfa.c:1345 msgid "? at start of expression" msgstr "표현식 시작 부분에 ?" #: support/dfa.c:1357 msgid "* at start of expression" msgstr "표현식 시작 부분에 *" #: support/dfa.c:1371 msgid "+ at start of expression" msgstr "표현식 시작 부분에 +" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "표현식 시작 부분에 {...}" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "잘못된 \\{\\} 내용" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "정규 표현식이 너무 깁니다" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "비출력 문자 이전 잘못된 \\ 문자 위치" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "공백 문자 이전 잘못된 \\ 문자 위치" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "%s 앞에 벗어난 \\ 문자" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "잘못된 \\ 문자 위치" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "짝이 맞지 않는 ( 괄호" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "구문을 지정하지 않았습니다" #: support/dfa.c:2077 msgid "unbalanced )" msgstr "짝이 맞지 않는 ) 괄호" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: '%s' 옵션이 모호합니다. 가능한 옵션:" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "" "%s: '--%s' 옵션에서는 인자 값을 받지 않습니다\n" "\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: '%c%s' 옵션에서는 인자 값을 받지 않습니다\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: '--%s' 옵션에 인자 값이 필요합니다\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: 인식할 수 없는 '--%s' 옵션\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: 인식할 수 없는 '%c%s' 옵션\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: 잘못된 옵션 -- '%c'\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s: 옵션에 인자가 필요합니다 -- '%c'\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: '-W %s' 옵션이 모호합니다\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: '-W %s' 옵션에서는 인자 값을 받지 않습니다\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: '-W %s' 옵션에 인자 값이 필요합니다\n" #: support/regcomp.c:122 msgid "Success" msgstr "성공" #: support/regcomp.c:125 msgid "No match" msgstr "일치 항목 없음" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "잘못된 정규 표현식" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "잘못된 문자 조합" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "잘못된 문자 클래스 이름" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "역슬래시 문자가 따라옴" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "잘못된 후위 참조" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "일치하지 않는 [, [^, [:, [., [=" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "일치하지 않는 ( 또는 \\( 괄호" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "일치하지 않는 \\{ 괄호" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "잘못된 \\{\\} 내용" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "잘못된 범위 끝" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "메모리가 바닥남" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "잘못된 선행 정규 표현식" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "정규 표현식 마감 표현이 앞서있습니다" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "정규 표현식이 너무 깁니다" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr "일치하지 않는 ) 또는 \\) 괄호" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "이전 정규 표현식 없음" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" "현재 -M/--bignum 옵션 설정이 PMA 백킹 파일의 설정 저장 내용과 일치하지 않습니" "다" #: symbol.c:781 #, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "`%s' 함수: `%s' 함수를 매개변수 이름으로 사용할 수 없습니다" #: symbol.c:911 msgid "cannot pop main context" msgstr "주 컨텍스트에서 빠져나올 수 없습니다" #~ msgid "fatal: must use `count$' on all formats or none" #~ msgstr "" #~ "fatal: 모든 형식에 대해 `count$'를 쓰거나 아니면 아얘 쓰지 말아야 합니다" #, c-format #~ msgid "field width is ignored for `%%' specifier" #~ msgstr "`%%' 지정자의 필드 폭은 무시합니다" #, c-format #~ msgid "precision is ignored for `%%' specifier" #~ msgstr "`%%' 지정자의 정밀도는 무시합니다" #, c-format #~ msgid "field width and precision are ignored for `%%' specifier" #~ msgstr "`%%' 지정자의 필드 폭과 정밀도는 무시합니다" #~ msgid "fatal: `$' is not permitted in awk formats" #~ msgstr "fatal: `$'은(는) awk 형식에서 허용하지 않습니다" #~ msgid "fatal: argument index with `$' must be > 0" #~ msgstr "fatal: `$'의 인자 색인 번호는 0보타 커야합니다" #, c-format #~ msgid "" #~ "fatal: argument index %ld greater than total number of supplied arguments" #~ msgstr "" #~ "fatal: 인자 색인 번호 %ld은(는) 지정 인자 전체 갯수보다 많아야 합니다" #~ msgid "fatal: `$' not permitted after period in format" #~ msgstr "fatal: 형식에 따르면 구두점 다음에 `$'을(를) 허용하지 않습니다" #~ msgid "fatal: no `$' supplied for positional field width or precision" #~ msgstr "fatal: 위치별 필드 폭 또는 정밀도로서의 `$'이(가) 없습니다" #, c-format #~ msgid "`%c' is meaningless in awk formats; ignored" #~ msgstr "awk 형식에서 `%c'은(는) 의미가 없습니다. 무시함" #, c-format #~ msgid "fatal: `%c' is not permitted in POSIX awk formats" #~ msgstr "fatal: `%c'은(는) POSIX awk 형식으로 허용하지 않습니다" #, c-format #~ msgid "[s]printf: value %g is too big for %%c format" #~ msgstr "[s]printf: %%2$c 형식에 대해 %1$g 값이 너무 큽니다" #, c-format #~ msgid "[s]printf: value %g is not a valid wide character" #~ msgstr "[s]printf: %g 값은 올바른 범위의 문자가 아닙니다" #, c-format #~ msgid "[s]printf: value %g is out of range for `%%%c' format" #~ msgstr "[s]printf: `%%%2$c' 형식에 대해 %1$g 값의 범위를 넘었습니다" #, c-format #~ msgid "[s]printf: value %s is out of range for `%%%c' format" #~ msgstr "[s]printf: `%%%2$c' 형식에 대해 %1$s 값의 범위를 넘었습니다" #, c-format #~ msgid "%%%c format is POSIX standard but not portable to other awks" #~ msgstr "%%%c 형식은 POSIX 표준이지만 다른 awk 프로그램에 이식할 수 없습니다" #, c-format #~ msgid "" #~ "ignoring unknown format specifier character `%c': no argument converted" #~ msgstr "알 수 없는 `%c' 형식 지정 문자 무시: 변환한 인자 값 없음" #~ msgid "fatal: not enough arguments to satisfy format string" #~ msgstr "fatal: 인자 값이 형식 문자열에서 지정한 만큼 충분하지 않습니다" #~ msgid "^ ran out for this one" #~ msgstr "^ 이 부분에 맞는 요소 빠짐" #~ msgid "[s]printf: format specifier does not have control letter" #~ msgstr "[s]printf: 형식 지정자에 제어 문자가 없습니다" #~ msgid "too many arguments supplied for format string" #~ msgstr "형식 문자열에 너무나 많은 인자 값을 넣었습니다" #, c-format #~ msgid "%s: received non-string format string argument" #~ msgstr "%s: 문자열이 아닌 문자열 서식 인자 값을 받았습니다" #~ msgid "sprintf: no arguments" #~ msgstr "sprintf: 인자 값 없음" #~ msgid "printf: no arguments" #~ msgstr "printf: 인자 값 없음" #~ msgid "printf: attempt to write to closed write end of two-way pipe" #~ msgstr "printf: 이미 닫힌 양방향 파이프라인의 쓰기 끝 지점에서 쓰기 시도" #, c-format #~ msgid "%s" #~ msgstr "%s" #~ msgid "\t-W nostalgia\t\t--nostalgia\n" #~ msgstr "\t-W nostalgia\t\t--nostalgia\n" #~ msgid "fatal error: internal error: segfault" #~ msgstr "치명적 오류: 내부 오류: 세그먼테이션 오류" #~ msgid "fatal error: internal error: stack overflow" #~ msgstr "치명적 오류: 내부 오류: 스택 오버플로우" #~ msgid "typeof: invalid argument type `%s'" #~ msgstr "typeof: 잘못된 `%s' 인자 형식" #~ msgid "" #~ "The time extension is obsolete. Use the timex extension from gawkextlib " #~ "instead." #~ msgstr "" #~ "time 확장 기능이 오래되어 더이상 사용하지 않습니다. gawkextlib의 timex 확" #~ "장을 대신 활용하십시오." #~ msgid "do_writea: first argument is not a string" #~ msgstr "do_writea: 0번 인자 값은 문자열이 아닙니다" #~ msgid "do_reada: first argument is not a string" #~ msgstr "do_reada: 0번 인자 값은 문자열이 아닙니다" #~ msgid "do_writea: argument 1 is not an array" #~ msgstr "do_writea: 1번 인자 값은 배열이 아닙니다" #~ msgid "do_reada: argument 0 is not a string" #~ msgstr "do_reada: 0번 인자 값은 문자열이 아닙니다" #~ msgid "do_reada: argument 1 is not an array" #~ msgstr "do_reada: 1번 인자 값은 배열이 아닙니다" #~ msgid "`L' is meaningless in awk formats; ignored" #~ msgstr "awk 형식에서 `L'은 의미가 없습니다. 무시함" #~ msgid "fatal: `L' is not permitted in POSIX awk formats" #~ msgstr "fatal: `L'은 POSIX awk 형식에서 허용하지 않습니다" #~ msgid "`h' is meaningless in awk formats; ignored" #~ msgstr "awk 형식에서 `h'는 의미가 없습니다. 무시함" #~ msgid "fatal: `h' is not permitted in POSIX awk formats" #~ msgstr "fatal: `h'는 POSIX awk 형식에서 허용하지 않습니다" #~ msgid "No symbol `%s' in current context" #~ msgstr "현재 컨텍스트에 `%s' 심볼이 없습니다" #~ msgid "adump: first argument not an array" #~ msgstr "adump: 첫번째 인자는 배열이 아닙니다" #~ msgid "asort: second argument not an array" #~ msgstr "asort: 두번째 인자는 배열이 아닙니다" #~ msgid "asorti: second argument not an array" #~ msgstr "asorti: 두번째 인자는 배열이 아닙니다" #~ msgid "asorti: first argument not an array" #~ msgstr "asorti: 첫번째 인자는 배열이 아닙니다" #~ msgid "asorti: cannot use a subarray of first arg for second arg" #~ msgstr "" #~ "asorti: 두번째 인자에 대한 첫번째 인자를 하위 배열로 취급할 수 없습니다" #~ msgid "asorti: cannot use a subarray of second arg for first arg" #~ msgstr "" #~ "asorti: 첫번째 인자에 대한 두번째 인자를 하위 배열로 취급할 수 없습니다" #~ msgid "can't read sourcefile `%s' (%s)" #~ msgstr "`%s' 원본 파일을 읽을 수 없습니다(%s)" #~ msgid "POSIX does not allow operator `**='" #~ msgstr "POSIX에서는 `**=' 연산자를 허용하지 않습니다" #~ msgid "old awk does not support operator `**='" #~ msgstr "오래된 awk 버전에서는 `**=' 연산자를 지원하지 않습니다" #~ msgid "old awk does not support operator `**'" #~ msgstr "오래된 awk 버전에서는 `**' 연산자를 지원하지 않습니다" #~ msgid "operator `^=' is not supported in old awk" #~ msgstr "오래된 awk 버전에서는 `^=' 연산자를 지원하지 않습니다" #~ msgid "could not open `%s' for writing (%s)" #~ msgstr "기록할 `%s'을(를) 열 수 없습니다(%s)" #~ msgid "exp: received non-numeric argument" #~ msgstr "exp: 숫자가 아닌 인자 값을 받았습니다" #~ msgid "length: received non-string argument" #~ msgstr "length: 문자열이 아닌 인자 값을 받았습니다" #~ msgid "log: received non-numeric argument" #~ msgstr "log: 숫자가 아닌 인자 값을 받았습니다" #~ msgid "sqrt: received non-numeric argument" #~ msgstr "sqrt: 숫자가 아닌 인자 값을 받았습니다" #~ msgid "sqrt: called with negative argument %g" #~ msgstr "substr: 음의 %g 인자 값을 넣어 호출했습니다" #~ msgid "strftime: received non-numeric second argument" #~ msgstr "strftime: 숫자가 아닌 두번째 인자 값을 받았습니다" #~ msgid "strftime: received non-string first argument" #~ msgstr "strftime: 문자열이 아닌 첫번째 인자 값을 받았습니다" #~ msgid "mktime: received non-string argument" #~ msgstr "mktime: 문자열이 아닌 인자 값을 받았습니다" #~ msgid "tolower: received non-string argument" #~ msgstr "tolower: 문자열이 아닌 인자 값을 받았습니다" #~ msgid "toupper: received non-string argument" #~ msgstr "toupper: 문자열이 아닌 인자 값을 받았습니다" #~ msgid "sin: received non-numeric argument" #~ msgstr "sin: 숫자가 아닌 인자 값을 받았습니다" #~ msgid "cos: received non-numeric argument" #~ msgstr "cos: 숫자가 아닌 인자 값을 받았습니다" #~ msgid "rshift: received non-numeric first argument" #~ msgstr "rshift: 숫자가 아닌 첫번째 인자 값을 받았습니다" #~ msgid "rshift: received non-numeric second argument" #~ msgstr "rshift: 숫자가 아닌 두번째 인자 값을 받았습니다" #~ msgid "and: argument %d is non-numeric" #~ msgstr "and: %d번째 인자 값은 숫자가 아닙니다" #~ msgid "and: argument %d negative value %g is not allowed" #~ msgstr "and: %d번째 %g 음수 인자 값은 허용하지 않습니다" #~ msgid "or: argument %d negative value %g is not allowed" #~ msgstr "or: %d번째 %g 음수 인자 값은 허용하지 않습니다" #~ msgid "xor: argument %d is non-numeric" #~ msgstr "xor: %d번째 인자 값은 숫자가 아닙니다" #~ msgid "xor: argument %d negative value %g is not allowed" #~ msgstr "xor: %d번째 %g 음수 인자 값은 허용하지 않습니다" #~ msgid "Can't find rule!!!\n" #~ msgstr "규칙을 찾을 수 없습니다!!!\n" #~ msgid "q" #~ msgstr "q" #~ msgid "fts: bad first parameter" #~ msgstr "fts: 첫번째 매개변수가 올바르지 않습니다" #~ msgid "fts: bad second parameter" #~ msgstr "fts: 두번째 매개변수가 올바르지 않습니다" #~ msgid "fts: bad third parameter" #~ msgstr "fts: 세번째 매개변수가 올바르지 않습니다" #~ msgid "fts: clear_array() failed\n" #~ msgstr "fts: clear_array() 동작 실패\n" #~ msgid "ord: called with inappropriate argument(s)" #~ msgstr "ord: 적절하지 않은 인자값으로 호출" #~ msgid "chr: called with inappropriate argument(s)" #~ msgstr "chr: 적절하지 않은 인자값으로 호출" EOF echo Extracting po/LINGUAS cat << \EOF > po/LINGUAS bg ca da de es fi fr id it ja ka ko ms nl pl pt pt_BR ro sr sv tr uk vi zh_CN EOF echo Extracting po/ms.po cat << \EOF > po/ms.po # gawk Bahasa Melayu (Malay). # Copyright (C) 2013 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # Sharuzzaman Ahmat Raslan , 2013. # msgid "" msgstr "" "Project-Id-Version: gawk 4.0.75\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2013-04-19 10:45+0800\n" "Last-Translator: Sharuzzaman Ahmat Raslan \n" "Language-Team: Malay \n" "Language: ms\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Generator: Poedit 1.5.5\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Poedit-SourceCharset: UTF-8\n" #: array.c:249 #, c-format msgid "from %s" msgstr "dari %s" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "cubaan untuk menggunakan nilai skalar sebagai tatasusunan" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "cubaan untuk menggunakan parameter skalar `%s' sebagai tatasusunan" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "cubaan untuk menggunakan skalar `%s' sebagai tatasusunan" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "cubaan untuk menggunakan tatasusunan `%s' dalam konteks skalar" #: array.c:616 #, fuzzy, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "padam: indeks `%s' tiada dalam tatasusunan `%s'" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "" #: array.c:901 field.c:1150 field.c:1247 #, c-format msgid "%s: cannot use %s as second argument" msgstr "" #: array.c:909 #, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "" #: array.c:911 #, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "" #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "" #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "" #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "" #: awkgram.y:4980 msgid "there were shadowed variables" msgstr "" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "" #: awkgram.y:5126 #, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "" #: awkgram.y:6266 msgid "statement has no effect" msgstr "" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" #: builtin.c:93 builtin.c:100 #, c-format msgid "%s: called with %d arguments" msgstr "" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "" #: builtin.c:129 msgid "standard output" msgstr "" #: builtin.c:130 msgid "standard error" msgstr "" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "" #: builtin.c:595 msgid "length: received array argument" msgstr "" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "" #: builtin.c:698 builtin.c:2949 #, c-format msgid "%s: received non-numeric third argument" msgstr "" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "" #: builtin.c:1604 #, c-format msgid "%s: cannot use %s as third argument" msgstr "" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "" #: builtin.c:2242 msgid "indirect call to gensub requires three or four arguments" msgstr "" #: builtin.c:2304 msgid "indirect call to match requires two or three arguments" msgstr "" #: builtin.c:2365 #, c-format msgid "indirect call to %s requires two to four arguments" msgstr "" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "" #: builtin.c:2842 builtin.c:2860 #, c-format msgid "%s: received non-string third argument" msgstr "" #: builtin.c:2915 builtin.c:2936 #, c-format msgid "%s: received non-string fifth argument" msgstr "" #: builtin.c:2925 builtin.c:2942 #, c-format msgid "%s: received non-string fourth argument" msgstr "" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "" #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "" #: command.y:452 msgid "argument not a string" msgstr "" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "" #: command.y:662 msgid "non-numeric value for field number" msgstr "" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "" #: command.y:872 msgid "quit - exit debugger" msgstr "" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "" #: command.y:876 msgid "run - start or restart executing program" msgstr "" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" #: command.y:886 msgid "source file - execute commands from file" msgstr "" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "" #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "" #: command.y:1126 msgid "invalid character in command" msgstr "" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "" #: command.y:1294 msgid "invalid character" msgstr "" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "" #: debug.c:259 msgid "set or show the list command window size" msgstr "" #: debug.c:261 msgid "set or show gawk output file" msgstr "" #: debug.c:263 msgid "set or show debugger prompt" msgstr "" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "" #: debug.c:358 msgid "program not running" msgstr "" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "" #: debug.c:502 msgid "no current source file" msgstr "" #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "" #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "" #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "" #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "" #: debug.c:870 msgid "No arguments.\n" msgstr "" #: debug.c:871 msgid "No locals.\n" msgstr "" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "" #: debug.c:1184 debug.c:1236 #, fuzzy, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "padam: indeks `%s' tiada dalam tatasusunan `%s'" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "" #: debug.c:1325 debug.c:5196 #, fuzzy, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "cubaan untuk menggunakan tatasusunan `%s' dalam konteks skalar" #: debug.c:1348 debug.c:5207 #, fuzzy, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "cubaan untuk menggunakan skalar `%s' sebagai tatasusunan" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "" #: debug.c:1596 #, fuzzy, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "padam: indeks `%s' tiada dalam tatasusunan `%s'" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr "" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr "" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "" #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "" #: debug.c:2092 msgid "invalid frame number" msgstr "" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "" #: debug.c:2444 #, c-format msgid "line number %d in file `%s' is out of range" msgstr "" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "" #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "" #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "" #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "" #: debug.c:3091 #, c-format msgid "invalid breakpoint number %d" msgstr "" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "" #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "" #: debug.c:5203 #, fuzzy, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "padam: indeks `%s' tiada dalam tatasusunan `%s'" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "" #: debug.c:5449 msgid "invalid number" msgstr "" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "" #: debug.c:5639 #, c-format msgid "fatal error during eval, need to restart.\n" msgstr "" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "" #: extension/filefuncs.c:853 #, fuzzy msgid "fts: first argument is not an array" msgstr "cubaan untuk menggunakan parameter skalar `%s' sebagai tatasusunan" #: extension/filefuncs.c:859 #, fuzzy msgid "fts: second argument is not a number" msgstr "cubaan untuk menggunakan parameter skalar `%s' sebagai tatasusunan" #: extension/filefuncs.c:865 #, fuzzy msgid "fts: third argument is not an array" msgstr "cubaan untuk menggunakan parameter skalar `%s' sebagai tatasusunan" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "" #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "" #: extension/readdir.c:291 #, c-format msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "" #: extension/rwarray.c:145 extension/rwarray.c:548 #, fuzzy, c-format msgid "%s: first argument is not a string" msgstr "cubaan untuk menggunakan parameter skalar `%s' sebagai tatasusunan" #: extension/rwarray.c:189 #, fuzzy msgid "writea: second argument is not an array" msgstr "cubaan untuk menggunakan parameter skalar `%s' sebagai tatasusunan" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" #: extension/rwarray.c:437 #, c-format msgid "cannot free number with unknown type %d" msgstr "" #: extension/rwarray.c:442 #, c-format msgid "cannot free value with unhandled type %d" msgstr "" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "" #: extension/rwarray.c:611 #, fuzzy msgid "reada: second argument is not an array" msgstr "cubaan untuk menggunakan parameter skalar `%s' sebagai tatasusunan" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "" #: extension/time.c:232 msgid "strptime: called with no arguments" msgstr "" #: extension/time.c:240 #, fuzzy, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "cubaan untuk menggunakan parameter skalar `%s' sebagai tatasusunan" #: extension/time.c:245 #, fuzzy, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "cubaan untuk menggunakan parameter skalar `%s' sebagai tatasusunan" #: field.c:321 msgid "input record too large" msgstr "" #: field.c:443 msgid "NF set to negative value" msgstr "" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "" #: field.c:1138 field.c:1240 #, c-format msgid "%s: cannot use %s as fourth argument" msgstr "" #: field.c:1148 msgid "split: second argument is not an array" msgstr "" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" #: io.c:1221 #, c-format msgid "close of `%s' failed: %s" msgstr "" #: io.c:1229 msgid "too many pipes or input files open" msgstr "" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "" #: io.c:1400 #, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "" #: io.c:1513 #, c-format msgid "pipe flush of `%s' failed: %s" msgstr "" #: io.c:1516 #, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "" #: io.c:1519 #, c-format msgid "file flush of `%s' failed: %s" msgstr "" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "" #: io.c:2317 msgid "could not create child process or open pty" msgstr "" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "" #: io.c:2534 msgid "`|&' not supported" msgstr "" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "" #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "" #: main.c:483 msgid "no program text at all!" msgstr "" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "" #: main.c:602 msgid "\t-I\t\t\t--trace\n" msgstr "" #: main.c:603 msgid "\t-k\t\t\t--csv\n" msgstr "" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr "" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "" #: main.c:1294 msgid "floating point exception" msgstr "" #: main.c:1304 msgid "fatal error: internal error" msgstr "" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "" #: main.c:1726 msgid "Persistent memory is not supported." msgstr "" #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "" #: main.c:1913 msgid "persistent memory is not supported" msgstr "" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "" #: mpfr.c:718 #, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "" #: mpfr.c:825 #, c-format msgid "%s: received negative argument %.*s" msgstr "" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "" #: node.c:477 msgid "backslash at end of string" msgstr "" #: node.c:511 msgid "could not make typed regex" msgstr "" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" #: node.c:705 msgid "POSIX does not allow `\\u' escapes" msgstr "" #: node.c:713 msgid "no hex digits in `\\u' escape sequence" msgstr "" #: node.c:744 msgid "invalid `\\u' escape sequence" msgstr "" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "" #: node.c:908 msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "" #: profile.c:114 msgid "sending profile to standard error" msgstr "" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "" #: re.c:215 #, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "" #: support/dfa.c:910 msgid "unbalanced [" msgstr "" #: support/dfa.c:1031 msgid "invalid character class" msgstr "" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "" #: support/dfa.c:1345 msgid "? at start of expression" msgstr "" #: support/dfa.c:1357 msgid "* at start of expression" msgstr "" #: support/dfa.c:1371 msgid "+ at start of expression" msgstr "" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "" #: support/dfa.c:2077 msgid "unbalanced )" msgstr "" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "" #: support/regcomp.c:122 msgid "Success" msgstr "" #: support/regcomp.c:125 msgid "No match" msgstr "" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr "" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" #: symbol.c:781 #, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "" #: symbol.c:911 msgid "cannot pop main context" msgstr "" #, fuzzy #~ msgid "do_writea: argument 1 is not an array" #~ msgstr "cubaan untuk menggunakan parameter skalar `%s' sebagai tatasusunan" #, fuzzy #~ msgid "do_reada: argument 1 is not an array" #~ msgstr "cubaan untuk menggunakan parameter skalar `%s' sebagai tatasusunan" #, fuzzy #~ msgid "attempt to use array `%s[\".*%s\"]' in a scalar context" #~ msgstr "cubaan untuk menggunakan tatasusunan `%s' dalam konteks skalar" #, fuzzy #~ msgid "attempt to use scalar `%s[\".*%s\"]' as array" #~ msgstr "cubaan untuk menggunakan skalar `%s' sebagai tatasusunan" EOF echo Extracting po/nl.po cat << \EOF > po/nl.po # Dutch translations for GNU gawk. # Copyright (C) 2020 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # # “Flierefluiten!!” # # Erwin Poeze , 2009. # Benno Schulenberg , 2005, 2007, 2010, 2011, 2012, 2013, 2014, 2015, 2016, 2020. msgid "" msgstr "" "Project-Id-Version: gawk 5.0.64\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2020-03-20 12:56+0100\n" "Last-Translator: Benno Schulenberg \n" "Language-Team: Dutch \n" "Language: nl\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Bugs: Report translation errors to the Language-Team address.\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #: array.c:249 #, c-format msgid "from %s" msgstr "van %s" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "scalaire waarde wordt gebruikt als array" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "scalaire parameter '%s' wordt gebruikt als array" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "scalair '%s' wordt gebruikt als array" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "array '%s' wordt gebruikt in een scalaire context" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "delete: index '%.*s' niet in array '%s'" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "scalair '%s[\"%.*s\"]' wordt gebruikt als array" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "%s: eerste argument is geen array" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "%s: tweede argument is geen array" #: array.c:901 field.c:1150 field.c:1247 #, fuzzy, c-format #| msgid "%s: cannot use a subarray of first argument for second argument" msgid "%s: cannot use %s as second argument" msgstr "" "%s een subarray van het eerste argument kan niet als tweede argument " "gebruikt worden" #: array.c:909 #, fuzzy, c-format #| msgid "%s: first argument cannot be SYMTAB" msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "%s: eerste argument kan niet SYMTAB zijn" #: array.c:911 #, fuzzy, c-format #| msgid "%s: first argument cannot be FUNCTAB" msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "%s: eerste argument kan niet FUNCTAB zijn" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "" "%s een subarray van het eerste argument kan niet als tweede argument " "gebruikt worden" #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "" "%s: een subarray van het tweede argument kan niet als eerste argument " "gebruikt worden" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "'%s' is ongeldig als functienaam" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "sorteervergelijkingsfunctie '%s' is niet gedefinieerd" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "%s-blokken horen een actiedeel te hebben" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "elke regel hoort een patroon of een actiedeel te hebben" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "oude 'awk' staat meerdere 'BEGIN'- en 'END'-regels niet toe" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "'%s' is een ingebouwde functie en is niet te herdefiniëren" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "regexp-constante '//' lijkt op C-commentaar, maar is het niet" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "regexp-constante '/%s/' lijkt op C-commentaar, maar is het niet" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "dubbele 'case'-waarde in 'switch'-opdracht: %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "dubbele 'default' in 'switch'-opdracht" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "'break' buiten een lus of 'switch'-opdracht is niet toegestaan" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "'continue' buiten een lus is niet toegestaan" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "'next' wordt gebruikt in %s-actie" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "'nextfile' wordt gebruikt in %s-actie" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "'return' wordt gebruikt buiten functiecontext" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" "kale 'print' in BEGIN- of END-regel moet vermoedelijk 'print \"\"' zijn" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "'delete' is niet toegestaan met SYMTAB" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "'delete' is niet toegestaan met FUNCTAB" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "'delete(array)' is een niet-overdraagbare 'tawk'-uitbreiding" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "meerfase-tweerichtings-pijplijnen werken niet" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "reguliere expressie rechts van toewijzing" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "reguliere expressie links van operator '~' of '!~'" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "oude 'awk' kent het sleutelwoord 'in' niet, behalve na 'for'" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "reguliere expressie rechts van vergelijking" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "niet-omgeleide 'getline' is ongeldig binnen een '%s'-regel" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "niet-omgeleide 'getline' is ongedefinieerd binnen een END-actie" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "oude 'awk' kent geen meerdimensionale arrays" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "aanroep van 'length' zonder haakjes is niet overdraagbaar" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "indirecte functieaanroepen zijn een gawk-uitbreiding" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "" "kan speciale variabele '%s' niet voor indirecte functieaanroep gebruiken" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "niet-functie '%s' wordt gebruikt in functie-aanroep" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "ongeldige index-expressie" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "waarschuwing: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "fataal: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "onverwacht regeleinde of einde van string" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "kan bronbestand '%s' niet openen om te lezen: %s" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "kan gedeelde bibliotheek '%s' niet openen om te lezen: %s" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "reden onbekend" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "kan '%s' niet invoegen en als programmabestand gebruiken" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "bronbestand '%s' is reeds ingesloten" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "gedeelde bibliotheek '%s' is reeds geladen" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "'@include' is een gawk-uitbreiding" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "lege bestandsnaam na '@include'" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "'@load' is een gawk-uitbreiding" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "lege bestandsnaam na '@load'" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "lege programmatekst op opdrachtregel" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "kan bronbestand '%s' niet lezen: %s" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "bronbestand '%s' is leeg" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "fout: ongeldig teken '\\%03o' in brontekst" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "bronbestand eindigt niet met een regeleindeteken (LF)" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "onafgesloten reguliere expressie eindigt met '\\' aan bestandseinde" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "%s: %d: regexp-optie '/.../%c' van 'tawk' werkt niet in gawk" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "regexp-optie '/.../%c' van 'tawk' werkt niet in gawk" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "onafgesloten reguliere expressie" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "onafgesloten reguliere expressie aan bestandseinde" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "gebruik van regelvoortzetting '\\ #...' is niet overdraagbaar" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "backslash is niet het laatste teken op de regel" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "meerdimensionale arrays zijn een gawk-uitbreiding" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX staat operator '%s' niet toe" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "operator '%s' wordt niet ondersteund in oude 'awk'" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "onafgesloten string" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "POSIX staat geen fysieke nieuweregeltekens toe in strings" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "string-voortzetting via backslash is niet overdraagbaar" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "ongeldig teken '%c' in expressie" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "'%s' is een gawk-uitbreiding" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX staat '%s' niet toe" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "oude 'awk' kent '%s' niet" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "'goto' wordt als schadelijk beschouwd!" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d is een ongeldig aantal argumenten voor %s" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "%s: een stringwaarde als laatste vervangingsargument heeft geen effect" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "%s: derde parameter is geen veranderbaar object" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match: derde argument is een gawk-uitbreiding" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close: tweede argument is een gawk-uitbreiding" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "dcgettext(_\"...\") is onjuist: verwijder het liggende streepje" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "dcngettext(_\"...\") is onjuist: verwijder het liggende streepje" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "" "index: een reguliere-expressie-constante als tweede argument is niet " "toegestaan" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "functie '%s': parameter '%s' schaduwt een globale variabele" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "kan '%s' niet openen om te schrijven: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "variabelenlijst gaat naar standaardfoutuitvoer" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "%s: sluiten is mislukt: %s" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "shadow_funcs() twee keer aangeroepen!" #: awkgram.y:4980 #, fuzzy #| msgid "there were shadowed variables." msgid "there were shadowed variables" msgstr "er waren geschaduwde variabelen." #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "functienaam '%s' is al eerder gedefinieerd" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "functie '%s': kan functienaam niet als parameternaam gebruiken" #: awkgram.y:5126 #, fuzzy, c-format #| msgid "" #| "function `%s': cannot use special variable `%s' as a function parameter" msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" "functie '%s': kan speciale variabele '%s' niet als functieparameter gebruiken" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "functie '%s': parameter '%s' mag geen naamsruimte bevatten" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "functie '%s': parameter #%d, '%s', dupliceert parameter #%d" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "functie '%s' wordt aangeroepen maar is nergens gedefinieerd" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "functie '%s' is gedefinieerd maar wordt nergens direct aangeroepen" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "regexp-constante als parameter #%d levert booleanwaarde op" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "functie '%s' wordt aangeroepen met een spatie tussen naam en '(',\n" "of wordt gebruikt als variabele of array" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "deling door nul" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "deling door nul in '%%'" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "" "kan geen waarde toewijzen aan het resultaat van een post-increment-expressie " "van een veld" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "ongeldig doel van toewijzing (opcode %s)" #: awkgram.y:6266 msgid "statement has no effect" msgstr "opdracht heeft geen effect" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "'@namespace' is een gawk-uitbreiding" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" #: builtin.c:93 builtin.c:100 #, fuzzy, c-format #| msgid "wait: called with no arguments" msgid "%s: called with %d arguments" msgstr "wait: aangeroepen zonder argumenten" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "%s naar \"%s\" is mislukt: %s" #: builtin.c:129 msgid "standard output" msgstr "standaarduitvoer" #: builtin.c:130 msgid "standard error" msgstr "standaardfoutuitvoer" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s: niet-numeriek argument ontvangen" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp: argument %g ligt buiten toegestane bereik" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "%s: argument is geen string" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: kan pijp niet leegmaken: '%.*s' is geopend om te lezen, niet om te " "schrijven" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" "fflush: kan buffer niet leegmaken: bestand '%.*s' is geopend om te lezen, " "niet om te schrijven" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush: kan buffer voor bestand '%.*s' niet leegmaken: %s" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" "fflush: kan pijp niet leegmaken: tweewegpijp '%.*s' heeft de schrijfkant " "gesloten" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "fflush: '%.*s' is geen open bestand, pijp, of co-proces" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "%s: eerste argument is geen string" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "%s: tweede argument is geen string" #: builtin.c:595 msgid "length: received array argument" msgstr "length: argument is een array" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "'length(array)' is een gawk-uitbreiding" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "%s: argument %g is negatief" #: builtin.c:698 builtin.c:2949 #, fuzzy, c-format #| msgid "%s: received non-numeric first argument" msgid "%s: received non-numeric third argument" msgstr "%s: eerste argument is geen getal" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "%s: tweede argument is geen getal" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: lengte %g is niet >= 1" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: lengte %g is niet >= 0" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: lengte %g is geen integer; wordt afgekapt" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "" "substr: lengte %g is te groot voor stringindexering; wordt verkort tot %g" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: startindex %g is ongeldig; 1 wordt gebruikt" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "substr: startindex %g is geen integer; wordt afgekapt" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: bronstring heeft lengte nul" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: startindex %g ligt voorbij het einde van de string" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: lengte %g bij startindex %g is groter dan de lengte van het eerste " "argument (%lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "strftime: opmaakwaarde in PROCINFO[\"strftime\"] is numeriek" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "strftime: tweede argument is kleiner dan nul of te groot voor 'time_t'" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "strftime: tweede argument ligt buiten toegestaan bereik voor 'time_t'" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: opmaakstring is leeg" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "mktime: minstens één van waarden valt buiten het standaardbereik" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "'system'-functie is niet toegestaan in sandbox-modus" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "print: poging tot schrijven naar gesloten schrijfkant van tweewegpijp" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "verwijzing naar ongeïnitialiseerd veld '$%d'" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "%s: eerste argument is geen getal" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: derde argument is geen array" #: builtin.c:1604 #, fuzzy, c-format #| msgid "fnmatch: could not get third argument" msgid "%s: cannot use %s as third argument" msgstr "fnmatch: kan derde argument niet verkrijgen" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: derde argument is '%.*s'; wordt beschouwd als 1" # FIXME: ambiguous #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s: kan alleen indirect aangeroepen worden met twee argumenten" #: builtin.c:2242 #, fuzzy #| msgid "indirect call to %s requires at least two arguments" msgid "indirect call to gensub requires three or four arguments" msgstr "indirecte aanroep van %s vereist minstens twee argumenten" #: builtin.c:2304 #, fuzzy #| msgid "indirect call to %s requires at least two arguments" msgid "indirect call to match requires two or three arguments" msgstr "indirecte aanroep van %s vereist minstens twee argumenten" #: builtin.c:2365 #, fuzzy, c-format #| msgid "indirect call to %s requires at least two arguments" msgid "indirect call to %s requires two to four arguments" msgstr "indirecte aanroep van %s vereist minstens twee argumenten" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): negatieve waarden zijn niet toegestaan" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f): cijfers na de komma worden afgekapt" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "lshift(%f, %f): te grote opschuifwaarden geven rare resultaten" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f, %f): negatieve waarden zijn niet toegestaan" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): cijfers na de komma worden afgekapt" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "rshift(%f, %f): te grote opschuifwaarden geven rare resultaten" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "%s: aangeroepen met minder dan twee argumenten" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "%s: argument %d is niet-numeriek" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%1$s: negatieve waarde %3$g van argument %2$d is niet toegestaan" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): negatieve waarde is niet toegestaan" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): cijfers na de komma worden afgekapt" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: '%s' is geen geldige taalregio-deelcategorie" #: builtin.c:2842 builtin.c:2860 #, fuzzy, c-format #| msgid "%s: received non-string first argument" msgid "%s: received non-string third argument" msgstr "%s: eerste argument is geen string" #: builtin.c:2915 builtin.c:2936 #, fuzzy, c-format #| msgid "%s: received non-string first argument" msgid "%s: received non-string fifth argument" msgstr "%s: eerste argument is geen string" #: builtin.c:2925 builtin.c:2942 #, fuzzy, c-format #| msgid "%s: received non-string first argument" msgid "%s: received non-string fourth argument" msgstr "%s: eerste argument is geen string" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "intdiv: derde argument is geen array" #: builtin.c:3089 mpfr.c:1384 #, fuzzy msgid "intdiv: division by zero attempted" msgstr "intdiv: deling door nul" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "typeof: tweede argument is geen array" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "typeof: onbekend argumenttype '%s'" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "Typ (g)awk statement(s). Eindig met het commando 'end'.\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "ongeldig framenummer: %d" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "info: ongeldige optie -- '%s'" #: command.y:324 #, fuzzy, c-format #| msgid "source: `%s': already sourced." msgid "source: `%s': already sourced" msgstr "source: '%s': is reeds ingelezen." #: command.y:329 #, fuzzy, c-format #| msgid "save: `%s': command not permitted." msgid "save: `%s': command not permitted" msgstr "save: '%s': commando is niet toegestaan." #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" "Kan commando 'commands' niet vóór breekpunt-/kijkpunt-commando's gebruiken" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "er is nog geen breekpunt/kijkpunt gezet" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "ongeldig nummer van breekpunt/kijkpunt" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "Typ de commando's voor wanneer %s %d getroffen wordt, één per regel.\n" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "Eindig met het commando 'end'.\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "'end' is alleen geldig bij de commando's 'commands' en 'eval'" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "'silent' is alleen geldig bij het commando 'commands'" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "trace: ongeldige optie -- '%s'" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "condition: ongeldig nummer van breekpunt/kijkpunt" #: command.y:452 msgid "argument not a string" msgstr "argument is geen string" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "option: ongeldige parameter -- '%s'" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "functie '%s' bestaat niet" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "enable: ongeldige optie -- '%s'" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "ongeldig bereik: %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "niet-numerieke waarde voor veldnummer" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "niet-numerieke waarde gevonden, numerieke wordt verwacht" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "niet-nul geheel getal" #: command.y:820 #, fuzzy #| msgid "" #| "backtrace [N] - print trace of all or N innermost (outermost if N < 0) " #| "frames." msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" "backtrace [N] - een trace weergeven van alle of N binnenste frames (of " "buitenste als N < 0)" #: command.y:822 #, fuzzy #| msgid "" #| "break [[filename:]N|function] - set breakpoint at the specified location." msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "" "break [[BESTANDSNAAM:]REGELNUMMER|FUNCTIE] - breekpunt zetten op gegeven " "positie" #: command.y:824 #, fuzzy #| msgid "clear [[filename:]N|function] - delete breakpoints previously set." msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "" "clear [[BESTANDSNAAM:]REGELNUMMER|FUNCTIE] - eerder gezet breekpunt " "verwijderen" #: command.y:826 #, fuzzy #| msgid "" #| "commands [num] - starts a list of commands to be executed at a " #| "breakpoint(watchpoint) hit." msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" "commands [NUMMER] - een lijst van commando's beginnen die uitgevoerd moeten " "worden wanneer een breekpunt/kijkpunt getroffen wordt" #: command.y:828 #, fuzzy #| msgid "" #| "condition num [expr] - set or clear breakpoint or watchpoint condition." msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" "condition NUMMER [EXPRESSIE] - de conditie van een breekpunt/kijkpunt zetten " "of wissen" #: command.y:830 #, fuzzy #| msgid "continue [COUNT] - continue program being debugged." msgid "continue [COUNT] - continue program being debugged" msgstr "continue [AANTAL] - doorgaan met het programma in de debugger" #: command.y:832 #, fuzzy #| msgid "delete [breakpoints] [range] - delete specified breakpoints." msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "delete [BREEKPUNTEN] [BEREIK] - de gegeven breekpunten verwijderen" #: command.y:834 #, fuzzy #| msgid "disable [breakpoints] [range] - disable specified breakpoints." msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "disable [BREEKPUNTEN] [BEREIK] - de gegeven breekpunten uitschakelen" #: command.y:836 #, fuzzy #| msgid "display [var] - print value of variable each time the program stops." msgid "display [var] - print value of variable each time the program stops" msgstr "" "display [VAR] - waarde van variabele weergeven elke keer dat het programma " "stopt" #: command.y:838 #, fuzzy #| msgid "down [N] - move N frames down the stack." msgid "down [N] - move N frames down the stack" msgstr "down [AANTAL] - dit aantal frames naar beneden in de stack gaan" #: command.y:840 #, fuzzy #| msgid "dump [filename] - dump instructions to file or stdout." msgid "dump [filename] - dump instructions to file or stdout" msgstr "" "dump [BESTANDSNAAM] - instructies dumpen op standaarduitvoer (of naar " "bestand)" #: command.y:842 #, fuzzy #| msgid "" #| "enable [once|del] [breakpoints] [range] - enable specified breakpoints." msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" "enable [once|del] [BREEKPUNTEN] [BEREIK] - de gegeven breekpunten inschakelen" #: command.y:844 #, fuzzy #| msgid "end - end a list of commands or awk statements." msgid "end - end a list of commands or awk statements" msgstr "end - een lijst van commando's of awk-statements beëindigen" #: command.y:846 #, fuzzy #| msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)." msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "eval STATEMENT|[p1, p2, ...] - awk-statement(s) evalueren" #: command.y:848 #, fuzzy #| msgid "exit - (same as quit) exit debugger." msgid "exit - (same as quit) exit debugger" msgstr "exit - (hetzelfde als 'quit') de debugger verlaten" #: command.y:850 #, fuzzy #| msgid "finish - execute until selected stack frame returns." msgid "finish - execute until selected stack frame returns" msgstr "finish - uitvoeren totdat het geselecteerde stack-frame terugkeert" #: command.y:852 #, fuzzy #| msgid "frame [N] - select and print stack frame number N." msgid "frame [N] - select and print stack frame number N" msgstr "frame [NUMMER] - stack-frame met dit nummer selecteren en weergeven" #: command.y:854 #, fuzzy #| msgid "help [command] - print list of commands or explanation of command." msgid "help [command] - print list of commands or explanation of command" msgstr "" "help [COMMANDO] - lijst van beschikbare commando's (of uitleg van commando) " "tonen" #: command.y:856 #, fuzzy #| msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT." msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "" "ignore NUMMER AANTAL - het aantal keren dat dit breekpuntnummer genegeerd " "moet worden" #: command.y:858 #, fuzzy #| msgid "" #| "info topic - source|sources|variables|functions|break|frame|args|locals|" #| "display|watch." msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info THEMA - source|sources|variables|functions|break|frame|args|locals|" "display|watch" #: command.y:860 #, fuzzy #| msgid "" #| "list [-|+|[filename:]lineno|function|range] - list specified line(s)." msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "" "list [-|+|[BESTANDSNAAM:]REGELNUMMER|FUNCTIE|BEREIK] - aangegeven regels " "tonen" #: command.y:862 #, fuzzy #| msgid "next [COUNT] - step program, proceeding through subroutine calls." msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "" "next [AANTAL] - programma uitvoeren tot de volgende bronregel bereikt is" #: command.y:864 #, fuzzy #| msgid "" #| "nexti [COUNT] - step one instruction, but proceed through subroutine " #| "calls." msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" "nexti [AANTAL] - één instructie (of dit aantal) uitvoeren, waarbij een " "functie-aanroep als één telt" #: command.y:866 #, fuzzy #| msgid "option [name[=value]] - set or display debugger option(s)." msgid "option [name[=value]] - set or display debugger option(s)" msgstr "option [NAAM[=WAARDE]] - opties van debugger tonen of instellen" #: command.y:868 #, fuzzy #| msgid "print var [var] - print value of a variable or array." msgid "print var [var] - print value of a variable or array" msgstr "print VAR [VAR] - waarde van variabele of array weergeven" #: command.y:870 #, fuzzy #| msgid "printf format, [arg], ... - formatted output." msgid "printf format, [arg], ... - formatted output" msgstr "printf OPMAAK [, ARGUMENT...] - opgemaakte uitvoer" #: command.y:872 #, fuzzy #| msgid "quit - exit debugger." msgid "quit - exit debugger" msgstr "quit - de debugger verlaten" #: command.y:874 #, fuzzy #| msgid "return [value] - make selected stack frame return to its caller." msgid "return [value] - make selected stack frame return to its caller" msgstr "return [WAARDE] - gekozen stack-frame terug laten keren naar aanroeper" #: command.y:876 #, fuzzy #| msgid "run - start or restart executing program." msgid "run - start or restart executing program" msgstr "run - programma starten of herstarten" #: command.y:879 #, fuzzy #| msgid "save filename - save commands from the session to file." msgid "save filename - save commands from the session to file" msgstr "save BESTANDSNAAM - commando's van de sessie opslaan in bestand" #: command.y:882 #, fuzzy #| msgid "set var = value - assign value to a scalar variable." msgid "set var = value - assign value to a scalar variable" msgstr "set VAR = WAARDE - een waarde aan een scalaire variabele toekennen" #: command.y:884 #, fuzzy #| msgid "" #| "silent - suspends usual message when stopped at a breakpoint/watchpoint." msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" "silent - de gewone meldingen bij het stoppen bij een breekpunt/kijkpunt " "onderdrukken" #: command.y:886 #, fuzzy #| msgid "source file - execute commands from file." msgid "source file - execute commands from file" msgstr "source BESTANDSNAAM - commando's uit dit bestand uitvoeren" #: command.y:888 #, fuzzy #| msgid "" #| "step [COUNT] - step program until it reaches a different source line." msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" "step [AANTAL] - programma uitvoeren tot een andere bronregel bereikt is" #: command.y:890 #, fuzzy #| msgid "stepi [COUNT] - step one instruction exactly." msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [AANTAL] - precies één (of dit aantal) instructies uitvoeren" #: command.y:892 #, fuzzy #| msgid "tbreak [[filename:]N|function] - set a temporary breakpoint." msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "" "tbreak [[BESTANDSNAAM:]REGELNUMMER|FUNCTIE] - een tijdelijk breekpunt zetten" #: command.y:894 #, fuzzy #| msgid "trace on|off - print instruction before executing." msgid "trace on|off - print instruction before executing" msgstr "trace on|off - instructie weergeven alvorens deze uit te voeren" #: command.y:896 #, fuzzy #| msgid "undisplay [N] - remove variable(s) from automatic display list." msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "" "undisplay [AANTAL] - variabele(n) van automatische weergavelijst verwijderen" #: command.y:898 #, fuzzy #| msgid "" #| "until [[filename:]N|function] - execute until program reaches a different " #| "line or line N within current frame." msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" "until [[BESTANDSNAAM:]N|FUNCTIE] - programma uitvoeren totdat deze een " "andere regel bereikt of regel N binnen het huidige frame" #: command.y:900 #, fuzzy #| msgid "unwatch [N] - remove variable(s) from watch list." msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [AANTAL] - variabele(n) van de kijklijst verwijderen" #: command.y:902 #, fuzzy #| msgid "up [N] - move N frames up the stack." msgid "up [N] - move N frames up the stack" msgstr "up [AANTAL] - dit aantal frames naar boven in de stack gaan" #: command.y:904 #, fuzzy #| msgid "watch var - set a watchpoint for a variable." msgid "watch var - set a watchpoint for a variable" msgstr "watch VAR - een kijkpunt voor een variabele zetten" #: command.y:906 #, fuzzy #| msgid "" #| "where [N] - (same as backtrace) print trace of all or N innermost " #| "(outermost if N < 0) frames." msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "where[N] - (zelfde als backtrace) een trace weergeven van alle of N " "binnenste frames (of buitenste als N < 0)" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "fout: " #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "kan commando niet lezen: %s\n" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "kan commando niet lezen: %s" #: command.y:1126 msgid "invalid character in command" msgstr "ongeldig teken in commando" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "onbekend commando -- '%.*s'; probeer help" #: command.y:1294 msgid "invalid character" msgstr "ongeldig teken" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "ongedefinieerd commando: %s\n" #: debug.c:257 #, fuzzy #| msgid "set or show the number of lines to keep in history file." msgid "set or show the number of lines to keep in history file" msgstr "zetten of tonen van maximum aantal regels in geschiedenisbestand" #: debug.c:259 #, fuzzy #| msgid "set or show the list command window size." msgid "set or show the list command window size" msgstr "zetten of tonen van venstergrootte van list-commando" #: debug.c:261 #, fuzzy #| msgid "set or show gawk output file." msgid "set or show gawk output file" msgstr "zetten of tonen van gawk-uitvoerbestand" #: debug.c:263 #, fuzzy #| msgid "set or show debugger prompt." msgid "set or show debugger prompt" msgstr "zetten of tonen van debugger-prompt" #: debug.c:265 #, fuzzy #| msgid "(un)set or show saving of command history (value=on|off)." msgid "(un)set or show saving of command history (value=on|off)" msgstr "zetten of tonen van opslaan van commandogeschiedenis (waarde=on|off)" #: debug.c:267 #, fuzzy #| msgid "(un)set or show saving of options (value=on|off)." msgid "(un)set or show saving of options (value=on|off)" msgstr "zetten of tonen van opslaan van opties (waarde=on|off)" #: debug.c:269 #, fuzzy #| msgid "(un)set or show instruction tracing (value=on|off)." msgid "(un)set or show instruction tracing (value=on|off)" msgstr "zetten of tonen van instructie-tracing (waarde=on|off)" #: debug.c:358 #, fuzzy #| msgid "program not running." msgid "program not running" msgstr "programma draait niet." #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "bronbestand '%s' is leeg\n" #: debug.c:502 #, fuzzy #| msgid "no current source file." msgid "no current source file" msgstr "geen huidig bronbestand" #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "kan geen bronbestand met naam '%s' vinden: %s" #: debug.c:551 #, fuzzy, c-format #| msgid "WARNING: source file `%s' modified since program compilation.\n" msgid "warning: source file `%s' modified since program compilation.\n" msgstr "" "Waarschuwing: bronbestand '%s' is gewijzigd sinds programmacompilatie.\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "regelnummer %d valt buiten bereik; '%s' heeft %d regels" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "onverwacht einde-van-bestand tijdens lezen van bestand '%s', regel %d" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "bronbestand '%s' is gewijzigd sinds start van programma-uitvoering" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "Huidig bronbestand: %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "Aantal regels: %d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "Bronbestand (regels): %s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "Nummer Toon Actief Locatie\n" "\n" #: debug.c:787 #, fuzzy, c-format #| msgid "\tno of hits = %ld\n" msgid "\tnumber of hits = %ld\n" msgstr "\taantal treffers = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "\tvolgende %ld treffer(s) negeren\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "\tstopconditie: %s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "\tcommando's:\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "Huidig frame: " #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "Aangeroepen door frame: " #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "Aanroeper van frame: " #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "Geen in main().\n" #: debug.c:870 msgid "No arguments.\n" msgstr "Geen argumenten.\n" #: debug.c:871 msgid "No locals.\n" msgstr "Geen lokalen.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "Alle gedefinieerde variabelen:\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "Alle gedefinieerde functies:\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "Automatisch weer te geven variabelen:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "Kijkvariabelen:\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "geen symbool '%s' in huidige context\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "'%s' is geen array\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = ongeïnitialiseerd veld\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "array '%s' is leeg\n" #: debug.c:1184 debug.c:1236 #, fuzzy, c-format #| msgid "[\"%.*s\"] not in array `%s'\n" msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "[\"%.*s\"] niet in array '%s'\n" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "'%s[\"%.*s\"]' is geen array\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "'%s' is geen scalaire variabele" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "array '%s[\"%.*s\"]' wordt gebruikt in een scalaire context" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "scalair '%s[\"%.*s\"]' wordt gebruikt als array" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "'%s' is een functie" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "kijkpunt %d is zonder conditie\n" #: debug.c:1567 #, fuzzy, c-format #| msgid "No display item numbered %ld" msgid "no display item numbered %ld" msgstr "Er is geen weergave-item met nummer %ld" #: debug.c:1570 #, fuzzy, c-format #| msgid "No watch item numbered %ld" msgid "no watch item numbered %ld" msgstr "Er is geen kijk-item met nummer %ld" #: debug.c:1596 #, fuzzy, c-format #| msgid "%d: [\"%.*s\"] not in array `%s'\n" msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d: [\"%.*s\"] niet in array '%s'\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "scalaire waarde wordt gebruikt als array" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "Kijkpunt %d is verwijderd omdat parameter buiten bereik is.\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "Weergave %d is verwijderd omdat parameter buiten bereik is.\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr " in bestand '%s', regel %d\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr " op '%s':%d" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "#%ld\tin " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "Er volgen meer stack-frames...\n" #: debug.c:2092 msgid "invalid frame number" msgstr "ongeldig framenummer" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Opmerking: breekpunt %d (ingeschakeld, volgende %ld passages genegeerd), ook " "gezet op %s:%d" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "Opmerking: breekpunt %d (ingeschakeld), ook gezet op %s:%d" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Opmerking: breekpunt %d (uitgeschakeld, volgende %ld passages genegeerd), " "ook gezet op %s:%d" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "Opmerking: breekpunt %d (uitgeschakeld), ook gezet op %s:%d" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "Breekpunt %d is gezet in bestand '%s', op regel %d\n" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "kan geen breekpunt zetten in bestand '%s'\n" #: debug.c:2444 #, fuzzy, c-format #| msgid "line number %d in file `%s' out of range" msgid "line number %d in file `%s' is out of range" msgstr "regelnummer %d in bestand '%s' valt buiten bereik" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "**interne fout**: kan regel niet vinden\n" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "kan geen breekpunt zetten op '%s':%d\n" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "kan geen breekpunt zetten in functie '%s'\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "breekpunt %d (gezet in bestand '%s', op regel %d) is onconditioneel\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "regelnummer %d in bestand '%s' valt buiten bereik" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "Breekpunt %d is verwijderd" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "Geen breekpunt(en) bij binnengaan van functie '%s'\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "Geen breekpunt in bestand '%s', op regel #%d\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "ongeldig breekpuntnummer" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "Alle breekpunten verwijderen? (j of n) " #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "j" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "Zal de volgende %ld passage(s) van breekpunt %d negeren.\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "Zal de volgende keer dat breekpunt %d wordt bereikt stoppen.\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "Kan alleen programma's debuggen die met optie '-f' gegeven zijn.\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "Herstarten van debugger is mislukt" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "Programma draait al. Herstarten vanaf begin (j/n)? " #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "Programma is niet herstart\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "fout: kan niet herstarten; operatie is niet toegestaan\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "" "fout(%s): kan niet herstarten; de resterende commando's worden genegeerd\n" #: debug.c:3026 #, fuzzy, c-format #| msgid "Starting program: \n" msgid "Starting program:\n" msgstr "Starten van programma: \n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "Programma is abnormaal afgesloten, met afsluitwaarde %d\n" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "Programma is normaal afgesloten, met afsluitwaarde %d\n" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "Het programma draait. Toch afsluiten (j/n)? " #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "Niet gestopt op een breekpunt; argument is genegeerd.\n" #: debug.c:3091 #, fuzzy, c-format #| msgid "invalid breakpoint number %d." msgid "invalid breakpoint number %d" msgstr "ongeldig breekpuntnummer %d." #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "Zal de volgende %ld passages van breekpunt %d negeren.\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "'finish' is niet zinvol in het buitenste frame van main()\n" #: debug.c:3288 #, fuzzy, c-format #| msgid "Run till return from " msgid "Run until return from " msgstr "Draaien tot terugkeer uit " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "'return' is niet zinvol in het buitenste frame van main()\n" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "kan gegeven locatie in functie '%s' niet vinden\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "ongeldige bronregel %d in bestand '%s'" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "kan gegeven locatie %d in bestand '%s' niet vinden\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "element niet in array\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "ongetypeerde variabele\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "Stoppend in %s...\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "'finish' is niet zinvol met een niet-lokale sprong '%s'\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "'until' is niet zinvol met een niet-lokale sprong '%s'\n" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "" "\t------[Enter] om verder te gaan, of [q] [Enter] om af te sluiten------" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%.*s\"] niet in array '%s'" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "uitvoer wordt naar standaarduitvoer gestuurd\n" #: debug.c:5449 msgid "invalid number" msgstr "ongeldig nummer" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "'%s' is niet toegestaan in huidige context; statement is genegeerd" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "'return' is niet toegestaan in huidige context; statement is genegeerd" #: debug.c:5639 #, fuzzy, c-format #| msgid "fatal error: internal error" msgid "fatal error during eval, need to restart.\n" msgstr "fatale fout: **interne fout**" #: debug.c:5829 #, fuzzy, c-format #| msgid "no symbol `%s' in current context\n" msgid "no symbol `%s' in current context" msgstr "geen symbool '%s' in huidige context\n" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "onbekend knooptype %d" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "onbekende opcode %d" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "opcode %s is geen operator noch sleutelwoord" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "bufferoverloop in genflags2str()" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# Functieaanroepen-stack:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "'IGNORECASE' is een gawk-uitbreiding" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "'BINMODE' is een gawk-uitbreiding" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "BINMODE-waarde '%s' is ongeldig, wordt behandeld als 3" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "onjuiste opgave van '%sFMT': '%s'" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "'--lint' wordt uitgeschakeld wegens toewijzing aan 'LINT'" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "verwijzing naar ongeïnitialiseerd argument '%s'" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "verwijzing naar ongeïnitialiseerde variabele '%s'" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "veldverwijzingspoging via een waarde die geen getal is" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "veldverwijzingspoging via een lege string" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "toegangspoging tot veld %ld" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "verwijzing naar ongeïnitialiseerd veld '$%ld'" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "functie '%s' aangeroepen met meer argumenten dan gedeclareerd" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack(): onverwacht type '%s'" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "deling door nul in '/='" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "deling door nul in '%%='" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "uitbreidingen zijn niet toegestaan in sandbox-modus" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "-l / '@load' zijn gawk-uitbreidingen" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext: lege bibliotheeknaam ontvangen" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext: kan bibliotheek '%s' niet openen: %s" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "" "load_ext: bibliotheek '%s' definieert 'plugin_is_GPL_compatible' niet: %s" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "load_ext: bibliotheek '%s' kan functie '%s' niet aanroepen: %s" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "load_ext: bibliotheek '%s': initialisatiefunctie '%s' is mislukt" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin: ontbrekende functienaam" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "" "make_builtin: kan in gawk ingebouwde '%s' niet als functienaam gebruiken" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" "make_builtin: kan in gawk ingebouwde '%s' niet als naamsruimte gebruiken" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin: kan functie '%s' niet herdefiniëren" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin: functie '%s' is al gedefinieerd" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin: functienaam '%s' is al eerder gedefinieerd" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin: negatief aantal argumenten voor functie '%s'" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "functie '%s': argument #%d: een scalair wordt gebruikt als array" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "functie '%s': argument #%d: een array wordt gebruikt als scalair" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "het dynamisch laden van bibliotheken wordt niet ondersteund" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "stat: kan symbolische koppeling '%s' niet lezen" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "stat: eerste argument is geen string" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "stat: tweede argument is geen array" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stat: onjuiste parameters" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "fts-initialisatie: kan variabele %s niet aanmaken" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "'fts' wordt op dit systeem niet ondersteund" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element: kan array niet aanmaken -- onvoldoende geheugen" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element: kan element niet instellen" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element: kan element niet instellen" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element: kan element niet instellen" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts-verwerking: kan array niet aanmaken" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts-verwerking: kan element niet instellen" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "" "fts: aangeroepen met onjuist aantal argumenten; drie worden er verwacht" #: extension/filefuncs.c:853 msgid "fts: first argument is not an array" msgstr "fts: eerste argument is geen array" #: extension/filefuncs.c:859 msgid "fts: second argument is not a number" msgstr "fts: tweede argument is geen getal" #: extension/filefuncs.c:865 msgid "fts: third argument is not an array" msgstr "fts: derde argument is geen array" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts: kan array niet pletten\n" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "fts: listige FTS_NOSTAT-vlag wordt genegeerd -- lekker puh :)" #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch: kan eerste argument niet verkrijgen" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch: kan tweede argument niet verkrijgen" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch: kan derde argument niet verkrijgen" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "'fnmatch' is niet geïmplementeerd op dit systeem\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "fnmatch()-initialisatie: kan de variabele FNM_NOMATCH niet toevoegen" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "fnmatch()-initialisatie: kan array-element %s niet instellen" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "fnmatch()-initialisatie: kan array FNM niet installeren" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork: PROCINFO is geen array!" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "inplace::begin: in-situ-bewerken is al actief" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "inplace::begin: verwachtte twee argumenten maar is aangeroepen met %d" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "" "inplace::begin: kan eerste argument niet als bestandsnaamstring oppakken" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" "inplace::begin: in-situ-bewerken wordt uitgeschakeld voor ongeldige " "bestandsnaam '%s'" #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "inplace::begin: kan status van '%s' niet bepalen (%s)" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "inplace::begin: '%s' is geen normaal bestand" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace::begin: mkstemp('%s') is mislukt (%s)" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace::begin: chmod is mislukt (%s)" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace::begin: dup(stdout) is mislukt (%s)" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace::begin: dup2(%d, stdout) is mislukt (%s)" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace::begin: close(%d) is mislukt (%s)" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "inplace::end: verwachtte twee argumenten maar is aangeroepen met %d" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "inplace::end: kan eerste argument niet als bestandsnaamstring oppakken" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "inplace::end: in-situ-bewerken is niet actief" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace::end: dup2(%d, stdout) is mislukt (%s)" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace::end: close(%d) is mislukt (%s)" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace::end: fsetpos(stdout) is mislukt (%s)" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace::end: link('%s', '%s') is mislukt (%s)" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace::end: rename('%s', '%s') is mislukt (%s)" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "ord: eerste argument is geen string" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "chr: eerste argument is geen getal" #: extension/readdir.c:291 #, fuzzy, c-format #| msgid "dir_take_control_of: opendir/fdopendir failed: %s" msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "dir_take_control_of(): opendir()/fdopendir() is mislukt: %s" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "readfile: aangeroepen met verkeerd soort argument" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput: kan variabele REVOUT niet initialiseren" #: extension/rwarray.c:145 extension/rwarray.c:548 #, fuzzy, c-format #| msgid "stat: first argument is not a string" msgid "%s: first argument is not a string" msgstr "stat: eerste argument is geen string" #: extension/rwarray.c:189 #, fuzzy #| msgid "do_writea: second argument is not an array" msgid "writea: second argument is not an array" msgstr "do_writea: tweede argument is geen array" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "write_array: kan array niet pletten" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "write_array: kan geplet array niet vrijgeven" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "arraywaarde heeft onbekend type %d" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" #: extension/rwarray.c:437 #, fuzzy, c-format #| msgid "array value has unknown type %d" msgid "cannot free number with unknown type %d" msgstr "arraywaarde heeft onbekend type %d" #: extension/rwarray.c:442 #, fuzzy, c-format #| msgid "array value has unknown type %d" msgid "cannot free value with unhandled type %d" msgstr "arraywaarde heeft onbekend type %d" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "" #: extension/rwarray.c:525 #, fuzzy #| msgid "do_reada: clear_array failed" msgid "reada: clear_array failed" msgstr "do_reada: clear_array() is mislukt" #: extension/rwarray.c:611 #, fuzzy #| msgid "do_reada: second argument is not an array" msgid "reada: second argument is not an array" msgstr "do_reada: tweede argument is geen array" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "read_array: set_array_element() is mislukt" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday: wordt op dit platform niet ondersteund" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep: vereist numeriek argument ontbreekt" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep: argument is negatief" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep: wordt op dit platform niet ondersteund" #: extension/time.c:232 #, fuzzy #| msgid "wait: called with no arguments" msgid "strptime: called with no arguments" msgstr "wait: aangeroepen zonder argumenten" #: extension/time.c:240 #, fuzzy, c-format #| msgid "do_writea: argument 0 is not a string" msgid "do_strptime: argument 1 is not a string\n" msgstr "do_writea: argument 0 is geen string" #: extension/time.c:245 #, fuzzy, c-format #| msgid "do_writea: argument 0 is not a string" msgid "do_strptime: argument 2 is not a string\n" msgstr "do_writea: argument 0 is geen string" #: field.c:321 msgid "input record too large" msgstr "" #: field.c:443 msgid "NF set to negative value" msgstr "NF is op een negatieve waarde gezet" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split: vierde argument is een gawk-uitbreiding" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split: vierde argument is geen array" #: field.c:1138 field.c:1240 #, fuzzy, c-format #| msgid "%s: cannot use a subarray of second argument for first argument" msgid "%s: cannot use %s as fourth argument" msgstr "" "%s: een subarray van het tweede argument kan niet als eerste argument " "gebruikt worden" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: tweede argument is geen array" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "" "split: hetzelfde array kan niet zowel als tweede als als vierde argument " "gebruikt worden" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "" "split: een subarray van het tweede argument kan niet als vierde argument " "gebruikt worden" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "" "split: een subarray van het vierde argument kan niet als tweede argument " "gebruikt worden" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "split: lege string als derde argument is geen standaard-uitbreiding" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: vierde argument is geen array" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: tweede argument is geen array" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit: derde argument moet niet-nil zijn" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "" "patsplit: hetzelfde array kan niet zowel als tweede als als vierde argument " "gebruikt worden" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" "patsplit: een subarray van het tweede argument kan niet als vierde argument " "gebruikt worden" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" "patsplit: een subarray van het vierde argument kan niet als tweede argument " "gebruikt worden" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "'FIELDWIDTHS' is een gawk-uitbreiding" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "ongeldige waarde voor FIELDWIDTHS, voor veld %d, nabij '%s'" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "een lege string als 'FS' is een gawk-uitbreiding" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "oude 'awk' staat geen reguliere expressies toe als waarde van 'FS'" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "'FPAT' is een gawk-uitbreiding" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node(): lege returnwaarde ontvangen" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "awk_value_to_node(): niet in MPFR-modus" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "awk_value_to_node(): MPFR wordt niet ondersteund" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node(): ongeldig getaltype '%d'" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "add_ext_func: NULL als naamsruimte-parameter ontvangen" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value(): lege knoop ontvangen" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value(): lege waarde ontvangen" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element(): leeg array ontvangen" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element(): lege index ontvangen" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "api_flatten_array_typed(): kan index %d niet naar %s converteren" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "api_flatten_array_typed(): kan waarde %d niet naar %s converteren" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "api_get_mpfr(): MPFR wordt niet ondersteund" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "kan einde van BEGINFILE-regel niet vinden" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "kan onbekende bestandssoort '%s' niet openen voor '%s'" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "opdrachtregelargument '%s' is een map -- overgeslagen" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "kan bestand '%s' niet openen om te lezen: %s" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "sluiten van bestandsdescriptor %d ('%s') is mislukt: %s" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "onnodige mix van '>' en '>>' voor bestand '%.*s'" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "omleiding is niet toegestaan in sandbox-modus" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "expressie in omleiding '%s' is een getal" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "expressie voor omleiding '%s' heeft een lege string als waarde" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "bestandsnaam '%.*s' voor omleiding '%s' kan het resultaat zijn van een " "logische expressie" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "kan pijp '%s' niet openen voor uitvoer: %s" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "kan pijp '%s' niet openen voor invoer: %s" #: io.c:1002 #, fuzzy, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "gettimeofday: wordt op dit platform niet ondersteund" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "kan tweerichtings-pijp '%s' niet openen voor in- en uitvoer: %s" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "kan niet omleiden van '%s': %s" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "kan niet omleiden naar '%s': %s" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "systeemgrens voor aantal open bestanden is bereikt: begonnen met multiplexen" #: io.c:1221 #, fuzzy, c-format #| msgid "close of `%s' failed: %s." msgid "close of `%s' failed: %s" msgstr "sluiten van '%s' is mislukt: %s" #: io.c:1229 msgid "too many pipes or input files open" msgstr "te veel pijpen of invoerbestanden geopend" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: tweede argument moet 'to' of 'from' zijn" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "close: '%.*s' is geen open bestand, pijp, of co-proces" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "sluiten van een nooit-geopende omleiding" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close: omleiding '%s' is niet geopend met '|&'; tweede argument wordt " "genegeerd" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "afsluitwaarde %d bij mislukte sluiting van pijp '%s': %s" #: io.c:1400 #, fuzzy, c-format #| msgid "failure status (%d) on pipe close of `%s': %s" msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "afsluitwaarde %d bij mislukte sluiting van pijp '%s': %s" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "afsluitwaarde %d bij mislukte sluiting van bestand '%s': %s" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "geen expliciete sluiting van socket '%s' aangegeven" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "geen expliciete sluiting van co-proces '%s' aangegeven" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "geen expliciete sluiting van pijp '%s' aangegeven" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "geen expliciete sluiting van bestand '%s' aangegeven" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "fflush: kan buffer voor standaarduitvoer niet leegmaken: %s" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "fflush: kan buffer voor standaardfoutuitvoer niet leegmaken: %s" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "fout tijdens schrijven van standaarduitvoer: %s" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "fout tijdens schrijven van standaardfoutuitvoer: %s" #: io.c:1513 #, fuzzy, c-format #| msgid "pipe flush of `%s' failed: %s." msgid "pipe flush of `%s' failed: %s" msgstr "leegmaken van pijp '%s' is mislukt: %s" #: io.c:1516 #, fuzzy, c-format #| msgid "co-process flush of pipe to `%s' failed: %s." msgid "co-process flush of pipe to `%s' failed: %s" msgstr "leegmaken door co-proces van pijp naar '%s' is mislukt: %s" #: io.c:1519 #, fuzzy, c-format #| msgid "file flush of `%s' failed: %s." msgid "file flush of `%s' failed: %s" msgstr "leegmaken van buffer voor bestand '%s' is mislukt: %s" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "lokale poort %s is ongeldig in '/inet': %s" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "lokale poort %s is ongeldig in '/inet'" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "host- en poortinformatie (%s, %s) zijn ongeldig: %s" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "host- en poortinformatie (%s, %s) zijn ongeldig" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "TCP/IP-communicatie wordt niet ondersteund" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "kan '%s' niet openen -- modus '%s'" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "sluiten van meester-pty is mislukt: %s" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "sluiten van standaarduitvoer van dochterproces is mislukt: %s" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "" "kan slaaf-pty niet overzetten naar standaarduitvoer van dochterproces (dup: " "%s)" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "sluiten van standaardinvoer van dochterproces is mislukt: %s" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "" "kan slaaf-pty niet overzetten naar standaardinvoer van dochterproces (dup: " "%s)" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "sluiten van slaaf-pty is mislukt: %s" #: io.c:2317 msgid "could not create child process or open pty" msgstr "kan geen dochterproces starten of geen pty openen" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "" "kan pijp niet overzetten naar standaarduitvoer van dochterproces (dup: %s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "" "kan pijp niet overzetten naar standaardinvoer van dochterproces (dup: %s)" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "herstellen van standaarduitvoer van moederproces is mislukt" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "herstellen van standaardinvoer van moederproces is mislukt" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "sluiten van pijp is mislukt: %s" #: io.c:2534 msgid "`|&' not supported" msgstr "'|&' wordt niet ondersteund" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "kan pijp '%s' niet openen: %s" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "kan voor '%s' geen dochterproces starten (fork: %s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "getline: poging tot lezen uit gesloten leeskant van tweewegpijp" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser(): NULL-pointer gekregen" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "invoer-parser '%s' botst met eerder geïnstalleerde invoer-parser '%s'" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "invoer-parser '%s' kan '%s' niet openen" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_wrapper(): NULL-pointer gekregen" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" "uitvoer-wrapper '%s' botst met eerder geïnstalleerde uitvoer-wrapper '%s'" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "uitvoer-wrapper '%s' kan '%s' niet openen" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor(): NULL-pointer gekregen" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" "tweeweg-processor '%s' botst met eerder geïnstalleerde tweeweg-processor '%s'" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "tweeweg-processor '%s' kan '%s' niet openen" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "databestand '%s' is leeg" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "kan geen extra invoergeheugen meer toewijzen" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "een 'RS' van meerdere tekens is een gawk-uitbreiding" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "IPv6-communicatie wordt niet ondersteund" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "omgevingsvariabele 'POSIXLY_CORRECT' is gezet: '--posix' ingeschakeld" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "'--posix' overstijgt '--traditional'" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "'--posix'/'--traditional' overstijgen '--non-decimal-data'" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "'--posix' overstijgt '--characters-as-bytes'" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "het uitvoeren van %s als 'setuid root' kan een veiligheidsrisico zijn" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "" #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "kan standaardinvoer niet in binaire modus zetten: %s" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "kan standaarduitvoer niet in binaire modus zetten: %s" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "kan standaardfoutuitvoer niet in binaire modus zetten: %s" #: main.c:483 msgid "no program text at all!" msgstr "helemaal geen programmatekst!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "Gebruik: %s [opties] -f programmabestand [--] bestand...\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "" " of: %s [opties] [--] %cprogrammatekst%c bestand...\n" "\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "\tPOSIX-opties:\t\tEquivalente GNU-opties: (standaard)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f programmabestand\t--file=programmabestand\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F veldscheidingsteken\t--field-separator=veldscheidingsteken\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "" "\t-v var=waarde\t\t--assign=var=waarde\n" "\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "\tKorte opties:\t\tEquivalente GNU-opties: (uitbreidingen)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[bestand]\t\t--dump-variables[=bestand]\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-D[bestand]\t\t--debug[=bestand]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e 'programmatekst'\t--source='programmatekst'\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E bestand\t\t--exec=bestand\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "\t-i include-bestand\t\t--include=include-bestand\n" #: main.c:602 #, fuzzy #| msgid "\t-h\t\t\t--help\n" msgid "\t-I\t\t\t--trace\n" msgstr "\t-h\t\t\t--help\n" #: main.c:603 #, fuzzy #| msgid "\t-h\t\t\t--help\n" msgid "\t-k\t\t\t--csv\n" msgstr "\t-h\t\t\t--help\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "\t-l bibliotheek\t\t--load=bibliotheek\n" # FIXME: are arguments literal or translatable? #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "\t-M\t\t\t--bignum\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-o[bestand]\t\t--pretty-print[=bestand]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[bestand]\t\t--profile[=bestand]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-s\t\t\t--no-optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "\t-Z taalregionaam\t\t--locale=taalregionaam\n" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "'gawk' is een patroonherkennings- en bewerkingsprogramma.\n" "Standaard leest het van standaardinvoer en schrijft naar standaarduitvoer.\n" "\n" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "Voorbeelden:\n" "\t%s '{ som += $1 }; END { print som }' bestand\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "Dit programma is vrije software; u mag het verder verspreiden en/of\n" "wijzigen onder de voorwaarden van de GNU General Public License zoals\n" "uitgegeven door de Free Software Foundation, naar keuze ofwel onder\n" "versie 3 of onder een nieuwere versie van die licentie.\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "Dit programma wordt uitgegeven in de hoop dat het nuttig is,\n" "maar ZONDER ENIGE GARANTIE; zelfs zonder de impliciete garantie\n" "van VERKOOPBAARHEID of GESCHIKTHEID VOOR EEN BEPAALD DOEL.\n" "Zie de GNU General Public License voor meer details.\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "Bij dit programma hoort u een kopie van de GNU General Public License\n" "ontvangen te hebben; is dit niet het geval, dan kunt u deze licentie\n" "ook vinden op http://www.gnu.org/licenses/.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "-Ft maakt van FS geen tab in POSIX-awk" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: argument '%s' van '-v' is niet van de vorm 'var=waarde'\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "'%s' is geen geldige variabelenaam" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "'%s' is geen variabelenaam; zoekend naar bestand '%s=%s'" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "kan in gawk ingebouwde '%s' niet als variabelenaam gebruiken" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "kan functie '%s' niet als variabelenaam gebruiken" #: main.c:1294 msgid "floating point exception" msgstr "drijvendekomma-berekeningsfout" #: main.c:1304 msgid "fatal error: internal error" msgstr "fatale fout: **interne fout**" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "geen reeds-geopende bestandsdescriptor %d" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "kan /dev/null niet openen voor bestandsdescriptor %d" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "argument van '-e/--source' is leeg; genegeerd" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "'--profile' overstijgt '--pretty-print'" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "" "optie '-M' is genegeerd; ondersteuning voor MPFR/GMP is niet meegecompileerd" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "" #: main.c:1726 #, fuzzy #| msgid "IPv6 communication is not supported" msgid "Persistent memory is not supported." msgstr "IPv6-communicatie wordt niet ondersteund" #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: optie '-W %s' is onbekend; genegeerd\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: optie vereist een argument -- %c\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "" #: main.c:1913 #, fuzzy #| msgid "api_get_mpfr: MPFR not supported" msgid "persistent memory is not supported" msgstr "api_get_mpfr(): MPFR wordt niet ondersteund" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "PREC-waarde '%.*s' is ongeldig" #: mpfr.c:718 #, fuzzy, c-format #| msgid "RNDMODE value `%.*s' is invalid" msgid "ROUNDMODE value `%.*s' is invalid" msgstr "RNDMODE-waarde '%.*s' is ongeldig" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: eerste argument is geen getal" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: tweede argument is geen getal" #: mpfr.c:825 #, fuzzy, c-format #| msgid "%s: received negative argument %g" msgid "%s: received negative argument %.*s" msgstr "%s: argument %g is negatief" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int: argument is geen getal" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: argument is geen getal" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%Rg): negatieve waarde is niet toegestaan" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "compl(%Rg): cijfers na de komma worden afgekapt" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%Zd): negatieve waarden zijn niet toegestaan" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s: niet-numeriek argument #%d ontvangen" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "%s: argument #%d heeft ongeldige waarde %Rg; 0 wordt gebruikt" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%1$s: negatieve waarde %3$Rg van argument #%2$d is niet toegestaan" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "" "%1$s: cijfers na de komma van waarde %3$Rg van argument #%2$d worden afgekapt" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%1$s: negatieve waarde %3$Zd van argument #%2$d is niet toegestaan" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: aangeroepen met minder dan twee argumenten" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or: aangeroepen met minder dan twee argumenten" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "xor: aangeroepen met minder dan twee argumenten" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: argument is geen getal" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "intdiv: eerste argument is geen getal" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "intdiv: tweede argument is geen getal" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "commandoregel:" #: node.c:477 msgid "backslash at end of string" msgstr "backslash aan het einde van de string" #: node.c:511 #, fuzzy msgid "could not make typed regex" msgstr "onafgesloten reguliere expressie" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "oude 'awk' kent de stuurcodereeks '\\%c' niet" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX staat stuurcode '\\x' niet toe" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "geen hex cijfers in stuurcodereeks '\\x'" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "hexadecimale stuurcode \\x%.*s van %d tekens wordt waarschijnlijk niet " "afgehandeld zoals u verwacht" #: node.c:705 #, fuzzy #| msgid "POSIX does not allow `\\x' escapes" msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX staat stuurcode '\\x' niet toe" #: node.c:713 #, fuzzy #| msgid "no hex digits in `\\x' escape sequence" msgid "no hex digits in `\\u' escape sequence" msgstr "geen hex cijfers in stuurcodereeks '\\x'" #: node.c:744 #, fuzzy #| msgid "no hex digits in `\\x' escape sequence" msgid "invalid `\\u' escape sequence" msgstr "geen hex cijfers in stuurcodereeks '\\x'" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "stuurcodereeks '\\%c' behandeld als normale '%c'" #: node.c:908 #, fuzzy #| msgid "" #| "Invalid multibyte data detected. There may be a mismatch between your " #| "data and your locale." msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "Ongeldige multibyte-gegevens gevonden.\n" "Uw gegevens passen vermoedelijk niet bij uw taalregio." #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "" "%s %s '%s': kan bestandsdescriptorvlaggen niet verkrijgen: (fcntl F_GETFD: " "%s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "%s %s '%s': kan 'close-on-exec' niet activeren: (fcntl F_SETFD: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "" #: profile.c:114 msgid "sending profile to standard error" msgstr "profiel gaat naar standaardfoutuitvoer" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# %s regel(s)\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# Regel(s)\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "**interne fout**: %s met lege 'vname'" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "**interne fout**: ingebouwde functie met lege 'fname'" #: profile.c:1351 #, fuzzy, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "\t# Geladen uitbreidingen ('-l' en/of '@load')\n" "\n" #: profile.c:1382 #, fuzzy, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\t# Geladen uitbreidingen ('-l' en/of '@load')\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# gawk-profiel, gemaakt op %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# Functies, alfabetisch geordend\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str(): onbekend omleidingstype %d" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "" #: re.c:215 #, fuzzy, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "stuurcodereeks '\\%c' behandeld als normale '%c'" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "" "component '%.*s' van reguliere expressie moet vermoedelijk '[%.*s]' zijn" #: support/dfa.c:910 msgid "unbalanced [" msgstr "ongepaarde [" #: support/dfa.c:1031 msgid "invalid character class" msgstr "ongeldige tekenklasse" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "syntax van tekenklasse is [[:space:]], niet [:space:]" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "onafgemaakte \\-stuurcode" #: support/dfa.c:1345 #, fuzzy #| msgid "invalid subscript expression" msgid "? at start of expression" msgstr "ongeldige index-expressie" #: support/dfa.c:1357 #, fuzzy #| msgid "invalid subscript expression" msgid "* at start of expression" msgstr "ongeldige index-expressie" #: support/dfa.c:1371 #, fuzzy #| msgid "invalid subscript expression" msgid "+ at start of expression" msgstr "ongeldige index-expressie" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "ongeldige inhoud van \\{\\}" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "reguliere expressie is te groot" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "ongepaarde (" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "geen syntax opgegeven" #: support/dfa.c:2077 msgid "unbalanced )" msgstr "ongepaarde )" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: optie '%s' is niet eenduidig; mogelijkheden zijn:" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s: optie '--%s' staat geen argument toe\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: optie '%c%s' staat geen argument toe\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: optie '--%s' vereist een argument\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: onbekende optie '--%s'\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: onbekende optie '%c%s'\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: ongeldige optie -- '%c'\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s: optie vereist een argument -- '%c'\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: optie '-W %s' is niet eenduidig\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: optie '-W %s' staat geen argument toe\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: optie '-W %s' vereist een argument\n" #: support/regcomp.c:122 msgid "Success" msgstr "Gelukt" #: support/regcomp.c:125 msgid "No match" msgstr "Geen overeenkomsten" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "Ongeldige reguliere expressie" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "Ongeldig samengesteld teken" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "Ongeldige tekenklassenaam" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "Backslash aan het eind" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "Ongeldige terugverwijzing" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "Ongepaarde [, [^, [:, [., of [=" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "Ongepaarde ( of \\(" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "Ongepaarde \\{" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "Ongeldige inhoud van \\{\\}" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "Ongeldig bereikeinde" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "Onvoldoende geheugen beschikbaar" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "Ongeldige voorafgaande reguliere expressie" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "Voortijdig einde van reguliere expressie" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "Reguliere expressie is te groot" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr "Ongepaarde ) of \\)" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "Geen eerdere reguliere expressie" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" #: symbol.c:781 #, fuzzy, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "functie '%s': kan functie '%s' niet als parameternaam gebruiken" #: symbol.c:911 #, fuzzy msgid "cannot pop main context" msgstr "kan hoofdcontext niet poppen" #~ msgid "fatal: must use `count$' on all formats or none" #~ msgstr "" #~ "fataal: 'count$' hoort in alle opmaken gebruikt te worden, of in geen" #, c-format #~ msgid "field width is ignored for `%%' specifier" #~ msgstr "veldbreedte wordt genegeerd voor opmaakaanduiding '%%'" #, c-format #~ msgid "precision is ignored for `%%' specifier" #~ msgstr "veldprecisie wordt genegeerd voor opmaakaanduiding '%%'" #, c-format #~ msgid "field width and precision are ignored for `%%' specifier" #~ msgstr "" #~ "veldbreedte en -precisie worden genegeerd voor opmaakaanduiding '%%'" #~ msgid "fatal: `$' is not permitted in awk formats" #~ msgstr "fataal: '$' is niet toegestaan in awk-opmaak" #~ msgid "fatal: argument index with `$' must be > 0" #~ msgstr "fataal: argumentindex bij '$' moet > 0 zijn" #, c-format #~ msgid "" #~ "fatal: argument index %ld greater than total number of supplied arguments" #~ msgstr "" #~ "fataal: argumentindex %ld is groter dan het gegeven aantal argumenten" #~ msgid "fatal: `$' not permitted after period in format" #~ msgstr "fataal: '$' is niet toegestaan na een punt in de opmaak" #~ msgid "fatal: no `$' supplied for positional field width or precision" #~ msgstr "fataal: geen '$' opgegeven bij positionele veldbreedte of -precisie" #, fuzzy, c-format #~| msgid "`l' is meaningless in awk formats; ignored" #~ msgid "`%c' is meaningless in awk formats; ignored" #~ msgstr "'l' is betekenisloos in awk-opmaak; genegeerd" #, fuzzy, c-format #~| msgid "fatal: `l' is not permitted in POSIX awk formats" #~ msgid "fatal: `%c' is not permitted in POSIX awk formats" #~ msgstr "fataal: 'l' is niet toegestaan in POSIX awk-opmaak" #, c-format #~ msgid "[s]printf: value %g is too big for %%c format" #~ msgstr "[s]printf: waarde %g is te groot voor opmaak %%c" #, c-format #~ msgid "[s]printf: value %g is not a valid wide character" #~ msgstr "[s]printf: waarde %g is geen geldig breed teken" #, c-format #~ msgid "[s]printf: value %g is out of range for `%%%c' format" #~ msgstr "" #~ "[s]printf: waarde %g ligt buiten toegestaan bereik voor opmaak '%%%c'" #, c-format #~ msgid "[s]printf: value %s is out of range for `%%%c' format" #~ msgstr "" #~ "[s]printf: waarde %s ligt buiten toegestaan bereik voor opmaak '%%%c'" #, c-format #~ msgid "%%%c format is POSIX standard but not portable to other awks" #~ msgstr "'%%%c'-opmaak is POSIX maar niet overdraagbaar naar andere awks" #, c-format #~ msgid "" #~ "ignoring unknown format specifier character `%c': no argument converted" #~ msgstr "" #~ "onbekend opmaakteken '%c' wordt genegeerd: geen argument is geconverteerd" #~ msgid "fatal: not enough arguments to satisfy format string" #~ msgstr "fataal: niet genoeg argumenten voor opmaakstring" #~ msgid "^ ran out for this one" #~ msgstr "niet genoeg ^ voor deze" #~ msgid "[s]printf: format specifier does not have control letter" #~ msgstr "[s]printf: opmaakaanduiding mist een stuurletter" #~ msgid "too many arguments supplied for format string" #~ msgstr "te veel argumenten voor opmaakstring" #, fuzzy, c-format #~| msgid "%s: received non-string first argument" #~ msgid "%s: received non-string format string argument" #~ msgstr "%s: eerste argument is geen string" #~ msgid "sprintf: no arguments" #~ msgstr "sprintf: geen argumenten" #~ msgid "printf: no arguments" #~ msgstr "printf: geen argumenten" #~ msgid "printf: attempt to write to closed write end of two-way pipe" #~ msgstr "" #~ "printf: poging tot schrijven naar gesloten schrijfkant van tweewegpijp" #, c-format #~ msgid "%s" #~ msgstr "%s" #~ msgid "\t-W nostalgia\t\t--nostalgia\n" #~ msgstr "\t-W nostalgia\t\t\t--nostalgia\n" #~ msgid "fatal error: internal error: segfault" #~ msgstr "fatale fout: **interne fout**: segmentatiefout" #~ msgid "fatal error: internal error: stack overflow" #~ msgstr "fatale fout: **interne fout**: stack is vol" #, c-format #~ msgid "typeof: invalid argument type `%s'" #~ msgstr "typeof: ongeldig argumenttype '%s'" #~ msgid "do_writea: first argument is not a string" #~ msgstr "do_writea: eerste argument is geen string" #~ msgid "do_reada: first argument is not a string" #~ msgstr "do_reada: eerste argument is geen string" #~ msgid "do_writea: argument 1 is not an array" #~ msgstr "do_writea: argument 1 is geen array" #~ msgid "do_reada: argument 0 is not a string" #~ msgstr "do_reada: argument 0 is geen string" #~ msgid "do_reada: argument 1 is not an array" #~ msgstr "do_reada: argument 1 is geen array" #~ msgid "`L' is meaningless in awk formats; ignored" #~ msgstr "'L' is betekenisloos in awk-opmaak; genegeerd" #~ msgid "fatal: `L' is not permitted in POSIX awk formats" #~ msgstr "fataal: 'L' is niet toegestaan in POSIX awk-opmaak" #~ msgid "`h' is meaningless in awk formats; ignored" #~ msgstr "'h' is betekenisloos in awk-opmaak; genegeerd" #~ msgid "fatal: `h' is not permitted in POSIX awk formats" #~ msgstr "fataal: 'h' is niet toegestaan in POSIX awk-opmaak" #~ msgid "No symbol `%s' in current context" #~ msgstr "Geen symbool '%s' in huidige context" #~ msgid "asorti: cannot use a subarray of first arg for second arg" #~ msgstr "" #~ "asorti: een subarray van het eerste argument kan niet als tweede argument " #~ "gebruikt worden" #~ msgid "asorti: cannot use a subarray of second arg for first arg" #~ msgstr "" #~ "asorti: een subarray van het tweede argument kan niet als eerste argument " #~ "gebruikt worden" #~ msgid "can't read sourcefile `%s' (%s)" #~ msgstr "kan bronbestand '%s' niet lezen (%s)" #~ msgid "POSIX does not allow operator `**='" #~ msgstr "POSIX staat operator '**=' niet toe" #~ msgid "could not open `%s' for writing (%s)" #~ msgstr "kan '%s' niet openen om te schrijven (%s)" #~ msgid "sqrt: called with negative argument %g" #~ msgstr "sqrt: argument %g is negatief" #~ msgid "Can't find rule!!!\n" #~ msgstr "Kan regel niet vinden!!!\n" #~ msgid "fts: bad first parameter" #~ msgstr "fts: onjuiste eerste parameter" #~ msgid "fts: bad second parameter" #~ msgstr "fts: onjuiste tweede parameter" #~ msgid "fts: bad third parameter" #~ msgstr "fts: onjuiste derde parameter" #~ msgid "fts: clear_array() failed\n" #~ msgstr "fts: clear_array() is mislukt\n" #~ msgid "ord: called with inappropriate argument(s)" #~ msgstr "ord: aangeroepen met onjuiste argumenten" #~ msgid "gensub: third argument %g treated as 1" #~ msgstr "gensub: derde argument is %g; wordt beschouwd als 1" #~ msgid "`extension' is a gawk extension" #~ msgstr "'extension' is een gawk-uitbreiding" #~ msgid "extension: received NULL lib_name" #~ msgstr "uitbreiding: lege bibliotheeknaam ontvangen" #~ msgid "extension: cannot open library `%s' (%s)" #~ msgstr "extension: kan bibliotheek '%s' niet openen (%s)" #~ msgid "extension: library `%s': cannot call function `%s' (%s)" #~ msgstr "extension: bibliotheek '%s' kan functie '%s' niet aanroepen (%s)" #~ msgid "extension: missing function name" #~ msgstr "extension: ontbrekende functienaam" #~ msgid "extension: illegal character `%c' in function name `%s'" #~ msgstr "extension: ongeldig teken '%c' in functienaam '%s'" #~ msgid "extension: can't redefine function `%s'" #~ msgstr "extension: kan functie '%s' niet herdefiniëren" #~ msgid "extension: function `%s' already defined" #~ msgstr "extension: functie '%s' is al gedefinieerd" #~ msgid "extension: function name `%s' previously defined" #~ msgstr "extension: functienaam '%s' is al eerder gedefinieerd" #~ msgid "stat: called with wrong number of arguments" #~ msgstr "stat: aangeroepen met onjuist aantal argumenten" #~ msgid "fnmatch: called with less than three arguments" #~ msgstr "fnmatch: aangeroepen met minder dan drie argumenten" #~ msgid "fnmatch: called with more than three arguments" #~ msgstr "fnmatch: aangeroepen met meer dan drie argumenten" #~ msgid "wait: called with too many arguments" #~ msgstr "wait: aangeroepen met te veel argumenten" #~ msgid "gettimeofday: ignoring arguments" #~ msgstr "gettimeofday: argumenten worden genegeerd" #~ msgid "" #~ "\n" #~ "To report bugs, see node `Bugs' in `gawk.info', which is\n" #~ "section `Reporting Problems and Bugs' in the printed version.\n" #~ "\n" #~ msgstr "" #~ "\n" #~ "Voor het rapporteren van programmagebreken, zie 'info gawk bugs'\n" #~ "of de sectie 'Reporting Problems and Bugs' in de gedrukte versie.\n" #~ "Meld fouten in de vertaling aan .\n" #~ "\n" #~ msgid "unknown value for field spec: %d\n" #~ msgstr "onbekende waarde voor veldspecificatie: %d\n" #~ msgid "function `%s' defined to take no more than %d argument(s)" #~ msgstr "" #~ "functie '%s' is gedefinieerd om niet meer dan %d argument(en) te " #~ "accepteren" #~ msgid "function `%s': missing argument #%d" #~ msgstr "functie '%s': ontbrekend argument #%d" #~ msgid "`getline var' invalid inside `%s' rule" #~ msgstr "'getline var' is ongeldig binnen een '%s'-regel" #~ msgid "`getline' invalid inside `%s' rule" #~ msgstr "'getline' is ongeldig binnen een '%s'-regel" #~ msgid "no (known) protocol supplied in special filename `%s'" #~ msgstr "geen (bekend) protocol aangegeven in speciale bestandsnaam '%s'" #~ msgid "special file name `%s' is incomplete" #~ msgstr "speciale bestandsnaam '%s' is onvolledig" #~ msgid "must supply a remote hostname to `/inet'" #~ msgstr "'/inet' heeft een gindse hostnaam nodig" #~ msgid "must supply a remote port to `/inet'" #~ msgstr "'/inet' heeft een gindse poort nodig" #~ msgid "" #~ "\t# %s block(s)\n" #~ "\n" #~ msgstr "" #~ "\t# %s-blok(ken)\n" #~ "\n" #~ msgid "range of the form `[%c-%c]' is locale dependent" #~ msgstr "" #~ "de betekenis van een bereik van de vorm '[%c-%c]' is afhankelijk van de " #~ "taalregio" #~ msgid "reference to uninitialized element `%s[\"%.*s\"]'" #~ msgstr "verwijzing naar ongeïnitialiseerd element '%s[\"%.*s\"]'" #~ msgid "subscript of array `%s' is null string" #~ msgstr "index van array '%s' is lege string" #~ msgid "%s: empty (null)\n" #~ msgstr "%s: leeg (nil)\n" #~ msgid "%s: empty (zero)\n" #~ msgstr "%s: leeg (nul)\n" #~ msgid "%s: table_size = %d, array_size = %d\n" #~ msgstr "%s: tabelgrootte = %d, arraygrootte = %d\n" #~ msgid "%s: array_ref to %s\n" #~ msgstr "%s: array-verwijzing naar %s\n" #~ msgid "`nextfile' is a gawk extension" #~ msgstr "'nextfile' is een gawk-uitbreiding" #~ msgid "`delete array' is a gawk extension" #~ msgstr "'delete array' is een gawk-uitbreiding" #~ msgid "use of non-array as array" #~ msgstr "non-array wordt gebruikt als array" #~ msgid "`%s' is a Bell Labs extension" #~ msgstr "'%s' is een uitbreiding door Bell Labs" #~ msgid "or(%lf, %lf): negative values will give strange results" #~ msgstr "or(%lf, %lf): negatieve waarden geven rare resultaten" #~ msgid "or(%lf, %lf): fractional values will be truncated" #~ msgstr "or(%lf, %lf): cijfers na de komma worden afgekapt" #~ msgid "xor: received non-numeric first argument" #~ msgstr "xor: eerste argument is geen getal" #~ msgid "xor: received non-numeric second argument" #~ msgstr "xor: tweede argument is geen getal" #~ msgid "xor(%lf, %lf): fractional values will be truncated" #~ msgstr "xor(%lf, %lf): cijfers na de komma worden afgekapt" #~ msgid "can't use function name `%s' as variable or array" #~ msgstr "kan functienaam '%s' niet als variabele of array gebruiken" #~ msgid "assignment used in conditional context" #~ msgstr "toewijzing wordt gebruikt in een conditionele context" #~ msgid "" #~ "for loop: array `%s' changed size from %ld to %ld during loop execution" #~ msgstr "" #~ "for: array '%s' veranderde van grootte %ld naar %ld tijdens uitvoer van " #~ "de lus" #~ msgid "function called indirectly through `%s' does not exist" #~ msgstr "indirect (via '%s') aangeroepen functie bestaat niet" #~ msgid "function `%s' not defined" #~ msgstr "functie '%s' is niet gedefinieerd" #~ msgid "`nextfile' cannot be called from a `%s' rule" #~ msgstr "'nextfile' kan niet aangeroepen worden in een '%s'-regel" #~ msgid "`next' cannot be called from a `%s' rule" #~ msgstr "'next' kan niet aangeroepen worden in een '%s'-regel" #~ msgid "Sorry, don't know how to interpret `%s'" #~ msgstr "Kan '%s' niet interpreteren" #~ msgid "Operation Not Supported" #~ msgstr "Actie wordt niet ondersteund" #~ msgid "`-m[fr]' option irrelevant in gawk" #~ msgstr "optie '-m[fr]' is irrelevant in gawk" #~ msgid "-m option usage: `-m[fr] nnn'" #~ msgstr "gebruikswijze van optie -m: '-m[fr] nnn'" #~ msgid "\t-R file\t\t\t--command=file\n" #~ msgstr "\t-R bestand\t\t\t--command=bestand\n" #~ msgid "could not find groups: %s" #~ msgstr "kan groepen niet vinden: %s" #~ msgid "assignment is not allowed to result of builtin function" #~ msgstr "" #~ "toewijzing aan het resultaat van een ingebouwde functie is niet toegestaan" #~ msgid "attempt to use array in a scalar context" #~ msgstr "array wordt gebruikt in een scalaire context" #~ msgid "statement may have no effect" #~ msgstr "opdracht heeft mogelijk geen effect" #~ msgid "out of memory" #~ msgstr "onvoldoende geheugen beschikbaar" #~ msgid "attempt to use scalar `%s' as array" #~ msgstr "scalair '%s' wordt gebruikt als array" #~ msgid "call of `length' without parentheses is deprecated by POSIX" #~ msgstr "aanroep van 'length' zonder haakjes wordt door POSIX afgeraden" #~ msgid "division by zero attempted in `/'" #~ msgstr "deling door nul in '/'" #~ msgid "length: untyped parameter argument will be forced to scalar" #~ msgstr "length: typeloos parameterargument wordt omgezet naar scalair" #~ msgid "length: untyped argument will be forced to scalar" #~ msgstr "length: typeloos argument wordt omgezet naar scalair" #~ msgid "`break' outside a loop is not portable" #~ msgstr "'break' buiten een lus is niet overdraagbaar" #~ msgid "`continue' outside a loop is not portable" #~ msgstr "'continue' buiten een lus is niet overdraagbaar" #~ msgid "`nextfile' cannot be called from a BEGIN rule" #~ msgstr "'nextfile' kan niet aangeroepen worden in een BEGIN-regel" #~ msgid "" #~ "concatenation: side effects in one expression have changed the length of " #~ "another!" #~ msgstr "" #~ "concatenation: neveneffecten in de ene expressie hebben de lengte van een " #~ "andere veranderd!" #~ msgid "illegal type (%s) in tree_eval" #~ msgstr "ongeldig type (%s) in tree_eval()" #~ msgid "\t# -- main --\n" #~ msgstr "\t# -- hoofd --\n" #~ msgid "invalid tree type %s in redirect()" #~ msgstr "ongeldig boomtype %s in redirect()" #~ msgid "/inet/raw client not ready yet, sorry" #~ msgstr "cliënt van '/inet/raw' is nog niet klaar, sorry" #~ msgid "only root may use `/inet/raw'." #~ msgstr "Alleen root mag '/inet/raw' gebruiken." #~ msgid "/inet/raw server not ready yet, sorry" #~ msgstr "server van '/inet/raw' is nog niet klaar, sorry" #~ msgid "file `%s' is a directory" #~ msgstr "'%s' is een map" #~ msgid "use `PROCINFO[\"%s\"]' instead of `%s'" #~ msgstr "gebruik 'PROCINFO[\"%s\"]' in plaats van '%s'" #~ msgid "use `PROCINFO[...]' instead of `/dev/user'" #~ msgstr "gebruik 'PROCINFO[...]' in plaats van '/dev/user'" #~ msgid "\t-m[fr] val\n" #~ msgstr "\t-m[fr] waarde\n" #~ msgid "can't convert string to float" #~ msgstr "kan string niet converteren naar drijvende-komma-getal" #~ msgid "# treated internally as `delete'" #~ msgstr "# wordt intern behandeld als 'delete'" #~ msgid "# this is a dynamically loaded extension function" #~ msgstr "# dit is een dynamisch geladen uitbreidingsfunctie" #~ msgid "" #~ "\t# BEGIN block(s)\n" #~ "\n" #~ msgstr "" #~ "\t# BEGIN-blok(ken)\n" #~ "\n" #~ msgid "unexpected type %s in prec_level" #~ msgstr "onverwacht type %s in prec_level()" #~ msgid "Unknown node type %s in pp_var" #~ msgstr "onbekend knooptype %s in pp_var()" #~ msgid "can't open two way socket `%s' for input/output (%s)" #~ msgstr "kan tweerichtings-socket '%s' niet openen voor in- en uitvoer (%s)" EOF echo Extracting po/pl.po cat << \EOF > po/pl.po # Polish translations for GNU AWK package. # Copyright (C) 2003, 2004, 2005, 2007, 2008, 2009, 2010, 2011, 2012, 2013, 2014, 2022, 2023, 2024, 2025 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # # Wojciech Polak , 2003, 2004, 2005, 2007, 2008, 2009, 2010, 2011, 2012, 2013, 2014. # additional help by Sergey Poznyakoff , 2003. # Jakub Bogusz , 2022-2025. # msgid "" msgstr "" "Project-Id-Version: gawk 5.3.1b\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2025-02-28 21:30+0100\n" "Last-Translator: Jakub Bogusz \n" "Language-Team: Polish \n" "Language: pl\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Bugs: Report translation errors to the Language-Team address.\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" #: array.c:249 #, c-format msgid "from %s" msgstr "od %s" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "próba użycia wartości skalarnej jako tablicy" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "próba użycia parametru `%s' skalaru jako tablicy" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "próba użycia skalaru `%s' jako tablicy" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "próba użycia tablicy `%s' w kontekście skalaru" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "delete: indeks `%.*s' nie jest w tablicy `%s'" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "próba użycia skalaru `%s[\"%.*s\"]' jako tablicy" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "%s: pierwszy argument nie jest tablicą" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "%s: drugi argument nie jest tablicą" #: array.c:901 field.c:1150 field.c:1247 #, c-format msgid "%s: cannot use %s as second argument" msgstr "%s: nie można użyć %s jako drugiego argumentu" #: array.c:909 #, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "%s: pierwszy argument nie może być typu SYMTAB bez drugiego argumentu" #: array.c:911 #, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "%s: pierwszy argument nie może być typu FUNCTAB bez drugiego argumentu" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" "asort/asorti: użycie tej samej tablicy jako źródła i celu bez trzeciego " "argumentu jest głupie." #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "" "%s: nie można użyć podtablicy pierwszego argumentu dla drugiego argumentu" #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "" "%s: nie można użyć podtablicy drugiego argumentu dla pierwszego argumentu" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "nieprawidłowa nazwa funkcji `%s'" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "funkcja porównująca w sortowaniu `%s' nie została zdefiniowna" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "%s bloków musi posiadać część dotyczącą akcji" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "każda reguła musi posiadać wzorzec lub część dotyczącą akcji" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "stary awk nie wspiera wielokrotnych reguł `BEGIN' lub `END'" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "" "`%s' jest funkcją wbudowaną, więc nie może zostać ponownie zdefiniowana" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "" "stałe wyrażenie regularne `//' wygląda jak komentarz C++, ale nim nie jest" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "" "stałe wyrażenie regularne `/%s/' wygląda jak komentarz C, ale nim nie jest" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "powielone wartości case w ciele switch: %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "wykryto powielony `default' w ciele switch" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "instrukcja `break' poza pętlą lub switch'em jest niedozwolona" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "instrukcja `continue' poza pętlą jest niedozwolona" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "`next' użyty w akcji %s" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "`nextfile' użyty w akcji %s" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "`return' użyty poza kontekstem funkcji" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" "zwykły `print' w regułach BEGIN lub END powinien prawdopodobnie być jako " "`print \"\"'" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "`delete' nie jest dozwolony z SYMTAB" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "`delete' nie jest dozwolony z FUNCTAB" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "`delete(tablica)' jest nieprzenośnym rozszerzeniem tawk" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "wieloetapowe dwukierunkowe linie potokowe nie działają" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "konkatenacja jako cel przekierowania we/wy `>' jest niejednoznaczna" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "wyrażanie regularne po prawej stronie przypisania" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "wyrażenie regularne po lewej stronie operatora `~' lub `!~'" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "" "stary awk nie wspiera słowa kluczowego `in', z wyjątkiem po słowie `for'" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "wyrażenie regularne po prawej stronie porównania" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "" "komenda `getline' bez przekierowania jest nieprawidłowa wewnątrz reguły `%s'" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "" "komenda `getline' bez przekierowania nie jest zdefiniowana wewnątrz akcji END" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "stary awk nie wspiera wielowymiarowych tablic" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "wywołanie `length' bez nawiasów jest nieprzenośne" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "pośrednie wywołania funkcji są rozszerzeniem gawk" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "" "nie można użyć specjalnej zmiennej `%s' do pośredniego wywołania funkcji" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "próba użycia `%s' nie będącego funkcją w wywołaniu funkcji" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "nieprawidłowe wyrażenie indeksowe" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "ostrzeżenie: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "fatalny błąd: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "niespodziewany znak nowego wiersza lub końca łańcucha" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" "pliki źródłowe lub argumenty linii polecenia muszą zawierać kompletne " "funkcje lub reguły" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "nie można otworzyć pliku źródłowego `%s' do odczytu: %s" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "nie można otworzyć współdzielonej biblioteki `%s' do odczytu: %s" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "nieznany powód" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "nie można dołączyć `%s' i używać go jako pliku programu" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "plik źródłowy `%s' jest już załączony" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "biblioteka współdzielona jest już załadowana `%s'" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "@include jest rozszerzeniem gawk" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "pusta nazwa pliku po @include" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "@load jest rozszerzeniem gawk" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "pusta nazwa pliku po @load" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "pusty tekst programu w linii poleceń" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "nie można odczytać pliku źródłowego `%s': %s" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "plik źródłowy `%s' jest pusty" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "błąd: nieprawidłowy znak '\\%03o' w kodzie źródłowym" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "plik źródłowy nie posiada na końcu znaku nowego wiersza" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "" "niezakończone prawidłowo wyrażenie regularne kończy się znakiem `\\' na " "końcu pliku" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" "%s: %d: modyfikator wyrażenia regularnego `/.../%c' tawk nie działa w gawk" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "modyfikator wyrażenia regularnego `/.../%c' tawk nie działa w gawk" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "niezakończone wyrażenie regularne" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "niezakończone wyrażenie regularne na końcu pliku" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "użycie `\\ #...' kontynuacji linii nie jest przenośne" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "backslash nie jest ostatnim znakiem w wierszu" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "wielowymiarowe tablice są rozszerzeniem gawk" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX nie zezwala na operator `%s'" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "operator `%s' nie jest wspierany w starym awk" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "niezakończony łańcuch" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "POSIX nie zezwala na fizyczne końce linii w wartościach łańcuchów" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "kontynuacja łańcucha z użyciem znaku '\\' nie jest przenośna" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "nieprawidłowy znak '%c' w wyrażeniu" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "`%s' jest rozszerzeniem gawk" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX nie zezwala na `%s'" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "`%s' nie jest wspierany w starym awk" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "`goto' uważane za szkodliwe!" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d jest nieprawidłowe jako liczba argumentów dla %s" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "" "%s: literał łańcuchowy jako ostatni argument podstawienia nie ma żadnego " "efektu" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "%s trzeci parametr nie jest zmiennym obiektem" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match: trzeci argument jest rozszerzeniem gawk" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close: drugi argument jest rozszerzeniem gawk" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "nieprawidłowe użycie dcgettext(_\"...\"): usuń znak podkreślenia" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "nieprawidłowe użycie dcngettext(_\"...\"): usuń znak podkreślenia" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "index: stały regexp jako drugi argument nie jest dozwolony" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "funkcja `%s': parametr `%s' zasłania globalną zmienną" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "nie można otworzyć `%s' do zapisu: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "wysyłanie listy zmiennych na standardowe wyjście diagnostyczne" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "%s: zamknięcie nie powiodło się: %s" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "shadow_funcs() wywołana podwójnie!" #: awkgram.y:4980 msgid "there were shadowed variables" msgstr "wystąpiły przykryte zmienne" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "nazwa funkcji `%s' została zdefiniowana poprzednio" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "funkcja `%s': nie można użyć nazwy funkcji jako nazwy parametru" #: awkgram.y:5126 #, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" "funkcja `%s': parametr `%s': POSIX nie pozwala na użycie zmiennej specjalnej " "jako parametru funkcji" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "funkcja `%s': parametr `%s' nie może zawierać przestrzeni nazw" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "funkcja `%s': parametr #%d, `%s', powiela parametr #%d" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "funkcja `%s' została wywołana, ale nigdy nie została zdefiniowana" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "" "funkcja `%s' została zdefiniowana, ale nigdy nie została wywołana " "bezpośrednio" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "stałe wyrażenie regularne dla parametru #%d daje wartość logiczną" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "funkcja `%s' została wywołana z białymi znakami pomiędzy jej nazwą a znakiem " "`(',\n" "lub użyta jako zmienna lub jako tablica" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "próba dzielenia przez zero" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "próba dzielenia przez zero w `%%'" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "nie można przypisać wartości do wyniku tego wyrażenia" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "nieprawidłowy cel przypisania (opcode %s)" #: awkgram.y:6266 msgid "statement has no effect" msgstr "instrukcja nie ma żadnego efektu" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" "identyfikator %s: nazwy kwalifikowane nie są dozwolone w trybie tradycyjnym/" "POSIX" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "" "identyfikator %s: separator przestrzeni nazw to dwa dwukropki, nie jeden" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "kwalifikowany identyfikator `%s' błędnie sformułowany" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" "identyfikator `%s': w nazwie kwalifikowanej separator przestrzeni nazw może " "wystąpić tylko raz" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" "użycie zarezerwowanego identyfikatora `%s' jako przestrzeni nazw nie jest " "dozwolone" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" "użycie zarezerwowanego identyfikatora `%s' jako drugiego elementu nazwy " "kwalifikowanej nie jest dozwolone" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "@namespace jest rozszerzeniem gawk" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" "nazwa przestrzeni nazw `%s' musi być zgodna z zasadami nazywania " "identyfikatorów" # FIXME: ngettext #: builtin.c:93 builtin.c:100 #, c-format msgid "%s: called with %d arguments" msgstr "%s: wywołano z %d argumentami" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "%s do \"%s\" nie powiódł się: %s" #: builtin.c:129 msgid "standard output" msgstr "standardowe wyjście" #: builtin.c:130 msgid "standard error" msgstr "standardowe wyjście błędów" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s: otrzymano argument, który nie jest liczbą" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp: argument %g jest poza zasięgiem" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "%s: otrzymano argument, który nie jest łańcuchem" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: nie można opróżnić: potok `%.*s' otwarty do czytania, a nie do zapisu" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" "fflush: nie można opróżnić: plik `%.*s' otwarty do czytania, a nie do zapisu" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush: nie można opróżnić bufora pliku `%.*s': %s" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" "fflush: nie można opróżnić: dwukierunkowy potok `%.*s' zamknął końcówkę do " "zapisu" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "" "fflush: `%.*s' nie jest ani otwartym plikiem, ani potokiem, ani procesem" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "%s: otrzymano pierwszy argument, który nie jest łańcuchem" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "%s: otrzymano drugi argument, który nie jest łańcuchem" #: builtin.c:595 msgid "length: received array argument" msgstr "length: otrzymano argument, który jest tablicą" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "`length(tablica)' jest rozszerzeniem gawk" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "%s: otrzymano ujemny argument %g" #: builtin.c:698 builtin.c:2949 #, c-format msgid "%s: received non-numeric third argument" msgstr "%s: otrzymano trzeci argument, który nie jest liczbą" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "%s: otrzymano drugi argument, który nie jest liczbą" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: długość %g nie jest >= 1" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: długość %g nie jest >= 0" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: długość %g, która nie jest liczbą całkowitą, zostanie obcięta" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "substr: długość %g zbyt duża dla indeksu łańcucha, obcinanie do %g" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: początkowy indeks %g jest nieprawidłowy, nastąpi użycie 1" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "" "substr: początkowy indeks %g, który nie jest liczbą całkowitą, zostanie " "obcięty" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: łańcuch źródłowy ma zerową długość" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: początkowy indeks %g leży poza końcem łańcucha" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: długość %g zaczynając od %g przekracza długość pierwszego argumentu " "(%lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "" "strftime: wartość formatu w PROCINFO[\"strftime\"] posiada typ numeryczny" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "strftime: drugi argument mniejszy od 0 lub zbyt duży dla time_t" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "strftime: drugi argument spoza zakresu time_t" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: otrzymano pusty łańcuch formatujący" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "mktime: przynajmniej jedna z wartości jest poza domyślnym zakresem" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "funkcja 'system' nie jest dozwolona w trybie piaskownicy" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "" "print: próba zapisu do zamkniętej końcówki do pisania potoku dwukierunkowego" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "odwołanie do niezainicjowanego pola `$%d'" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "%s: otrzymano pierwszy argument, który nie jest liczbą" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: otrzymano trzeci argument, który nie jest tablicą" #: builtin.c:1604 #, c-format msgid "%s: cannot use %s as third argument" msgstr "%s: nie można użyć %s jako trzeciego argumentu" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: trzeci argument `%.*s' potraktowany jako 1" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s: można wywołać niebezpośrednio tylko z dwoma argumentami" #: builtin.c:2242 msgid "indirect call to gensub requires three or four arguments" msgstr "niebezpośrednie wywołanie gensub wymaga trzech lub czterech argumentów" #: builtin.c:2304 msgid "indirect call to match requires two or three arguments" msgstr "niebezpośrednie wywołanie match wymaga dwóch lub trzech argumentów" #: builtin.c:2365 #, c-format msgid "indirect call to %s requires two to four arguments" msgstr "niebezpośrednie wywołanie %s wymaga od dwóch do czterech argumentów" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): ujemne wartości nie są dozwolone" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f): ułamkowe wartości zostaną obcięte" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "lshift(%f, %f): zbyt duża wartość przesunięcia spowoduje dziwne wyniki" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f, %f): ujemne wartości nie są dozwolone" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): ułamkowe wartości zostaną obcięte" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "rshift(%f, %f): zbyt duża wartość przesunięcia spowoduje dziwne wyniki" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "%s: wywołano z mniej niż dwoma argumentami" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "%s: argument %d nie jest liczbą" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%s: ujemna wartość argumentu %d %g nie jest dozwolona" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): wartość ujemna nie jest dozwolona" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): ułamkowe wartości zostaną obcięte" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: `%s' nie jest prawidłową kategorią lokalizacji" #: builtin.c:2842 builtin.c:2860 #, c-format msgid "%s: received non-string third argument" msgstr "%s: otrzymano trzeci argument, który nie jest łańcuchem" #: builtin.c:2915 builtin.c:2936 #, c-format msgid "%s: received non-string fifth argument" msgstr "%s: otrzymano piąty argument, który nie jest łańcuchem" #: builtin.c:2925 builtin.c:2942 #, c-format msgid "%s: received non-string fourth argument" msgstr "%s: otrzymano czwarty argument, który nie jest łańcuchem" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "intdiv: trzeci argument nie jest tablicą" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "intdiv: próba dzielenia przez zero" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "typeof: drugi argument nie jest tablicą" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" "typeof wykryło nieprawidłowe połączenie flag `%s'; proszę zgłosić raport o " "błędzie" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "typeof: nieznany typ argumentu `%s'" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "nie można dodać nowego pliku (%.*s) do ARGV w trybie piaskownicy" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "Podaj komendy (g)awk. Zakończ poleceniem `end'\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "nieprawidłowy numer ramki: %d" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "info: nieprawidłowa opcja - `%s'" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "source `%s': już stanowi źródło." #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "save `%s': niedozwolona komenda." #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "nie można użyć polecenia `commands' dla komend breakpoint/watchpoint" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "nie ustawiono jeszcze breakpoint/watchpoint" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "nieprawidłowy numer breakpoint/watchpoint" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "Podaj komendy dla przypadku napotkania %s %d, jedno w linii.\n" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "Zakończ komendą `end'\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "`end' dozwolony jedynie dla komendy `commands' lub `eval'" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "polecenie `silent' dozwolone jedynie w komendzie `commands'" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "trace: nieprawidłowa opcja - `%s'" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "condition: nieprawidłowy numer breakpoint/watchpoint" #: command.y:452 msgid "argument not a string" msgstr "argument nie jest łańcuchem tekstowym" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "option: nieprawidłowy parametr - `%s'" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "brak takiej funkcji - `%s'" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "enable: nieprawidłowa opcja - `%s'" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "nieprawidłowy zakres specyfikacji: %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "nienumeryczna wartość dla numeru pola" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "znaleziono nienumeryczną wartość, spodziewano się numerycznej" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "niezerowa wartość" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" "backtrace [N] - wypisanie śladu wszystkich lub N najbardziej wewnętrznych " "(zewnętrznych jeśli N < 0) ramek" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "break [[plik:]N|funkcja] - ustawienie pułapki w podanym miejsu" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "clear [[plik:]N|funkcja] - usunięcie uprzednio ustawionych pułapek" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" "commands [numer] - rozpoczęcie listy poleceń do wywołania przy trafieniu " "pułapki" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "condition numer [wyrażenie] - ustawienie lub usunięcie warunku pułapki" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "continue [LICZBA] - kontynuacja śledzonego programu" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "delete [pułapki] [zakres] - usunięcie określonych pułapek" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "disable [pułapki] [zakres] - wyłączenie określonych pułapek" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "" "display [zmienna] - wypisanie wartości zmiennej przy każdym zatrzymaniu " "programu" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "down [N] - przesunięcie N ramek w dół stosu" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "dump [plik] - zrzut instrukcji do pliku lub na standardowe wyjście" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "enable [once|del] [pułapki] [zakres] - włączenie określonych pułapek" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "end - koniec listy poleceń lub instrukcji awk" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "eval instr|[p1, p2, ...] - wyliczenie instrukcji awk" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "exit - (to samo, co quit) wyjście z debuggera" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "finish - wykonanie programu do powrotu z wybranej ramki stosu" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "frame [N] - wybór i wypisanie ramki stosu o numerze N" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "help [polecenie] - wypisanie listy poleceń lub opis polecenia" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "" "ignore N LICZBA - ustawienie podanej LICZBY pułapek numer N do zignorowania" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info temat - source|sources|variables|functions|break|frame|args|locals|" "display|watch" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "list [-|+|[plik:]linia|funkcja|zakres] - wypisanie określonych linii" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "" "next [LICZBA] - wykonanie kroków programu z przejściem przez wywołania " "funkcji" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" "nexti [LICZBA] - wykonanie jednej instrukcji, ale z przejściem przez " "wywołania funkcji" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "option [nazwa[=wartość]] - ustawienie lub wyświetlenie opcji debuggera" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "print zmienna [zmienna] - wypisanie wartości zmiennej lub tablicy" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "printf format, [arg], ... - sformatowane wyjście" #: command.y:872 msgid "quit - exit debugger" msgstr "quit - wyjście z debuggera" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "return [wartość] - powrót z wybranej ramki stosu do miejsca wywołania" #: command.y:876 msgid "run - start or restart executing program" msgstr "run - uruchomienie lub restart wykonywania programu" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "save plik - zapis poleceń z sesji do pliku" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "set zmienna = wartość - przypisanie wartości do zmiennej skalarnej" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "silent - pomijanie zwykłego komunikatu przy zatrzymaniu na pułapce" #: command.y:886 msgid "source file - execute commands from file" msgstr "source plik - wykonanie poleceń z pliku" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" "step [LICZBA] - wykonanie kroków programu do osiągnięcia kolejnej linii " "źródła" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [LICZBA] - wykonanie dokładnie jednej instrukcji" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "tbreak [[plik:]N|funkcja] - ustawienie tymczasowej pułapki" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "trace on|off - wypisywanie instrukcji przed wykonaniem" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "" "undisplay [N] - usunięcie zmiennych z listy automatycznego wyświetlania" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" "until [[plik:]N|funkcja] - wykonywanie do osiągnięcia kolejnej linii lub " "linii N w bieżącej ramce" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [N] - usunięcie zmiennych z listy obserwowanych" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "up [N] - przejście N ramek w górę stosu" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "watch var - ustawienie punktu obserwacji dla zmiennej" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "where [N] - (to samo, co bracktrace) wypisanie śladu wszystkich lub N " "wewnętrznych (zewnętrznych jeśli N < 0) ramek" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "błąd: " #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "nie można odczytać komendy: %s\n" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "nie można odczytać komendy: %s" #: command.y:1126 msgid "invalid character in command" msgstr "nieprawidłowy znak w komendzie" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "nieznana komenda - `%.*s', spróbuj pomocy" #: command.y:1294 msgid "invalid character" msgstr "nieprawidłowy znak" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "niezdefiniowana komenda: %s\n" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "ustawienie lub wyświetlenie liczby linii trzymanych w pliku historii" #: debug.c:259 msgid "set or show the list command window size" msgstr "ustawienie lub wyświetlenie rozmiaru okna poleceń" #: debug.c:261 msgid "set or show gawk output file" msgstr "ustawienie lub wyświetlenie pliku wyjściowego gawka" #: debug.c:263 msgid "set or show debugger prompt" msgstr "ustawienie lub wyświetlenie zachęty debuggera" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "" "włączenie, wyłączenie lub pokazanie stanu zapisywania historii (wartość=on|" "off)" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "" "włączenie, wyłączenie lub pokazanie stanu zapisywania opcji (wartość=on|off)" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "" "włączenie, wyłączenie lub pokazanie stanu śledzenia instrukcji (wartość=on|" "off)" #: debug.c:358 msgid "program not running" msgstr "program nie działa" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "plik źródłowy `%s' jest pusty.\n" #: debug.c:502 msgid "no current source file" msgstr "brak aktualnego pliku źródłowego" #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "nie można znaleźć pliku źródłowego `%s': %s" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "uwaga: plik źródłowy `%s' uległ zmianie od kompilacji programu.\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "numer linii %d spoza zakresu; `%s' ma ich %d" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "niespodziewany koniec pliku podczas czytania `%s', linia %d" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "plik źródłowy `%s' uległ zmianie od rozpoczęcia działania programu" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "Aktualny plik źródłowy: %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "Ilość linii: %d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "Plik źródłowy (linie): %s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "Numer Disp Enabled Lokacja\n" "\n" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "\tliczba trafień = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "\tignorowanie następnych %ld trafień\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "\tkoniec warunku: %s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "\tkomendy:\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "Aktualna ramka: " #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "Wywołano z ramki: " #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "Wywołujący ramki: " #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "Żadnej w main().\n" #: debug.c:870 msgid "No arguments.\n" msgstr "Brak argumentów.\n" #: debug.c:871 msgid "No locals.\n" msgstr "Brak zmiennych lokalnych.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "Wszystkie zdefiniowane zmienne:\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "Wszystkie zdefiniowane funkcje:\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "Zmienne automatycznie wyświetlane:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "Zmienne obserwowane:\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "brak symbolu `%s' w bieżącym kontekście\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "`%s' nie jest tablicą\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = niezainicjowane pole\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "tablica `%s' jest pusta\n" #: debug.c:1184 debug.c:1236 #, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "klucza \"%.*s\" nie ma w tablicy `%s'\n" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "`%s[\"%.*s\"]' nie jest tablicą\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "`%s' nie jest zmienną skalarną" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "próba użycia tablicy `%s[\"%.*s\"]' w kontekście skalaru" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "próba użycia skalaru `%s[\"%.*s\"]' jako tablicy" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "`%s' jest funkcją" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "punkt obserwacji %d jest bezwarunkowy\n" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "brak elementu wyświetlanego o numerze %ld" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "brak elementu obserwowanego o numerze %ld" #: debug.c:1596 #, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d: klucza \"%.*s\" nie ma w tablicy `%s'\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "próba użycia wartości skalarnej jako tablicy" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "" "Punkt obserwacji %d usunięty, ponieważ parametr jest poza zakresem " "widoczności.\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "" "Element wyświetlany %d usunięty, ponieważ parametr jest poza zakresem " "widoczności.\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr " w pliku `%s', linia %d\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr " w `%s':%d" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "#%ld\tw " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "Będzie więcej ramek stosu...\n" #: debug.c:2092 msgid "invalid frame number" msgstr "nieprawidłowy numer ramki" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Uwaga: breakpoint %d (włączony, następne %ld trafień do zignorowania) " "ustawiony także w %s:%d" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "Uwaga: breakpoint %d (włączony) ustawiony także w %s:%d" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Uwaga: breakpoint %d (wyłączony, następne %ld trafień do zignorowania) " "ustawiony także w %s:%d" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "Uwaga: breakpoint %d (wyłączony) ustawiony także w %s:%d" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "Breakpoint %d ustawiony w pliku `%s', linia %d\n" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "Nie można ustawić breakpointa w pliku `%s'\n" #: debug.c:2444 #, c-format msgid "line number %d in file `%s' is out of range" msgstr "numer linii %d w pliku `%s' jest poza zasięgiem" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "błęd wewnętrzny: nie można odnaleźć reguły\n" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "nie można ustawić breakpointa w `%s':%d\n" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "nie można ustawić breakpointa w funkcji `%s'\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "breakpoint %d ustawiony w pliku `%s', linii %d jest bezwarunkowy\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "numer linii %d w pliku `%s' jest poza zasięgiem" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "Skasowany breakpoint %d" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "Brak breakpointów na początku funkcji `%s'\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "Brak breakpointa w pliku `%s', linii #%d\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "błędny numer breakpointu" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "Czy skasować wszystkie breakpointy? (y lub n) " #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "t" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "Następne %ld przejść breakpointu %d będzie zignorowanych.\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "Przy następnym osiągnięciu breakpointu %d nastąpi zatrzymanie.\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "Można śledzić tylko programy przekazane opcją `-f'.\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "Restartowanie...\n" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "Nie udało się zrestartować debuggera" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "Program już działa. Zrestartować od początku (t/n)? " #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "Program nie zrestartowany\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "błąd: nie można zrestartować, operacja niedozwolona\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "błąd (%s): nie można zrestartować, ignorowanie reszty poleceń\n" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "Uruchamianie programu:\n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "Program zakończył się nieprawidłowo z kodem wyjścia: %d\n" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "Program zakończył się prawidłowo z kodem wyjścia: %d\n" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "Program już działa. Zakończyć mimo to (t/n)? " #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "Nie zatrzymano na żadnym breakpoincie; argument zignorowany.\n" #: debug.c:3091 #, c-format msgid "invalid breakpoint number %d" msgstr "nieprawidłowy numer breakpointu %d" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "Następne %ld przejść breakpointu %d będzie zignorowanych.\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "'finish' nic nie znaczy w najbardziej zewnętrznej ramce main()\n" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "Uruchomienie do powrotu z " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "'return' nic nie znaczy w najbardziej zewnętrznej ramce main()\n" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "nie można odnaleźć podanej lokalizacji w funkcji `%s'\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "nieprawidłowa linia źródłowa %d w pliku `%s'" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "nie można odnaleźć lokalizacji %d w pliku `%s'\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "brak elementu w tablicy\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "zmienna bez typu\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "Zatrzymywanie w %s...\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "'finish' nic nie znaczy wraz z nielokalnym skokiem '%s'\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "'until' nic nie znaczy wraz z nielokalnym skokiem '%s'\n" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "\t------[Enter] aby kontynuować lub [q] + [Enter], aby zakończyć------" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%.*s\"] nie ma w tablicy `%s'" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "wysyłanie wyjścia na stdout\n" #: debug.c:5449 msgid "invalid number" msgstr "nieprawidłowa liczba" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "polecenie `%s' nie może być wywołane w tym kontekście; zignorowano" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "" "instrukcja `return' nie może być wywołana w tym kontekście; zignorowano" #: debug.c:5639 #, c-format msgid "fatal error during eval, need to restart.\n" msgstr "błąd krytyczny podczas wykonywania eval, konieczność restartu.\n" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "brak symbolu `%s' w bieżącym kontekście" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "nieznany typ węzła %d" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "nieznany opcode %d" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "opcode %s nie jest operatorem ani słowem kluczowym" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "przepełnienie bufora w genflags2str" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# Stos Wywoławczy Funkcji:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "`IGNORECASE' jest rozszerzeniem gawk" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "`BINMODE' jest rozszerzeniem gawk" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "wartość BINMODE `%s' jest nieprawidłowa, przyjęto ją jako 3" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "zła specyfikacja `%sFMT' `%s'" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "wyłączenie `--lint' z powodu przypisania do `LINT'" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "odwołanie do niezainicjowanego argumentu `%s'" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "odwołanie do niezainicjowanej zmiennej `%s'" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "próba odwołania do pola poprzez nienumeryczną wartość" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "próba odwołania z zerowego łańcucha" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "próba dostępu do pola %ld" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "odwołanie do niezainicjowanego pola `$%ld'" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "" "funkcja `%s' została wywołana z większą ilością argumentów niż zostało to " "zadeklarowane" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: niespodziewany typ `%s'" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "próba dzielenia przez zero w `/='" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "próba dzielenia przez zero w `%%='" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "rozszerzenia nie są dozwolone w trybie piaskownicy" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "-l / @load są rozszerzeniami gawk" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext: otrzymano NULL lib_name" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext: nie można otworzyć biblioteki `%s': %s" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "" "load_ext: biblioteka `%s': nie definiuje `plugin_is_GPL_compatible': %s" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "load_ext: biblioteka `%s': nie można wywołać funkcji `%s': %s" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "" "load_ext: funkcja inicjalizująca `%2$s' biblioteki `%1$s' nie powiodła się" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin: brakująca nazwa funkcji" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "make_builtin: nie można użyć wbudowanej w gawk `%s' jako nazwy funkcji" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" "make_builtin: nie można użyć wbudowanej w gawk `%s' jako nazwy przestrzeni " "nazw" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin: nie można zredefiniować funkcji `%s'" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin: funkcja `%s' została już zdefiniowana" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin: nazwa funkcji `%s' została zdefiniowana wcześniej" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin: ujemny licznik argumentów dla funkcji `%s'" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "funkcja `%s': argument #%d: próba użycia skalaru jako tablicy" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "funkcja `%s': argument #%d: próba użycia tablicy jako skalaru" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "dynamiczne ładowanie bibliotek nie jest obsługiwane" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "stat: nie można odczytać dowiązania symbolicznego `%s'" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "stat: pierwszy argument nie jest łańcuchem" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "stat: drugi argument nie jest tablicą" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stat: złe parametry" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "fts init: nie można utworzyć zmiennej %s" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "funkcja fts nie jest wspierana w tym systemie" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element: nie udało się utworzyć tablicy, brak pamięci" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element: nie można ustawić elementu" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element: nie można ustawić elementu" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element: nie można ustawić elementu" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts-process: nie można utworzyć tablicy" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts-process: nie można ustawić elementu" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "fts: wywołano z nieprawidłową ilością argumentów, powinny być 3" #: extension/filefuncs.c:853 msgid "fts: first argument is not an array" msgstr "fts: pierwszy argument nie jest tablicą" #: extension/filefuncs.c:859 msgid "fts: second argument is not a number" msgstr "fts: drugi argument nie jest liczbą" #: extension/filefuncs.c:865 msgid "fts: third argument is not an array" msgstr "fts: trzeci argument nie jest tablicą" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts: nie można spłaszczyć tablicy\n" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "fts: zignorowano flagę FTS_NOSTAT. nyah, nyah, nyah." #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch: nie można pobrać pierwszego argumentu" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch: nie można pobrać drugiego argumentu" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch: nie można pobrać trzeciego argumentu" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "funkcja fnmatch nie została zaimplementowana w tym systemie\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "fnmatch init: nie można było dodać zmiennej FNM_NOMATCH" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "fnmatch init: nie można było ustawić elementu tablicy %s" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "fnmatch init: nie można było zainstalować tablicy FNM" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork: PROCINFO nie jest tablicą!" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "inplace::begin: edycja w miejscu jest już aktywna" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "inplace::begin: spodziewano się 2 argumentów, a otrzymano %d" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "inplace::begin: nie można pobrać pierwszego argumentu jako nazwy pliku" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" "inplace::begin: wyłączenie edycji w miejscu dla nieprawidłowej nazwy pliku " "`%s'" #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "inplace::begin: nie można wykonać stat na `%s' (%s)" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "inplace::begin: `%s' nie jest zwykłym plikiem" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace::begin: wywołanie mkstemp(`%s') nie powiodło się (%s)" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace::begin: funkcja chmod nie powiodła się (%s)" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace::begin: wywołanie dup(stdout) nie powiodło się (%s)" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace::begin: wywołanie dup2(%d, stdout) nie powiodło się (%s)" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace::begin: wywołanie close(%d) nie powiodło się (%s)" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "inplace::end: spodziewano się 2 argumentów, a otrzymano %d" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "inplace::end: nie można pobrać pierwszego argumentu jako nazwy pliku" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "inplace::end: edycja w miejscu nie jest aktywna" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace::end: wywołanie dup2(%d, stdout) nie powiodło się (%s)" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace::end: wywołanie close(%d) nie powiodło się (%s)" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace::end: wywołanie fsetpos(stdout) nie powiodło się (%s)" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace::end: wywołanie link(`%s', `%s') nie powiodło się (%s)" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace::end: wywołanie rename(`%s', `%s') nie powiodło się (%s)" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "ord: pierwszy argument nie jest łańcuchem" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "chr: pierwszy argument nie jest liczbą" #: extension/readdir.c:291 #, c-format msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "dir_take_control_of: %s: opendir/fdopendir nie powiodło się: %s" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "readfile: wywołano z błędnym typem argumentu" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput: nie udało się zainicjować zmiennej REVOUT" #: extension/rwarray.c:145 extension/rwarray.c:548 #, c-format msgid "%s: first argument is not a string" msgstr "%s: pierwszy argument nie jest łańcuchem" #: extension/rwarray.c:189 msgid "writea: second argument is not an array" msgstr "writea: drugi argument nie jest tablicą" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "writeall: nie można odnaleźć tablicy SYMTAB" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "write_array: nie udało się spłaszczyć tablicy" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "write_array: nie udało się zwolnić spłaszczonej tablicy" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "wartość tablicy ma nieznany typ %d" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" "rozszerzenie rwarray: otrzymano wartość GMP/MPFR, ale skompilowano bez " "obsługi GMP/MPFR." #: extension/rwarray.c:437 #, c-format msgid "cannot free number with unknown type %d" msgstr "nie można zwolnić liczby nieznanego typu %d" #: extension/rwarray.c:442 #, c-format msgid "cannot free value with unhandled type %d" msgstr "nie można zwolnić wartości nie obsługiwanego typu %d" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "readall: nie można ustawić %s::%s" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "readall: nie można ustawić %s" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "reada: clear_array nie powiodło się" #: extension/rwarray.c:611 msgid "reada: second argument is not an array" msgstr "reada: drugi argument nie jest tablicą" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "read_array: set_array_element nie powiodło się" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "" "traktowanie odzyskanej wartości o nieznanym kodzie typu %d jako łańcucha" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" "rozszerzenie rwarray: wartość GMP/MPFR w pliku, ale skompilowano bez obsługi " "GMP/MPFR." #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday: funkcja nie jest wspierana na tej platformie" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep: brakuje wymaganego argumentu numerycznego" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep: argument jest ujemny" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep: funkcja nie jest wspierana na tej platformie" #: extension/time.c:232 msgid "strptime: called with no arguments" msgstr "strptime: wywołano bez argumentów" #: extension/time.c:240 #, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "do_strptime: pierwszy argument nie jest łańcuchem\n" #: extension/time.c:245 #, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "do_strptime: drugi argument nie jest łańcuchem\n" #: field.c:321 msgid "input record too large" msgstr "rekord wejściowy zbyt duży" #: field.c:443 msgid "NF set to negative value" msgstr "NF ustawiony na wartość ujemną" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "zmniejszanie NF nie jest przenośne na wiele wersji awk" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "dostęp do pól z reguły END może nie być przenośny" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split: czwarty argument jest rozszerzeniem gawk" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split: czwarty argument nie jest tablicą" #: field.c:1138 field.c:1240 #, c-format msgid "%s: cannot use %s as fourth argument" msgstr "%s: nie można użyć %s jako czwartego argumentu" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: drugi argument nie jest tablicą" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "" "split: nie można użyć tej samej tablicy dla drugiego i czwartego argumentu" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "" "split: nie można użyć podtablicy drugiego argumentu dla czwartego argumentu" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "" "split: nie można użyć podtablicy czwartego argumentu dla drugiego argumentu" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "" "split: zerowy łańcuch dla trzeciego argumentu jest niestandardowym " "rozszerzeniem" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: czwarty argument nie jest tablicą" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: drugi argument nie jest tablicą" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit: trzeci argument nie może być pusty" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "" "patsplit: nie można użyć tej samej tablicy dla drugiego i czwartego argumentu" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" "patsplit: nie można użyć podtablicy drugiego argumentu dla czwartego " "argumentu" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" "patsplit: nie można użyć podtablicy czwartego argumentu dla drugiego " "argumentu" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" "przypisanie do FS/FIELDWIDTHS/FPAT nie ma znaczenia w przypadku użycia --csv" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "`FIELDWIDTHS' jest rozszerzeniem gawk" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "`*' musi być ostatnim oznaczeniem w FIELDWIDTHS" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "nieprawidłowa wartość FIELDWIDTHS, dla pola %d, w pobliżu `%s'" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "zerowy łańcuch dla `FS' jest rozszerzeniem gawk" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "stary awk nie wspiera wyrażeń regularnych jako wartości `FS'" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "`FPAT' jest rozszerzeniem gawk" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node: otrzymano null retval" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "awk_value_to_node: nie w trybie MPFR" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "awk_value_to_node: MPFR nie jest obsługiwane" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node: błędny typ liczby `%d'" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "add_ext_func: otrzymano parametr name_space równy NULL" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" "node_to_awk_value: wykryto błędną kombinację flag liczbowych `%s'; proszę " "wypełnić zgłoszenie błędu" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value: otrzymano null node" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value: otrzymano null val" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" "node_to_awk_value wykryło błędną kombinację flag `%s'; proszę wypełnić " "zgłoszenie błędu" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element: otrzymano tablicę null" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element: otrzymano null subscript" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "api_flatten_array_typed: nie udało się skonwertować indeksu %d do %s" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "api_flatten_array_typed: nie udało się skonwertować wartości %d do %s" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "api_get_mpfr: MPFR nie jest obsługiwane" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "nie można odnaleźć końca reguły BEGINFILE" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "nie można otworzyć nie rozpoznanego typu pliku `%s' do `%s'" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "argument linii poleceń `%s' jest katalogiem: pominięto" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "nie można otworzyć pliku `%s' do czytania: %s" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "zamknięcie fd %d (`%s') nie powiodło się: %s" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "`%.*s' użyte dla pliku wejściowego i wyjściowego" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "`%.*s' użyte dla pliku wejściowego i potoku wejściowego" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "`%.*s' użyte dla pliku wejściowego i dwukierunkowego potoku" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "`%.*s' użyte dla pliku wejściowego i potoku wyjściowego" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "niepotrzebne mieszanie `>' i `>>' dla pliku `%.*s'" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "`%.*s' użyte dla potoku wejściowego i pliku wyjściowego" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "`%.*s' użyte dla pliku wyjściowego i potoku wyjściowego" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "`%.*s' użyte dla pliku wyjściowego i potoku dwukierunkowego" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "`%.*s' użyte dla potoku wejściowego i potoku wyjściowego" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "`%.*s' użyte dla potoku wejściowego i potoku dwukierunkowego" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "`%.*s' użyte dla potoku wyjściowego i potoku dwukierunkowego" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "przekierowanie nie jest dozwolone w trybie piaskownicy" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "wyrażenie w przekierowaniu `%s' jest liczbą" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "wyrażenie dla przekierowania `%s' ma pustą wartość łańcucha" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "nazwa pliku `%.*s' dla przekierowania `%s' może być wynikiem wyrażenia " "logicznego" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "get_file nie może utworzyć potoku `%s' z fd %d" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "nie można otworzyć potoku `%s' jako wyjścia: %s" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "nie można otworzyć potoku `%s' jako wejścia: %s" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" "tworzenie gniazda przez get_file nie jest obsługiwane na tej platformie dla " "`%s' z fd %d" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "" "nie można otworzyć dwukierunkowego potoku `%s' jako wejścia/wyjścia: %s" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "nie można przekierować z `%s': %s" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "nie można przekierować do `%s': %s" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "osiągnięto systemowy limit otwartych plików: rozpoczęcie multipleksowania " "deskryptorów plików" #: io.c:1221 #, c-format msgid "close of `%s' failed: %s" msgstr "zamknięcie `%s' nie powiodło się: %s" #: io.c:1229 msgid "too many pipes or input files open" msgstr "zbyt dużo otwartych potoków lub plików wejściowych" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: drugim argumentem musi być `to' lub `from'" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "" "close: `%.*s' nie jest ani otwartym plikiem, ani potokiem, ani procesem" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "zamknięcie przekierowania, które nigdy nie zostało otwarte" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close: przekierowanie `%s' nie zostało otwarte z `|&', drugi argument " "zignorowany" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "status awarii (%d) podczas zamykania potoku `%s': %s" #: io.c:1400 #, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "status awarii (%d) podczas zamykania potoku dwukierunkowego `%s': %s" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "status awarii (%d) podczas zamykania pliku `%s': %s" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "brak jawnego zamknięcia gniazdka `%s'" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "brak jawnego zamknięcia procesu pomocniczego `%s'" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "brak jawnego zamknięcia potoku `%s'" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "brak jawnego zamknięcia pliku `%s'" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "fflush: nie można opróżnić standardowego wyjścia: %s" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "fflush: nie można opróżnić standardowego wyjścia diagnostycznego: %s" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "błąd podczas zapisu na standardowe wyjście: %s" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "błąd podczas zapisu na standardowe wyjście diagnostyczne: %s" #: io.c:1513 #, c-format msgid "pipe flush of `%s' failed: %s" msgstr "opróżnienie potoku `%s' nie powiodło się: %s" #: io.c:1516 #, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "" "opróżnienie potoku do `%s' przez proces pomocniczy nie powiodło się: %s" #: io.c:1519 #, c-format msgid "file flush of `%s' failed: %s" msgstr "opróżnienie pliku `%s' nie powiodło się: %s" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "nieprawidłowy lokalny port %s w `/inet': %s" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "nieprawidłowy lokalny port %s w `/inet'" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "informacje o zdalnym hoście i porcie (%s, %s) są nieprawidłowe: %s" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "informacje o zdalnym hoście i porcie są nieprawidłowe (%s, %s)" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "Komunikacja TCP/IP nie jest wspierana" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "nie można otworzyć `%s', tryb `%s'" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "zamknięcie nadrzędnego pty nie powiodło się: %s" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "" "zamknięcie standardowego wyjścia w procesie potomnym nie powiodło się: %s" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "" "przesunięcie podległego pty na standardowe wyjście w procesie potomnym nie " "powiodło się (dup: %s)" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "" "zamknięcie standardowego wejścia w procesie potomnym nie powiodło się: %s" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "" "przesunięcie podległego pty na standardowe wejście w procesie potomnym nie " "powiodło się (dup: %s)" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "zamknięcie podległego pty nie powiodło się: %s" #: io.c:2317 msgid "could not create child process or open pty" msgstr "nie można utworzyć procesu potomnego lub otworzyć pty" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "" "przesunięcie potoku na standardowe wyjście w procesie potomnym nie powiodło " "się (dup: %s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "" "przesunięcie potoku na standardowe wejście w procesie potomnym nie powiodło " "się (dup: %s)" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "odzyskanie standardowego wyjścia w procesie rodzica nie powiodło się" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "odzyskanie standardowego wejścia w procesie rodzica nie powiodło się" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "zamknięcie potoku nie powiodło się: %s" #: io.c:2534 msgid "`|&' not supported" msgstr "`|&' nie jest wspierany" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "nie można otworzyć potoku `%s': %s" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "nie można utworzyć procesu potomnego dla `%s' (fork: %s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "" "getline: próba odczytu z zamkniętego końca do odczytu potoku dwukierunkowego" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser: otrzymano wskaźnik NULL" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" "parser wejścia `%s' konfliktuje z poprzednio zainstalowanym parserem `%s'" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "parser wejścia `%s': nie powiodło się otwarcie `%s'" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_wrapper: otrzymano wskaźnik NULL" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" "otoczka wyjścia `%s' konfliktuje z poprzednio zainstalowaną otoczką `%s'" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "otoczka wyjścia `%s': nie powiodło się otwarcie `%s'" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor: otrzymano wskaźnik NULL" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" "dwukierunkowy procesor `%s' konfliktuje z poprzednio zainstalowanym " "procesorem `%s'" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "dwukierunkowy procesor `%s' zawiódł w otwarciu `%s'" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "plik danych `%s' jest pusty" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "nie można zarezerwować więcej pamięci wejściowej" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "przypisanie do RS nie ma znaczenia w przypadku użycia --csv" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "wieloznakowa wartość `RS' jest rozszerzeniem gawk" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "Komunikacja IPv6 nie jest wspierana" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" "gawk_popen_write: nie udało się przenieść deskryptora pliku potoku na " "standardowe wejście" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "" "zmienna środowiskowa `POSIXLY_CORRECT' ustawiona: `--posix' został włączony" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "opcja `--posix' zostanie użyta nad `--traditional'" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "`--posix'/`--traditional' użyte nad opcją `--non-decimal-data'" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "opcja `--posix' zostanie użyta nad `--characters-as-bytes'" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "`--posix' i `--csv' wykluczają się" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "" "uruchamianie %s setuid root może być problemem pod względem bezpieczeństwa" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "Opcje -r/--re-interval nie mają już żadnego efektu" #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "nie można ustawić trybu binarnego dla standardowego wejścia: %s" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "nie można ustawić trybu binarnego dla standardowego wyjścia: %s" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "" "nie można ustawić trybu binarnego dla standardowego wyjścia diagnostycznego: " "%s" #: main.c:483 msgid "no program text at all!" msgstr "brak tekstu programu!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "" "Użycie: %s [styl opcji POSIX lub GNU] -f plik_z_programem [--] plik ...\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "Użycie: %s [styl opcji POSIX lub GNU] [--] %cprogram%c plik ...\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "Opcje POSIX:\t\tDługie opcje GNU (standard):\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f program\t\t--file=program\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F fs\t\t\t--field-separator=fs\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "\t-v zmienna=wartość\t--assign=zmienna=wartość\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "Krótkie opcje:\t\tDługie opcje GNU: (rozszerzenia)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[plik]\t\t--dump-variables[=plik]\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-D[plik]\t\t--debug[=plik]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e 'tekst-programu'\t--source='tekst-programu'\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E plik\t\t\t--exec=plik\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "\t-i plikinclude\t\t--include=plikinclude\n" #: main.c:602 msgid "\t-I\t\t\t--trace\n" msgstr "\t-I\t\t\t--trace\n" #: main.c:603 msgid "\t-k\t\t\t--csv\n" msgstr "\t-k\t\t\t--csv\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "\t-l biblioteka\t\t--load=biblioteka\n" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "\t-M\t\t\t--bignum\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-o[plik]\t\t--pretty-print[=plik]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[plik]\t\t--profile[=plik]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-s\t\t\t--no-optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "\t-Z nazwa-lokalizacji\t--locale=nazwa-lokalizacji\n" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "Do zgłaszania błędów prosimy używać programu `gawkbug'.\n" "Pełne instrukcje można znaleźć w węźle `Bugs' w `gawk.info',\n" "obecnego w sekcji `Reporting Problems and Bugs' w wersji drukowanej.\n" "Te same informacje można znaleźć pod adresem\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PROSIMY NIE próbować zgłaszać błędów wysyłając wiadomości na grupę\n" "comp.lang.awk albo przy użyciu forów WWW, takich jak Stack Overflow.\n" "\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" "Kod źródłowy gawka można pobrać z\n" "%s/gawk-%s.tar.gz\n" "\n" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk jest językiem skanowania i przetwarzania wzorców.\n" "Program domyślnie czyta standardowe wejście i zapisuje standardowe wyjście.\n" "\n" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "Przykłady:\n" "\t%s '{ suma += $1 }; END { print suma }' plik\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "Ten program jest wolnym oprogramowaniem; możesz go rozprowadzać dalej\n" "i/lub modyfikować na warunkach Powszechnej Licencji Publicznej GNU,\n" "wydanej przez Fundację Wolnego Oprogramowania - według wersji 3-ciej\n" "tej Licencji lub którejś z późniejszych wersji.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "Ten program rozpowszechniany jest z nadzieją, iż będzie on\n" "użyteczny - jednak BEZ JAKIEJKOLWIEK GWARANCJI, nawet domyślnej\n" "gwarancji PRZYDATNOŚCI HANDLOWEJ albo PRZYDATNOŚCI DO OKREŚLONYCH\n" "ZASTOSOWAŃ. W celu uzyskania bliższych informacji przeczytaj\n" "Powszechną Licencję Publiczną GNU.\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "Z pewnością wraz z niniejszym programem otrzymałeś też egzemplarz\n" "Powszechnej Licencji Publicznej GNU (GNU General Public License);\n" "jeśli zaś nie - odwiedź stronę http://www.gnu.org/licenses/.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "-Ft nie ustawia FS na znak tabulatora w POSIX awk" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: argument `%s' dla `-v' nie jest zgodny ze składnią `zmienna=wartość'\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "`%s' nie jest dozwoloną nazwą zmiennej" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "`%s' nie jest nazwą zmiennej, szukanie pliku `%s=%s'" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "nie można użyć wbudowanej w gawk `%s' jako nazwy zmiennej" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "nie można użyć funkcji `%s' jako nazwy zmiennej" #: main.c:1294 msgid "floating point exception" msgstr "wyjątek zmiennopozycyjny" #: main.c:1304 msgid "fatal error: internal error" msgstr "fatalny błąd: wewnętrzny błąd" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "brak już otwartego fd %d" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "nie można otworzyć zawczasu /dev/null dla fd %d" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "pusty argument dla opcji `-e/--source' został zignorowany" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "opcja `--profile' przykrywa `--pretty-print'" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "-M zignorowane: obsługa MPFR/GMP nie jest wkompilowana" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "Zamiast --persist należy użyć `GAWK_PERSIST_FILE=%s gawk ...'." #: main.c:1726 msgid "Persistent memory is not supported." msgstr "Pamięć trwała nie jest obsługiwana." #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: opcja `-W %s' nierozpoznana i zignorowana\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: opcja musi mieć argument -- %c\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "%s: błąd krytyczny: nie można wykonać stat %s: %s\n" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" "%s: błąd krytyczny: użycie trwałej pamięci nie jest dozwolone przy " "uruchamianiu jako root.\n" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "%s: uwaga: właścicielem %s nie jest euid %d.\n" #: main.c:1913 msgid "persistent memory is not supported" msgstr "pamięć trwała nie jest obsługiwana" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" "%s: krytyczne: nie udało się zainicjować alokatora pamięci trwałej: zwrócił " "wartość %d, linia pma.c: %d.\n" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "wartość PREC `%.*s' jest nieprawidłowa" #: mpfr.c:718 #, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "wartość ROUNDMODE `%.*s' jest nieprawidłowa" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: otrzymano pierwszy argument, który nie jest liczbą" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: otrzymano drugi argument, który nie jest liczbą" #: mpfr.c:825 #, c-format msgid "%s: received negative argument %.*s" msgstr "%s: otrzymano ujemny argument %.*s" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int: otrzymano argument, który nie jest liczbą" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: otrzymano argument, który nie jest liczbą" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%Rg): ujemna wartość nie jest dozwolona" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "compl(%Rg): ułamkowe wartości zostaną obcięte" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%Zd): ujemne wartości nie są dozwolone" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s: otrzymano argument #%d, który nie jest liczbą" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "%s: argument #%d ma nieprawidłową wartość %Rg, użyto 0" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%s: ujemna wartość argumentu #%d %Rg nie jest dozwolona" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "%s: ułamkowa wartość argumentu #%d %Rg zostanie obcięta" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%s: ujemna wartość argumentu #%d %Zd nie jest dozwolona" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: wywołano z mniej niż dwoma argumentami" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or: wywołano z mniej niż dwoma argumentami" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "xor: wywołano z mniej niż dwoma argumentami" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: otrzymano argument, który nie jest liczbą" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "intdiv: otrzymano pierwszy argument, który nie jest liczbą" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "intdiv: otrzymano drugi argument, który nie jest liczbą" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "linia poleceń:" #: node.c:477 msgid "backslash at end of string" msgstr "backslash na końcu łańcucha" #: node.c:511 msgid "could not make typed regex" msgstr "nie udało się utworzyć wyrażenia regularnego z typem" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "stary awk nie wspiera sekwencji unikania `\\%c'" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX nie zezwala na sekwencję unikania `\\x'" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "brak cyfr szesnastkowych w sekwencji unikania `\\x'" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "szesnastkowa sekwencja unikania \\x%.*s mająca %d znaków prawdopodobnie nie " "została zinterpretowana jak tego oczekujesz" #: node.c:705 msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX nie zezwala na sekwencję unikania `\\u'" #: node.c:713 msgid "no hex digits in `\\u' escape sequence" msgstr "brak cyfr szesnastkowych w sekwencji unikania `\\u'" #: node.c:744 msgid "invalid `\\u' escape sequence" msgstr "błędna sekwencja unikania `\\u'" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "sekwencja unikania `\\%c' potraktowana jako zwykłe `%c'" #: node.c:908 msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "Wykryto nieprawidłowe dane wielobajtowe. Możliwe jest niedopasowanie " "pomiędzy Twoimi danymi a ustawieniami regionalnymi." #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "%s %s `%s': nie można uzyskać flag fd: (fcntl F_GETFD: %s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "%s %s `%s': nie można ustawić close-on-exec: (fcntl F_SETFD: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "uwaga: /proc/self-exe: readlink: %s\n" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "uwaga: osobowość: %s\n" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "waitpid: odebrano kod wyjścia %#o\n" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "krytyczne: posix_spawn: %s\n" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "Za głęboki poziom wcięcia programu. Sugerowany refaktor kodu" #: profile.c:114 msgid "sending profile to standard error" msgstr "wysyłanie profilu na standardowe wyjście diagnostyczne" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# Reguła(i) %s\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# Reguła(i)\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "wewnętrzny błąd: %s z zerowym vname" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "wewnętrzny błąd: builtin z fname null" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "%s# Załadowane rozszerzenia (-l i/lub @load)\n" "\n" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\n" "# Dołączone pliki (-i i/lub @include)\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# profil programu gawk, utworzony %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# Funkcje, spis alfabetyczny\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str: nieznany typ przekierowania %d" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" "wynik dopasowania do wyrażenia regularnego zawierającego znaki NUL nie jest " "zdefiniowane przez POSIX" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "błędny bajt NUL w dynamicznym wyrażeniu regularnym" #: re.c:215 #, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "" "sekwencja unikania `\\%c' w wyrażeniu regularnym potraktowana jako zwykłe " "`%c'" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" "sekwencja unikania `\\%c' w wyrażeniu regularnym nie jest znanym operatorem" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "komponent regexp `%.*s' powinien być prawdopodobnie `[%.*s]'" #: support/dfa.c:910 msgid "unbalanced [" msgstr "[ nie do pary" #: support/dfa.c:1031 msgid "invalid character class" msgstr "nieprawidłowa klasa znaku" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "składnia klasy znaku to [[:space:]], a nie [:space:]" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "niedokończona sekwencja unikania \\" #: support/dfa.c:1345 msgid "? at start of expression" msgstr "? na początku wyrażenia" #: support/dfa.c:1357 msgid "* at start of expression" msgstr "* na początku wyrażenia" #: support/dfa.c:1371 msgid "+ at start of expression" msgstr "+ na początku wyrażenia" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "{...} na początku wyrażenia" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "nieprawidłowa zawartość \\{\\}" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "wyrażenie regularne zbyt duże" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "zabłąkany \\ przed znakiem niedrukowalnym" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "zabłąkany \\ przed spacją" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "zabłąkany \\ przed %s" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "zabłąkany \\" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "( nie do pary" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "nie podano składni" #: support/dfa.c:2077 msgid "unbalanced )" msgstr ") nie do pary" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: opcja '%s' jest niejednoznaczna; możliwości:" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s: opcja '--%s' nie może mieć argumentów\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: opcja '%c%s' nie może mieć argumentów\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: opcja '--%s' wymaga argumentu\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: nieznana opcja '--%s'\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: nieznana opcja '%c%s'\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: błędna opcja -- '%c'\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s: opcja wymaga argumentu -- '%c'\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: opcja '-W %s' jest niejednoznaczna\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: opcja '-W %s' nie może mieć argumentów\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: opcja '-W %s' wymaga argumentu\n" #: support/regcomp.c:122 msgid "Success" msgstr "Sukces" #: support/regcomp.c:125 msgid "No match" msgstr "Brak dopasowania" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "Nieprawidłowe wyrażenie regularne" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "Nieprawidłowy znak porównania" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "Nieprawidłowa nazwa klasy znaku" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "Końcowy znak backslash" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "Nieprawidłowe odwołanie wsteczne" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "Niesparowany znak [, [^, [:, [. lub [=" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "Niesparowany znak ( lub \\(" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "Niesparowany znak \\{" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "Nieprawidłowa zawartość \\{\\}" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "Nieprawidłowy koniec zakresu" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "Pamięć wyczerpana" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "Nieprawidłowe poprzedzające wyrażenie regularne" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "Przedwczesny koniec wyrażenia regularnego" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "Wyrażenie regularne jest zbyt duże" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr "Niesparowany znak ) lub \\)" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "Brak poprzedniego wyrażenia regularnego" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" "bieżące ustawienie -M/--bignum nie pasuje do zapisanego ustawienia w pliku " "odpowiadającemu PMA" #: symbol.c:781 #, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "funkcja `%s': nie można użyć funkcji `%s' jako nazwy parametru" #: symbol.c:911 msgid "cannot pop main context" msgstr "nie można zdjąć głównego kontekstu" EOF echo Extracting po/pt_BR.po cat << \EOF > po/pt_BR.po # Brazilian Portuguese translation for gawk package # Traduções em português brasileiro para o pacote gawk # Copyright (C) 2021 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # Juan Carlos Castro y Castro , 2003. # Rafael Fontenelle , 2017-2021. # msgid "" msgstr "" "Project-Id-Version: gawk 5.1.1e\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2021-09-04 11:38-0300\n" "Last-Translator: Rafael Fontenelle \n" "Language-Team: Brazilian Portuguese \n" "Language: pt_BR\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1)\n" "X-Generator: Gtranslator 40.0\n" "X-Bugs: Report translation errors to the Language-Team address.\n" #: array.c:249 #, c-format msgid "from %s" msgstr "de %s" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "tentativa de usar valor escalar como vetor" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "tentativa de usar parâmetro escalar \"%s\" como um vetor" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "tentativa de usar escalar \"%s\" como um vetor" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "tentativa de usar vetor \"%s\" em um contexto escalar" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "delete: índice \"%.*s\" não está no vetor \"%s\"" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "tentativa de usar escalar '%s[\"%.*s\"]' em um vetor" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "%s: primeiro argumento não é um vetor" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "%s: segundo argumento não é um vetor" #: array.c:901 field.c:1150 field.c:1247 #, c-format msgid "%s: cannot use %s as second argument" msgstr "%s: não é possível usar %s como segundo argumento" #: array.c:909 #, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "%s: primeiro argumento não pode ser SYMTAB sem um segundo argumento" #: array.c:911 #, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "%s: primeiro argumento não pode ser FUNCTAB sem um segundo argumento" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" "asort/asorti: usar o mesmo vetor como origem e destino sem um terceiro " "argumento é uma tolice." #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "" "%s: não é possível usar um subvetor do primeiro argumento para o segundo" #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "" "%s: não é possível usar um subvetor do segundo argumento para o primeiro" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "\"%s\" é inválido como um nome de função" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "a função de comparação de ordem \"%s\" não está definida" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "blocos %s devem ter uma parte de ação" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "cada regra deve ter um padrão ou uma parte de ação" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "" "o velho awk não oferece suporte regras múltiplas de \"BEGIN\" ou \"END\"" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "\"%s\" é uma função intrínseca, não pode ser redefinida" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "" "a constante de expr. reg. \"//\" parece ser um comentário C++, mas não é" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "" "a constante de expr. reg. \"/%s/\" parece ser um comentário C, mas não é" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "valores de case duplicados no corpo do switch: %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "\"default\" duplicados detectados no corpo do switch" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "\"break\" não é permitido fora um loop ou switch" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "\"continue\" não é permitido fora de um loop" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "\"next\" usado na ação %s" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "\"nextfile\" usado na ação %s" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "\"return\" usado fora do contexto de função" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" "\"print\" sozinho em regra BEGIN ou END provavelmente deveria ser 'print " "\"\"'" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "\"delete\" não é permitido com SYMTAB" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "\"delete\" não é permitido com FUNCTAB" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "\"delete(array)\" é uma extensão não portável do tawk" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "pipelines bidirecionais de múltiplos estágios não funcionam" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "concatenação como alvo de redirecionamento de E/S \">\" é ambíguo" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "expressão regular à direita de atribuição" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "expressão regular à esquerda de operador \"~\" ou \"!~\"" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "" "o velho awk não oferece suporte à palavra-chave \"in\", exceto após \"for\"" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "expressão regular à direita de comparação" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "\"getline\" não redirecionado inválido dentro da regra \"%s\"" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "\"getline\" não redirecionado indefinido dentro da ação END" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "o velho awk não oferece suporte a vetores multidimensionais" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "chamada de \"length\" sem parênteses não é portável" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "chamadas indiretas de função são uma extensão do gawk" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "" "não é possível usar a variável especial \"%s\" para chamada indireta de " "função" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "tentativa de usar não função \"%s\" em chamada de função" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "expressão de índice inválida" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "aviso: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "fatal: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "nova linha ou fim de string inesperado" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" "arquivos-fonte/argumentos de linha de comando devem conter funções ou regras " "completas" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "não foi possível abrir arquivo-fonte \"%s\" para leitura: %s" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "" "não foi possível abrir a biblioteca compartilhada \"%s\" para leitura: %s" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "motivo desconhecido" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "não é possível incluir \"%s\" e usá-lo como um arquivo de programa" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "arquivo-fonte \"%s\" já incluso" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "biblioteca compartilhada \"%s\" já carregada" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "@include é uma extensão do gawk" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "nome de arquivo vazio após @include" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "@load é uma extensão do gawk" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "nome de arquivo vazio após @load" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "texto de programa vazio na linha de comando" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "não foi possível ler arquivo-fonte \"%s\": %s" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "arquivo-fonte \"%s\" está vazio" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "erro: caractere inválido \"\\%03o\" no código-fonte" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "arquivo-fonte não termina em nova linha" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "expressão regular inacabada termina com \"\\\" no fim do arquivo" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "%s: %d: modificador tawk regex \"/../%c\" não funciona no gawk" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "modificador tawk regex \"/../%c\" não funciona no gawk" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "expressão regular inacabada" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "expressão regular inacabada no fim do arquivo" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "uso da continuação de linha \"\\ #...\" não é portável" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "barra invertida não é o último caractere da linha" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "vetores multidimensionais são é uma extensão do gawk" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX não permite o operador \"%s\"" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "não há suporte ao operador \"%s\" no awk antigo" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "string inacabada" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "POSIX não permite novas linhas físicas em valores de string" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "continuação de string com barra invertida não é portável" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "caractere inválido \"%c\" em expressão" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "\"%s\" é uma extensão do gawk" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX não permite \"%s\"" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "não há suporte a \"%s\" no awk antigo" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "\"goto\" é considerado danoso!" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d é inválido como número de argumentos para %s" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "" "%s: string literal como último argumento de substituição não tem efeito" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "terceiro parâmetro %s não é um objeto modificável" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match: terceiro argumento é uma extensão do gawk" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close: segundo argumento é uma extensão do gawk" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "uso de dcgettext(_\"...\") é incorreto: remova o sublinhado precedente" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "uso de dcngettext(_\"...\") é incorreto: remova o sublinhado precedente" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "index: constante de exp. reg. como segundo argumento não é permitido" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "função \"%s\": parâmetro \"%s\" encobre variável global" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "não foi possível abrir \"%s\" para escrita: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "enviando lista de variáveis para saída de erro padrão" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "%s: \"close\" falhou: %s" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "shadow_funcs() chamada duas vezes!" #: awkgram.y:4980 msgid "there were shadowed variables" msgstr "houve variáveis encobertas" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "nome de função \"%s\" definido anteriormente" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "" "função \"%s\": não é possível usar o nome da função como nome de parâmetro" #: awkgram.y:5126 #, fuzzy, c-format #| msgid "" #| "function `%s': cannot use special variable `%s' as a function parameter" msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" "função \"%s\": não é possível usar a variável especial \"%s\" como um " "parâmetro de função" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "função \"%s\": parâmetro \"%s\" não pode conter um espaço de nome" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "função \"%s\": parâmetro nº %d, \"%s\", duplica parâmetro nº %d" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "função \"%s\" chamada, mas nunca definida" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "função \"%s\" definida, mas nunca chamada diretamente" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "constante com expr. reg. para parâmetro nº %d retorna valor booleano" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "função \"%s\" chamada com espaço entre o nome e o \"(\",\n" "ou usada como uma variável ou um vetor" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "tentativa de divisão por zero" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "tentativa de divisão por zero em \"%%\"" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "" "não é possível atribuir um valor ao resultado de uma expressão de campo pós-" "incremento" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "alvo de atribuição inválido (código de operação %s)o" #: awkgram.y:6266 msgid "statement has no effect" msgstr "declaração não tem efeito" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" "identificador %s: nomes qualificados não são permitidos no modo POSIX / " "tradicional" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "" "identificador %s: separador de espaço de nome é dois caracteres de dois " "pontos, e não um" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "identificador qualificado \"%s\" está malformado" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" "identificador \"%s\": separador de espaço de nome só pode aparecer uma vez " "em um nome qualificado" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" "o uso de identificador reservado \"%s\" como um espaço de nome não é " "permitido" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" "o uso de identificador reservado \"%s\" como segundo componente de um nome " "qualificado não é permitido" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "@namespace é uma extensão do gawk" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" "o nome de espaço de nome \"%s\" deve atender as regras de nomenclatura de " "identificador" #: builtin.c:93 builtin.c:100 #, fuzzy, c-format #| msgid "ord: called with no arguments" msgid "%s: called with %d arguments" msgstr "ord: chamada com nenhum argumento" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "%s para \"%s\" falhou: %s" #: builtin.c:129 msgid "standard output" msgstr "saída padrão" #: builtin.c:130 msgid "standard error" msgstr "saída padrão de erro" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s: recebeu argumento não numérico" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp: argumento %g está fora da faixa" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "%s: recebeu argumento não string" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: erro ao descarregar: pipe \"%.*s\" aberto para leitura, não gravação" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" "fflush: erro ao descarregar: arquivo \"%.*s\" aberto para leitura, não " "gravação" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush: erro ao descarregar o arquivo \"%.*s\": %s" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" "fflush: erro ao descarregar: pipe bidirecional \"%.*s\" fechou a escrita" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "fflush: \"%.*s\" não é um arquivo aberto, pipe ou coprocesso" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "%s: recebeu primeiro argumento não string" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "%s: recebeu segundo argumento não string" #: builtin.c:595 msgid "length: received array argument" msgstr "length: recebeu argumento vetorial" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "\"length(array)\" é uma extensão do gawk" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "%s: recebeu argumento negativo %g" #: builtin.c:698 builtin.c:2949 #, fuzzy, c-format #| msgid "%s: received non-numeric first argument" msgid "%s: received non-numeric third argument" msgstr "%s: recebeu primeiro argumento não numérico" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "%s: recebeu segundo argumento não numérico" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: comprimento %g não é >= 1" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: comprimento %g não é >= 0" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: comprimento não inteiro %g será truncado" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "substr: comprimento %g grande demais para indexação, truncando para %g" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: posição inicial %g é inválida, usando 1" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "substr: posição inicial não inteira %g será truncada" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: string origem tem comprimento zero" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: posição inicial %g está além do fim da string" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: comprimento %g a partir da posição inicial %g excede tamanho do 1º " "argumento (%lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "" "strftime: valor de formato em PROCINFO[\"strftime\"] possui tipo numérico" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "strftime: segundo argumento menor que 0 ou grande demais para time_t" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "strftime: segundo argumento não é um vetor para time_t" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: recebeu string de formato vazia" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "mktime: pelo menos um dos valores está fora da faixa padrão" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "função \"system\" não é permitido no modo sandbox" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "" "print: tentativa de escrever para lado de escrita fechado de pipe " "bidirecional" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "referência a campo não inicializado \"$%d\"" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "%s: recebeu primeiro argumento não numérico" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: terceiro argumento não é um vetor" #: builtin.c:1604 #, c-format msgid "%s: cannot use %s as third argument" msgstr "%s: não é possível usar %s como terceiro argumento" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: terceiro argumento \"%.*s\" tratado como 1" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s: pode ser chamado indiretamente somente com dois argumentos" #: builtin.c:2242 #, fuzzy #| msgid "indirect call to %s requires at least two arguments" msgid "indirect call to gensub requires three or four arguments" msgstr "chamada indireta para %s requer pelo menos dois argumentos" #: builtin.c:2304 #, fuzzy #| msgid "indirect call to %s requires at least two arguments" msgid "indirect call to match requires two or three arguments" msgstr "chamada indireta para %s requer pelo menos dois argumentos" #: builtin.c:2365 #, fuzzy, c-format #| msgid "indirect call to %s requires at least two arguments" msgid "indirect call to %s requires two to four arguments" msgstr "chamada indireta para %s requer pelo menos dois argumentos" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): valores negativos não são permitidos" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f) valores fracionários serão truncados" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "lshift(%f, %f): deslocamento excessivo dará resultados estranhos" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f, %f): valores negativos não são permitidos" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): valores fracionários serão truncados" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "rshift(%f, %f): deslocamento excessivo dará resultados estranhos" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "%s: chamada com menos de dois argumentos" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "%s: argumento %d é não numérico" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%s: o argumento %d com valor negativo %g não é permitido" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): valor negativo não é permitida" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): valores fracionários serão truncados" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: \"%s\" não é uma categoria de localidade válida" #: builtin.c:2842 builtin.c:2860 #, fuzzy, c-format #| msgid "%s: received non-string first argument" msgid "%s: received non-string third argument" msgstr "%s: recebeu primeiro argumento não string" #: builtin.c:2915 builtin.c:2936 #, fuzzy, c-format #| msgid "%s: received non-string first argument" msgid "%s: received non-string fifth argument" msgstr "%s: recebeu primeiro argumento não string" #: builtin.c:2925 builtin.c:2942 #, fuzzy, c-format #| msgid "%s: received non-string first argument" msgid "%s: received non-string fourth argument" msgstr "%s: recebeu primeiro argumento não string" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "intdiv: terceiro argumento não é um vetor" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "intdiv: tentativa de divisão por zero" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "typeof: segundo argumento não é um vetor" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" "typeof detectou combinação inválida de flags \"%s\"; por favor, faça um " "relato de erro" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "typeof: tipo de argumento desconhecido \"%s\"" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "não é possível adicionar um novo arquivo (%.*s) a ARGV no modo sandbox" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "Digite instruções do (g)awk. Termine-as com o comando \"end\"\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "número de quadro inválido: %d" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "info: opção inválida - \"%s\"" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "source \"%s\": já carregado" #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "save \"%s\": comando não permitido" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" "Não foi possível usar o comando \"commands\" para comandos de breakpoint/" "watchpoint" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "nenhum breakpoint/watchpoint foi definido ainda" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "número de breakpoint/watchpoint inválido" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "Digite comandos para quando %s %d for atingido, um por linha.\n" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "Termine com o comando \"end\"\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "\"end\" válido apenas no comando \"commands\" ou \"eval\"" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "\"silent\" válido apenas no comando \"commands\"" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "trace: opção inválida - \"%s\"" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "condition: número de breakpoint/watchpoint inválido" #: command.y:452 msgid "argument not a string" msgstr "argumentos não é uma string" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "option: parâmetro inválido - \"%s\"" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "função inexistente - \"%s\"" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "enable: opção inválida - \"%s\"" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "especificação de faixa inválida: %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "valor não numérico para o número de campo" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "valor não numérico localizado, numérico esperado" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "valor inteiro não zero" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" "backtrace [N] - exibe rastro de todos quadros ou os N mais internos (mais " "externos, se N < 0)" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "" "break [[arquivo:]N|função] - define o breakpoint na localização especificada" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "" "clear [[arquivo:]N|função] - exclui breakpoints definidos anteriormente" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" "commands [núm] - inicia uma lista de comandos para serem executados em um " "breakpoint(watchpoint) atingido" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" "condition núm [expr] - define ou limpa condição de breakpoint ou watchpoint" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "continue [QTDE] - continua o programa sendo depurado" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "delete [breakpoints] [intervalo] - exclui os breakpoints especificados" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "" "disable [breakpoints] [intervalo] - desabilita os breakpoints especificados" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "" "display [var] - exibe o valor da variável toda vez em que o programa é " "interrompido" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "down [N] - move N quadros para baixo na pilha" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "" "dump [arquivo] - despeja instruções para arquivo ou saída padrão (stdout)" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" "enable [once|del] [breakpoints] [intervalo] - habilita breakpoints " "especificados" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "end - termina uma lista de comandos ou instruções do awk" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "eval stmt|[p1, p2, ...] - avalia instruções do awk" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "exit - (igual a \"quit\") sai do depurador" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "finish - executa até o quadro de pilha selecionado ser retornado" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "frame [N] - seleciona ou exibe o quadro número N" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "help [comando] - exibe a lista de comandos ou explicação de um comando" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "" "ignore N QTDE - define quantidade a ser ignorada do breakpoint número N para " "QTDE" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "" "list [-|+|[arquivo:]nº linha|função|intervalo] - lista de linha(s) " "especificada" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "next [QTDE] - avança programa, seguindo pelas chamadas de sub-rotinas" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" "nexti [QTDE] - avança uma instrução, mas segue pelas chamadas de sub-rotinas" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "option [nome[=valor]] - define ou exibe opções de depuração" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "print var [var] - exibe valor de uma variável ou vetor" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "printf formato, [arg], ... - saída formatada" #: command.y:872 msgid "quit - exit debugger" msgstr "quit - sai do depurador" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "" "return [valor] - faz o quadro da pilha selecionado retornar seu chamador" #: command.y:876 msgid "run - start or restart executing program" msgstr "run - inicia ou reinicia execução do programa" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "save arquivo - salva comandos a partir da sessão para o arquivo" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "set var = valor - atribui valor para uma variável escalar" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" "silent - suspende mensagem usual quando interrompido em um breakpoint/" "watchpoint" #: command.y:886 msgid "source file - execute commands from file" msgstr "source arquivo - executa comandos a partir do arquivo" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" "step [QTDE] - avança programa até ele atingir uma linha fonte diferente" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [QTDE] - avança exatamente uma instrução" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "tbreak [[arquivo:]N|função] - define um breakpoint temporário" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "trace on|off - exibe instrução antes da execução" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "" "undisplay [N] - remove variáveis a partir da lista automática de exibição" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" "until [[arquivo:]N|função] - executa até o programa atingir uma linha " "diferente ou linha N dentro do quadro atual" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [N] - remove variáveis da lista de monitoramento" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "up [N] - move N quadros para cima na pilha" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "watch var - define um watchpoint para uma variável" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "where [N] - (igual a \"backtrace\") exibe rastro de todos quadros ou os N " "mais internos (mais externos, se N < 0)" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "erro: " #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "não foi possível ler o comando: %s\n" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "não foi possível ler: %s" #: command.y:1126 msgid "invalid character in command" msgstr "caractere inválido no comando" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "comando desconhecido - \"%.*s\", tente \"help\"" #: command.y:1294 msgid "invalid character" msgstr "caractere inválido" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "comando indefinido: %s\n" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "" "define ou mostra o número de linhas para manter no arquivo de histórico" #: debug.c:259 msgid "set or show the list command window size" msgstr "define ou mostra o tamanho da janela do comando \"list\"" #: debug.c:261 msgid "set or show gawk output file" msgstr "define ou mostra o arquivo de saída do gawk" #: debug.c:263 msgid "set or show debugger prompt" msgstr "define ou mostra o prompt de depuração" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "" "define/remove definição ou mostra o salvamento do comando " "\"history\" (valor=on|off)" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "" "define/remove definição ou mostra o salvamento de opções (valor=on|off)" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "" "define/remove definição ou mostra o rastreamento de instrução (valor=on|off)" #: debug.c:358 msgid "program not running" msgstr "o programa não está em execução" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "arquivo-fonte \"%s\" está vazio.\n" #: debug.c:502 msgid "no current source file" msgstr "nenhum arquivo-fonte atual" #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "não foi possível localizar o arquivo-fonte \"%s\": %s" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "" "aviso: o arquivo-fonte \"%s\" foi modificado após a compilação do programa.\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "número de linha %d fora da faixa; \"%s\" possui %d linhas" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "fim de arquivo inesperado enquanto lia o arquivo \"%s\", linha %d" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "" "o arquivo fonte \"%s\" foi modificado após o início da execução do programa" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "Arquivo-fonte atual: %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "Número de linhas: %d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "Arquivo-fonte (linhas): %s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "Número Exib Habilit Localização\n" "\n" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "\tnº de acertos = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "\tignorar próximos %ld acertos(s)\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "\tcondição de parada: %s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "\tcomandos:\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "Quadro atual: " #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "Chamado pelo quadro: " #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "Chamador do quadro: " #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "Nenhum em main().\n" #: debug.c:870 msgid "No arguments.\n" msgstr "Nenhum argumento.\n" #: debug.c:871 msgid "No locals.\n" msgstr "Nenhum local.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "Todas as variáveis definidas:\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "Todas as funções definidas:\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "Variáveis exibidas automaticamente:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "Variáveis monitoradas:\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "nenhum símbolo \"%s\" no contexto atual\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "\"%s\" não é um vetor\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = campo não inicializado\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "o vetor \"%s\" está vazio\n" #: debug.c:1184 debug.c:1236 #, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "O índice \"%.*s\" não está no vetor \"%s\"\n" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "'%s[\"%.*s\"]' não está no vetor\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "\"%s\" não é uma variável escalar" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "tentativa de usar vetor '%s[\"%.*s\"]' em um contexto escalar" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "tentativa de usar vetor '%s[\"%.*s\"]' como um vetor" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "\"%s\" é uma função" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "o watchpoint %d é incondicional\n" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "nenhum item de exibição com número %ld" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "nenhum item monitorado com número %ld" #: debug.c:1596 #, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d: índice \"%.*s\" não está no vetor \"%s\"\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "tentativa de usar valor escalar como vetor" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "Watchpoint %d excluído porque parâmetro está fora do escopo.\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "Exibição %d excluída porque parâmetro está fora do escopo.\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr " no arquivo \"%s\" na linha %d\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr " em \"%s\":%d" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "#%ld\tem " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "Mais quadros de pilhas a seguir ...\n" #: debug.c:2092 msgid "invalid frame number" msgstr "número de quadro inválido" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Nota: breakpoint %d (habilitado, ignora próximos %ld acertos), também " "definido em %s:%d" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "Nota: breakpoint %d (habilitado), também definido em %s:%d" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Nota: breakpoint %d (desabilitado, ignora próximos %ld acertos), também " "definido em %s:%d" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "Nota: breakpoint %d (desabilitado), também definido em %s:%d" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "Breakpoint %d definido no arquivo \"%s\", linha %d\n" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "Não foi possível definir breakpoint no arquivo \"%s\"\n" #: debug.c:2444 #, c-format msgid "line number %d in file `%s' is out of range" msgstr "número de linha %d no arquivo \"%s\" está fora do intervalo" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "erro interno: não foi possível localizar regra\n" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "não foi possível definir breakpoint em \"%s\":%d\n" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "não foi possível definir breakpoint na função \"%s\"\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "breakpoint %d definido no arquivo \"%s\", linha %d é incondicional\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "número de linha %d no arquivo \"%s\" fora do intervalo" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "Excluído breakpoint %d" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "Nenhum breakpoint(s) na entrada para a função \"%s\"\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "Nenhum breakpoint no arquivo \"%s\", linha nº %d\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "número de breakpoint inválido" # o código-fonte aceita tradução da opção 'y'; vide msgid de "y" -- Rafael #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "Excluir todos breakpoints? (s ou n) " # referente à resposta yes/sim em um prompt interativo -- Rafael #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "s" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "Vai ignorar próximos %ld encontro(s) de breakpoint %d.\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "Vai parar na próxima vez que o breakpoint %d for atingido.\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "Só é possível depurar programas fornecidos com a opção \"-f\".\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "Falha ao reiniciar o depurador" # o código-fonte aceita tradução da opção 'y'; vide msgid "y" -- Rafael #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "Programa já está em execução. Reiniciar desde o começo (s/n)? " #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "Programa não reiniciado\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "erro: não foi possível reiniciar, operação não permitida\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "" "erro (%s): não foi possível reiniciar, ignorando o resto dos comandos\n" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "Iniciando programa:\n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "Programa foi terminado abnormalmente com valor de saída: %d\n" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "Programa foi terminado normalmente com valor de saída: %d\n" # o código-fonte aceita tradução da opção 'y'; vide msgid "y" -- Rafael #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "O programa está em execução. Sair mesmo assim (s/n)? " #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "Não parado em qualquer breakpoint; argumento ignorado.\n" #: debug.c:3091 #, c-format msgid "invalid breakpoint number %d" msgstr "número de breakpoint inválido %d" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "Vai ignorar próximos %ld encontros de breakpoint %d.\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "\"finish\" não tem sentido no arquivo mais externo do main()\n" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "Executa até retornar de " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "\"return\" não tem sentido no arquivo mais externo do main()\n" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "" "não foi possível encontrar a localização especificada na função \"%s\"\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "linha fonte inválida %d no arquivo \"%s\"" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "" "não foi possível encontrar a localização %d especificada no arquivo \"%s\"\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "elemento não está no vetor\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "variável sem tipo\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "Parando em %s ...\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "\"finish\" não tem sentido com pulo não local \"%s\"\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "\"until\" não tem sentido com pulo não local \"%s\"\n" # o código-fonte aceita tradução da opção 'q'; vide msgid "q" -- Rafael #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "\t----[Enter] para continuar ou [q] + [Enter] para sair---" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%.*s\"] não está no vetor \"%s\"" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "enviando a saída para stdout\n" #: debug.c:5449 msgid "invalid number" msgstr "número inválido" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "\"%s\" não permitido no contexto atual; instrução ignorada" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "\"return\" não permitido no contexto atual; instrução ignorada" #: debug.c:5639 #, fuzzy, c-format #| msgid "fatal error: internal error" msgid "fatal error during eval, need to restart.\n" msgstr "erro fatal: erro interno" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "nenhum símbolo \"%s\" no contexto atual" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "tipo de nodo desconhecido %d" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "código de operação inválido %d" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "código de operação %s não é um operador ou palavra-chave" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "estouro de buffer em genflags2str" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# Pilha de Chamadas de Função:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "\"IGNORECASE\" é uma extensão do gawk" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "\"BINMODE\" é uma extensão do gawk" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "valor de BINMODE \"%s\" é inválido, tratado como 3" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "especificação de \"%sFMT\" inválida \"%s\"" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "desativando \"--lint\" devido a atribuição a \"LINT\"" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "referência a argumento não inicializado \"%s\"" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "referência a variável não inicializada \"%s\"" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "tentativa de referência a campo a partir de valor não numérico" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "tentativa de referência a campo a partir de string nula" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "tentativa de acessar campo %ld" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "referência a campo não inicializado \"$%ld\"" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "função \"%s\" chamada com mais argumentos que os declarados" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: tipo inesperado \"%s\"" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "tentativa de divisão por zero em \"/=\"" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "tentativa de divisão por zero em \"%%=\"" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "extensões não são permitidas no modo sandbox" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "-l / @load são extensões do gawk" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext: recebido lib_name NULL" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext: não foi possível abrir a biblioteca \"%s\": %s" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "" "load_ext: biblioteca \"%s\": não define \"plugin_is_GPL_compatible\": %s" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "" "load_ext: biblioteca \"%s\": não foi possível chamar a função \"%s\": %s" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "load_ext: biblioteca \"%s\" falhou na rotina de inicialização \"%s\"" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin: faltando nome de função" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "" "make_builtin: não é possível usar \"%s\" embutido no gawk como nome de função" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" "make_builtin: não é possível usar \"%s\" embutido no gawk como nome de " "espaço de nome" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin: não foi possível redefinir a função \"%s\"" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin: função \"%s\" já definida" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin: nome da função \"%s\" definido anteriormente" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin: quantidade negativa de argumentos para função \"%s\"" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "" "função \"%s\": argumento nº %d: tentativa de usar escalar como um vetor" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "função \"%s\": argumento nº %d: tentativa de usar vetor como escalar" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "sem suporte a carregamento dinâmico da bibliotecas" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "stat: não foi possível ler link simbólico \"%s\"" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "stat: primeiro argumento não é uma string" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "stat: segundo argumento não é um vetor" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stat: parâmetros inválidos" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "fts init: não foi possível criar a variável %s" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "Este sistema não possui suporte a fts" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element: não foi possível criar vetor, memória insuficiente" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element: não foi possível definir elemento" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element: não foi possível definir elemento" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element: não foi possível definir elemento" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts-process: não foi possível criar vetor" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts-process: não foi possível definir elemento" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "fts: chamada com número incorreto de argumentos, esperava 3" #: extension/filefuncs.c:853 msgid "fts: first argument is not an array" msgstr "fts: primeiro argumento não é um vetor" #: extension/filefuncs.c:859 msgid "fts: second argument is not a number" msgstr "fts: segundo argumento não é um número" #: extension/filefuncs.c:865 msgid "fts: third argument is not an array" msgstr "fts: terceiro argumento não é um vetor" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts: não foi possível nivelar o vetor\n" # A flag tentou passar despercebida, mas falhou e recebeu um "nyah" zombando #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "fts: ignorando flag sorrateira FTS_NOSTAT; nã, nã, não." #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch: não foi possível obter o primeiro argumento" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch: não foi possível obter o segundo argumento" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch: não foi possível obter o terceiro argumento" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "fnmatch não está implementado neste sistema\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "fnmatch init: não foi possível adicionar a variável FNM_NOMATCH" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "fnmatch init: não foi possível definir elemento %s de vetor" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "fnmatch init: não foi possível instalar vetor FNM" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork: PROCINFO não é um vetor!" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "inplace::begin: edição in-loco já está ativa" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "inplace::begin: esperava 2 argumentos, mas foi chamado com %d" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "" "inplace::begin: não foi possível obter 1º argumento como uma string de nome " "de arquivo" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" "inplace::begin: desabilitando edição in-loco para FILENAME inválido \"%s\"" # Iniciei a mensagem de erro com letra minúscula para combinar com as demais -- Rafael #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "inplace::begin: não foi possível obter estado de \"%s\" (%s)" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "inplace::begin: \"%s\" não é um arquivo comum" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace::begin: mkstemp(\"%s\") falhou (%s)" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace::begin: chmod falhou (%s)" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace::begin: dup(stdout) falhou (%s)" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace::begin: dup2(%d, stdout) falhou (%s)" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace::begin: close(%d) falhou (%s)" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "inplace::end: esperava 2 argumentos, mas foi chamado com %d" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "" "inplace::end: não foi possível obter 1º argumento como uma string de nome de " "arquivo" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "inplace::end: edição in-loco não está ativa" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace::end: dup2(%d, stdout) falhou (%s)" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace::end: close(%d) falhou (%s)" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace::end: fsetpos(stdout) falhou (%s)" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace::end: link(`%s', `%s') falhou (%s)" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace::end: rename(`%s', `%s') falhou (%s)" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "ord: primeiro argumento não é uma string" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "chr: primeiro argumento não é um número" #: extension/readdir.c:291 #, fuzzy, c-format #| msgid "dir_take_control_of: opendir/fdopendir failed: %s" msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "dir_take_control_of: opendir/fdopendir falhou: %s" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "readfile: chamada com tipo errado de argumento" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput: não foi possível inicializar a variável REVOUT" #: extension/rwarray.c:145 extension/rwarray.c:548 #, fuzzy, c-format #| msgid "stat: first argument is not a string" msgid "%s: first argument is not a string" msgstr "stat: primeiro argumento não é uma string" #: extension/rwarray.c:189 #, fuzzy #| msgid "do_writea: second argument is not an array" msgid "writea: second argument is not an array" msgstr "do_writea: segundo argumento não é um vetor" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "write_array: não foi possível nivelar o vetor" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "write_array: não foi liberar vetor nivelado" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "valor de vetor possui tipo desconhecido %d" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" #: extension/rwarray.c:437 #, fuzzy, c-format #| msgid "array value has unknown type %d" msgid "cannot free number with unknown type %d" msgstr "valor de vetor possui tipo desconhecido %d" #: extension/rwarray.c:442 #, fuzzy, c-format #| msgid "array value has unknown type %d" msgid "cannot free value with unhandled type %d" msgstr "valor de vetor possui tipo desconhecido %d" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "" #: extension/rwarray.c:525 #, fuzzy #| msgid "do_reada: clear_array failed" msgid "reada: clear_array failed" msgstr "do_reada: clear_array falhou" #: extension/rwarray.c:611 #, fuzzy #| msgid "do_reada: second argument is not an array" msgid "reada: second argument is not an array" msgstr "do_reada: segundo argumento não é um vetor" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "read_array: set_array_element falhou" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "" "tratando valor recuperado com código de tipo desconhecido %d como uma string" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday: sem suporte nesta plataforma" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep: faltando argumento numérico necessário" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep: argumento é negativo" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep: sem suporte nesta plataforma" #: extension/time.c:232 #, fuzzy #| msgid "chr: called with no arguments" msgid "strptime: called with no arguments" msgstr "chr: chamada com nenhum argumento" #: extension/time.c:240 #, fuzzy, c-format #| msgid "do_writea: argument 0 is not a string" msgid "do_strptime: argument 1 is not a string\n" msgstr "do_writea: argumento 0 não é uma string" #: extension/time.c:245 #, fuzzy, c-format #| msgid "do_writea: argument 0 is not a string" msgid "do_strptime: argument 2 is not a string\n" msgstr "do_writea: argumento 0 não é uma string" #: field.c:321 msgid "input record too large" msgstr "registro de entrada grande demais" #: field.c:443 msgid "NF set to negative value" msgstr "NF definido para valor negativo" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "o decremento de NF não é portável para muitas versões awk" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "o acesso a campos de uma regra END não pode ser portável" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split: quarto argumento é uma extensão do gawk" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split: quarto argumento não é um vetor" #: field.c:1138 field.c:1240 #, c-format msgid "%s: cannot use %s as fourth argument" msgstr "%s: não é possível usar %s como quarto argumento" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: segundo argumento não é um vetor" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "split: não é possível usar o mesmo vetor para segundo e quarto args" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "" "split: não é possível usar um subvetor do segundo arg para o quarto arg" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "" "split: não é possível usar um subvetor do quarto arg para o segundo arg" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "split: string nula para segundo argumento é uma extensão não padrão" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: quarto argumento não é um vetor" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: segundo argumento não é um vetor" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit: terceiro argumento não é um vetor" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "" "patsplit: não é possível usar o mesmo vetor para segundo e quarto argumentos" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" "patsplit: não é possível usar um subvetor do segundo arg para o quarto arg" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" "patsplit: não é possível usar um subvetor do quarto arg para o segundo arg" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "\"FIELDWIDTHS\" é uma extensão do gawk" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "\"*\" deve ser o último designador em FIELDWIDTHS" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "valor FIELDWIDTHS inválido, para campo %d, próximo a \"%s\"" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "string nula para \"FS\" é uma extensão do gawk" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "o velho awk não oferece suporte a expr. reg. como valor de \"FS\"" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "\"FPAT\" é uma extensão do gawk" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node: recebeu código de retorno nulo" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "awk_value_to_node: não está no modo MPFR" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "awk_value_to_node: sem suporte a MPFR" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node: tipo de número inválido \"%d\"" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "add_ext_func: recebido parâmetro name_space NULO" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" "node_to_awk_value: detectada combinação inválida de flags numéricas \"%s\"; " "por favor, faça um relato de erro" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value: recebeu nó nulo" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value: recebeu valor nulo" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" "node_to_awk_value detectou combinação inválida de flags \"%s\"; por favor, " "faça um relato de erro" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element: recebeu vetor nulo" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element: recebeu índice nulo" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "" "api_flatten_array_typed: não foi possível converter o índice %d para %s" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "api_flatten_array_typed: não foi possível converter o valor %d para %s" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "api_get_mpfr: sem suporte a MPFR" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "não foi possível localizar o fim da regra BEGINFILE" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "" "não foi possível abrir tipo de arquivo não reconhecido \"%s\" para \"%s\"" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "o argumento de linha de comando \"%s\" é um diretório: ignorado" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "não foi possível abrir arquivo \"%s\" para leitura: %s" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "fechamento do descritor %d (\"%s\") falhou: %s" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "`%.*s' usado para arquivo de entrada e para arquivo de saída" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "`%.*s' usado para arquivo de entrada e pipe de entrada" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "`%.*s' usado para arquivo de entrada e pipe bidirecional" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "`%.*s' usado para arquivo de entrada e pipe de saída" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "mistura desnecessária de \">\" e \">>\" para arquivo \"%.*s\"" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "`%.*s' usado para pipe de entrada e arquivo de saída" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "`%.*s' usado para arquivo de saída e pipe de saída" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "`%.*s' usado para pipe de saída e pipe bidirecional" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "`%.*s' usado para pipe de entrada e pipe de saída" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "`%.*s' usado para pipe de entrada e pipe bidirecional" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "`%.*s' usado para pipe de saída e pipe bidirecional" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "redirecionamento não permitido no modo sandbox" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "expressão no redirecionamento \"%s\" é um número" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "expressão para o redirecionamento \"%s\" tem valor nulo na string" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "nome de arquivo \"%.*s\" para redirecionamento \"%s\" pode ser resultado de " "expressão lógica" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "get_file não pode criar pipe \"%s\" com fd %d" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "não foi possível abrir pipe \"%s\" para saída: %s" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "não foi possível abrir pipe \"%s\" para entrada: %s" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" "sem suporte à criação de soquete de get_file nesta de plataforma para \"%s\" " "com fd %d" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "não foi possível abrir pipe bidirecional \"%s\" para entrada/saída: %s" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "não foi possível redirecionar de \"%s\": %s" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "não foi possível redirecionar para \"%s\": %s" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "alcançado limite do sistema para arquivos abertos; começando a multiplexar " "descritores de arquivos" #: io.c:1221 #, c-format msgid "close of `%s' failed: %s" msgstr "fechamento de \"%s\" falhou: %s" #: io.c:1229 msgid "too many pipes or input files open" msgstr "excesso de pipes ou arquivos de entrada abertos" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: segundo argumento deve ser \"to\" ou \"from\"" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "close: \"%.*s\" não é um arquivo aberto, pipe ou coprocesso" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "fechamento de redirecionamento que nunca foi aberto" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close: redirecionamento \"%s\" não foi aberto com \"|&\", segundo argumento " "ignorado" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "status de falha (%d) ao fechar pipe de \"%s\": %s" #: io.c:1400 #, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "status de falha (%d) ao fechar pipe bidirecional de \"%s\": %s" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "status de falha (%d) ao fechar arquivo de \"%s\": %s" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "fechamento explícito do soquete \"%s\" não fornecido" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "fechamento explícito do coprocesso \"%s\" não fornecido" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "fechamento explícito do pipe \"%s\" não fornecido" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "fechamento explícito do arquivo \"%s\" não fornecido" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "fflush: não foi possível descarregar a saída padrão: %s" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "fflush: não foi possível descarregar a saída padrão de erros: %s" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "erro ao escrever na saída padrão: %s" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "erro ao escrever na saída padrão de erros: %s" #: io.c:1513 #, c-format msgid "pipe flush of `%s' failed: %s" msgstr "descarga de pipe de \"%s\" falhou: %s" #: io.c:1516 #, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "descarga de coprocesso de pipe para \"%s\" falhou: %s" #: io.c:1519 #, c-format msgid "file flush of `%s' failed: %s" msgstr "descarga de arquivo de \"%s\" falhou: %s" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "porta local %s inválida em \"/inet\": %s" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "porta local %s inválida em \"/inet\"" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "informação de host e porta remotos (%s, %s) inválida: %s" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "informação de host e porta remotos (%s, %s) inválida" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "Não há suporte a comunicações TCP/IP" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "não foi possível abrir \"%s\", modo \"%s\"" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "falha ao fechar pty mestre: %s" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "falha ao fechar stdout em filho: %s" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "falha ao mover pty escrava para stdout em filho (dup: %s)" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "falha ao fechar stdin em filho: %s" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "falha ao mover pty escrava para stdin em filho (dup: %s)" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "falha ao fechar pty escrava: %s" #: io.c:2317 msgid "could not create child process or open pty" msgstr "não foi possível criar processo filho ou abrir pty" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "falha ao mover pipe para stdout em filho (dup: %s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "falha ao mover pipe para stdin em filho (dup: %s)" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "falha ao restaurar stdout em processo pai" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "falha ao restaurar stdin em processo pai" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "falha ao fechar pipe: %s" #: io.c:2534 msgid "`|&' not supported" msgstr "sem suporte a \"|&\"" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "não foi possível abrir pipe \"%s\": %s" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "não foi possível criar processo filho para \"%s\" (fork: %s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "" "getline: tentativa de ler de lado de leitura fechado de pipe bidirecional" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser: recebido ponteiro NULL" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" "o analisador de entrada \"%s\" conflita com outro analisador de entrada " "previamente instalado \"%s\"" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "analisador de entrada \"%s\": falha ao abrir \"%s\"" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_wrapper: recebido ponteiro NULL" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" "wrapper de saída \"%s\" conflita com outro wrapper previamente instalado " "\"%s\"" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "wrapper de saída \"%s\": falha ao abrir \"%s\"" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor: recebido ponteiro NULL" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" "processador bidirecional \"%s\" conflita com processador bidirecional " "previamente instalado \"%s\"" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "processador bidirecional \"%s\" falhou ao abrir \"%s\"" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "arquivo de dados \"%s\" está vazio" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "não foi possível alocar mais memória de entrada" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "valor de múltiplos caracteres para \"RS\" é uma extensão do gawk" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "Não há suporte a comunicação IPv6" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "variável de ambiente \"POSIXLY_CORRECT\" definida: ligando \"--posix\"" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "\"--posix\" sobrepõe \"--traditional\"" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "\"--posix\"/\"--traditional\" sobrepõe \"--non-decimal-data\"" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "\"--posix\" sobrepõe \"--characters-as-bytes\"" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "executar %s com setuid root pode ser um problema de segurança" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "" #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "não foi possível definir modo binário em stdin: %s" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "não foi possível definir modo binário em stdout: %s" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "não foi possível definir modo binário em stderr: %s" #: main.c:483 msgid "no program text at all!" msgstr "nenhum texto de programa!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "Uso: %s [opções estilo POSIX ou GNU] -f arqprog [--] arquivo ...\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "Uso: %s [opções estilo POSIX ou GNU] [--] %cprograma%c arquivo ...\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "Opções POSIX: \t\tOpções longas GNU: (padrão)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f arqprog \t\t--file=arqprog\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F fs\t\t\t--field-separator=fs\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "\t-v var=val\t\t--assign=var=val\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "Opções curtas: \t\tOpções longas GNU: (extensões)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[arquivo]\t\t--dump-variables[=arquivo]\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-D[arquivo]\t\t--debug[=arquivo]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e \"texto-programa\"\t--source=\"texto-programa\"\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E arquivo\t\t--exec=arquivo\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "\t-i arq-include\t\t--include=arq-include\n" #: main.c:602 msgid "\t-I\t\t\t--trace\n" msgstr "\t-I\t\t\t--trace\n" #: main.c:603 #, fuzzy #| msgid "\t-I\t\t\t--trace\n" msgid "\t-k\t\t\t--csv\n" msgstr "\t-I\t\t\t--trace\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "\t-l biblioteca\t\t--load=biblioteca\n" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "\t-M\t\t\t--bignum\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-o[arquivo]\t\t--pretty-print[=arquivo]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[arquivo]\t\t--profile[=arquivo]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-s\t\t\t--no-optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "\t-Z nome-locale\t\t--locale=nome-locale\n" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 #, fuzzy #| msgid "" #| "\n" #| "To report bugs, see node `Bugs' in `gawk.info'\n" #| "which is section `Reporting Problems and Bugs' in the\n" #| "printed version. This same information may be found at\n" #| "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" #| "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" #| "or by using a web forum such as Stack Overflow.\n" #| "\n" msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "Para relatar erros, veja o nó \"Bugs\" no \"gawk.info\",\n" "que é a seção \"Reporting Problems and Bugs\" na\n" "versão impressa. A mesma informação pode ser localizada em\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "POR FAVOR NÃO tente relatar erros publicando na comp.lang.awk,\n" "ou usando um fórum web, tal como o Stack Overflow.\n" "\n" "Para relatar erros de tradução, veja como em\n" "http://translationproject.org/team/pt_BR.html\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk é uma linguagem de busca e processamento de padrões.\n" "Por padrão, ele lê a entrada padrão e escreve na saída padrão.\n" "\n" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "Exemplos:\n" "\t%s '{ soma += $1 }; END { print soma }' arquivo\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "Este programa é software livre; você pode redistribuí-lo e/ou\n" "modificá-lo sob os termos da Licença Pública Geral GNU, conforme\n" "publicada pela Free Software Foundation; tanto a versão 3 da\n" "Licença como (a seu critério) qualquer versão mais nova.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "Este programa é distribuído na expectativa de ser útil, mas SEM\n" "QUALQUER GARANTIA; sem mesmo a garantia implícita de\n" "COMERCIALIZAÇÃO ou de ADEQUAÇÃO A QUALQUER PROPÓSITO EM\n" "PARTICULAR. Consulte a Licença Pública Geral GNU para obter mais\n" "detalhes.\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "Você deve ter recebido uma cópia da Licença Pública Geral GNU\n" "junto com este programa; se não http://www.gnu.org/licenses/.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "-Ft não define FS com tab no awk POSIX" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: argumento \"%s\" para \"-v\" não está na forma \"var=valor\"\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "\"%s\" não é um nome legal de variável" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "\"%s\" não é um nome de variável, procurando pelo arquivo \"%s=%s\"" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "não é possível usar o \"%s\" intrínseco do gawk como nome de variável" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "não foi possível usar a função \"%s\" como nome de variável" #: main.c:1294 msgid "floating point exception" msgstr "exceção de ponto flutuante" #: main.c:1304 msgid "fatal error: internal error" msgstr "erro fatal: erro interno" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "nenhum descritor pré-aberto %d" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "não foi possível pré-abrir /dev/null para descritor %d" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "argumento vazio para \"-e/--source\" ignorado" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "\"--profile\" sobrepõe \"--pretty-print\"" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "-M ignorado: suporte a MPFR/GMP não compilado" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "" #: main.c:1726 #, fuzzy #| msgid "IPv6 communication is not supported" msgid "Persistent memory is not supported." msgstr "Não há suporte a comunicação IPv6" #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: opção desconhecida \"-W %s\", ignorada\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: a opção exige um argumento -- %c\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "" #: main.c:1913 #, fuzzy #| msgid "api_get_mpfr: MPFR not supported" msgid "persistent memory is not supported" msgstr "api_get_mpfr: sem suporte a MPFR" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "valor de PREC \"%.*s\" é inválido" #: mpfr.c:718 #, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "valor de ROUNDMODE \"%.*s\" é inválido" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: recebeu primeiro argumento não numérico" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: recebeu segundo argumento não numérico" #: mpfr.c:825 #, c-format msgid "%s: received negative argument %.*s" msgstr "%s: recebeu argumento negativo %.*s" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int: recebeu argumento não numérico" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: recebeu primeiro argumento não numérico" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%Rg): valor negativo não é permitida" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "comp(%Rg): valor fracionário será truncado" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%Zd): valores negativos não são permitidos" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s: recebeu argumento não numérico nº %d" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "%s: argumento nº %d possui valor inválido %Rg, usando 0" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%s: o argumento nº %d com valor negativo %Rg não é permitido" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "%s: argumento nº %d com valor fracionário %Rg será truncado" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%s: o argumento nº %d com valor negativo %Zd não é permitido" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: chamada com menos de dois argumentos" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or: chamada com menos de dois argumentos" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "xor: chamada com menos de dois argumentos" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: recebeu argumento não numérico" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "intdiv: recebeu primeiro argumento não numérico" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "intdiv: recebeu segundo argumento não numérico" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "lin. de com.:" #: node.c:477 msgid "backslash at end of string" msgstr "barra invertida no fim da string" #: node.c:511 msgid "could not make typed regex" msgstr "não foi possível fazer a expressão regular tipada" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "o velho awk não oferece suporte à sequência de escape \"\\%c\"" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX não permite escapes do tipo \"\\x\"" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "nenhum dígito hexa na sequência de escape \"\\x\"" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "escape hexa \\x%.*s de %d caracteres provavelmente não interpretado na forma " "que você esperava" #: node.c:705 #, fuzzy #| msgid "POSIX does not allow `\\x' escapes" msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX não permite escapes do tipo \"\\x\"" #: node.c:713 #, fuzzy #| msgid "no hex digits in `\\x' escape sequence" msgid "no hex digits in `\\u' escape sequence" msgstr "nenhum dígito hexa na sequência de escape \"\\x\"" #: node.c:744 #, fuzzy #| msgid "no hex digits in `\\x' escape sequence" msgid "invalid `\\u' escape sequence" msgstr "nenhum dígito hexa na sequência de escape \"\\x\"" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "sequência de escape \"\\%c\" tratada como \"%c\" normal" #: node.c:908 msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "Dados com múltiplos bytes inválidos detectados. Pode haver uma " "incompatibilidade entre seus dados e sua localidade" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "" "%s %s \"%s\": não foi possível obter flags do descritor: (fcntl F_GETFD: %s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "" "%s %s \"%s\": não foi possível definir fechar-ao-executar: (fcntl F_SETFD: " "%s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "" "Nível de recuo do programa está profundo demais. Considere refatorar seu " "código" #: profile.c:114 msgid "sending profile to standard error" msgstr "enviando perfil para saída de erros" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# %s regra(s)\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# Regra(s)\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "erro interno: %s com vname nulo" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "erro interno: intrínseco com fname nulo" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "%s# Extensões carregadas (-l e/ou @load)\n" "\n" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\n" "# Arquivos incluídos (-i e/ou @include)\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# perfil gawk, criado %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# Funções, listadas alfabeticamente\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str: tipo de redirecionamento desconhecido %d" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" "comportamento de correspondência à regexp contendo caracteres NUL não está " "definido pelo POSIX" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "byte NUL inválido em regexp dinâmica" #: re.c:215 #, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "sequência de escape \"\\%c\" da regexp tratada como \"%c\" normal" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" "sequência de escape \"\\%c\" da regexp não é um operador de regexp conhecido" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "componente de expr. reg. \"%.*s\" deve provavelmente ser \"[%.*s]\"" #: support/dfa.c:910 msgid "unbalanced [" msgstr "[ sem correspondente" #: support/dfa.c:1031 msgid "invalid character class" msgstr "classe de caracteres inválida" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "a sintaxe de classe de caracteres é [[:space:]], e não [:space:]" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "escape \\ não terminado" #: support/dfa.c:1345 #, fuzzy #| msgid "invalid subscript expression" msgid "? at start of expression" msgstr "expressão de índice inválida" #: support/dfa.c:1357 #, fuzzy #| msgid "invalid subscript expression" msgid "* at start of expression" msgstr "expressão de índice inválida" #: support/dfa.c:1371 #, fuzzy #| msgid "invalid subscript expression" msgid "+ at start of expression" msgstr "expressão de índice inválida" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "conteúdo inválido de \\{\\}" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "expressão regular grande demais" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "( sem correspondente" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "nenhuma sintaxe especificada" #: support/dfa.c:2077 msgid "unbalanced )" msgstr ") sem correspondente" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: a opção \"%s\" é ambígua; possibilidades:" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s: a opção \"--%s\" não permite um argumento\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: a opção \"%c%s\" não permite um argumento\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: a opção \"--%s\" requer um argumento\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: opção não reconhecida \"--%s\"\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: opção não reconhecida \"%c%s\"\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: opção inválida -- \"%c\"\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s: a opção requer um argumento -- \"%c\"\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: a opção \"-W %s\" é ambígua\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: a opção \"-W %s\" não permite um argumento\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: a opção \"-W %s\" requer um argumento\n" #: support/regcomp.c:122 msgid "Success" msgstr "Sucesso" #: support/regcomp.c:125 msgid "No match" msgstr "Nenhuma ocorrência do padrão" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "Expressão regular inválida" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "Caractere de combinação inválido" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "Nome inválido de classe de caractere" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "Barra invertida no final" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "Retrorreferência inválida" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "[, [^, [:, [. ou [= sem correspondente" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "( ou \\( sem correspondente" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "\\{ sem correspondente" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "Conteúdo inválido de \\{\\}" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "Fim de intervalo inválido" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "Memória esgotada" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "A expressão regular precedente é inválida" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "Fim prematuro da expressão regular" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "Expressão regular grande demais" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr ") ou \\) sem correspondente" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "Nenhuma expressão regular anterior" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" #: symbol.c:781 #, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "" "função \"%s\": não é possível usar a função \"%s\" como um nome de parâmetro" #: symbol.c:911 msgid "cannot pop main context" msgstr "não foi possível trazer contexto principal" #~ msgid "fatal: must use `count$' on all formats or none" #~ msgstr "fatal: deve usar \"count$\" em todos os formatos ou nenhum" #, c-format #~ msgid "field width is ignored for `%%' specifier" #~ msgstr "largura de campo é ignorada para o especificador \"%%\"" #, c-format #~ msgid "precision is ignored for `%%' specifier" #~ msgstr "precisão é ignorada para o especificador \"%%\"" #, c-format #~ msgid "field width and precision are ignored for `%%' specifier" #~ msgstr "" #~ "largura de campo e precisão são ignorados para o especificador \"%%\"" #~ msgid "fatal: `$' is not permitted in awk formats" #~ msgstr "fatal: \"$\" não é permitido formatos awk" #~ msgid "fatal: argument index with `$' must be > 0" #~ msgstr "fatal: índice de argumento com \"$\" deve ser > 0" #, c-format #~ msgid "" #~ "fatal: argument index %ld greater than total number of supplied arguments" #~ msgstr "" #~ "fatal: índice de argumento %ld maior que número total de argumentos " #~ "fornecidos" #~ msgid "fatal: `$' not permitted after period in format" #~ msgstr "fatal: \"$\" não é permitido depois de ponto no formato" #~ msgid "fatal: no `$' supplied for positional field width or precision" #~ msgstr "" #~ "fatal: nenhum \"$\" fornecido para tamanho ou precisão de campo posicional" #, c-format #~ msgid "`%c' is meaningless in awk formats; ignored" #~ msgstr "\"%c\" não faz sentido em formatos awk; ignorado" #, c-format #~ msgid "fatal: `%c' is not permitted in POSIX awk formats" #~ msgstr "fatal: \"%c\" não é permitido em formatos POSIX awk" #, c-format #~ msgid "[s]printf: value %g is too big for %%c format" #~ msgstr "[s]printf: valor %g é grande demais para formato \"%%c\"" #, c-format #~ msgid "[s]printf: value %g is not a valid wide character" #~ msgstr "[s]printf: valor %g não é um caractere amplamente válido" #, c-format #~ msgid "[s]printf: value %g is out of range for `%%%c' format" #~ msgstr "[s]printf: valor %g está fora da faixa para formato \"%%%c\"" #, c-format #~ msgid "[s]printf: value %s is out of range for `%%%c' format" #~ msgstr "[s]printf: valor %s está fora da faixa para formato \"%%%c\"" #, c-format #~ msgid "%%%c format is POSIX standard but not portable to other awks" #~ msgstr "formato %%%c é de padrão POSIX, mas não portável para outros awks" #, c-format #~ msgid "" #~ "ignoring unknown format specifier character `%c': no argument converted" #~ msgstr "" #~ "ignorando caractere especificador de formato \"%c\" desconhecido: nenhum " #~ "argumento convertido" #~ msgid "fatal: not enough arguments to satisfy format string" #~ msgstr "fatal: argumentos insuficientes para satisfazer a string de formato" #~ msgid "^ ran out for this one" #~ msgstr "^ acabou para este aqui" #~ msgid "[s]printf: format specifier does not have control letter" #~ msgstr "[s]printf: especificador de formato não tem letra de controle" #~ msgid "too many arguments supplied for format string" #~ msgstr "excesso de argumentos fornecidos para a string de formato" #, fuzzy, c-format #~| msgid "%s: received non-string first argument" #~ msgid "%s: received non-string format string argument" #~ msgstr "%s: recebeu primeiro argumento não string" #~ msgid "sprintf: no arguments" #~ msgstr "sprintf: nenhum argumento" #~ msgid "printf: no arguments" #~ msgstr "printf: nenhum argumento" #~ msgid "printf: attempt to write to closed write end of two-way pipe" #~ msgstr "" #~ "printf: tentativa de escrever para lado de escrita fechado de pipe " #~ "bidirecional" #, c-format #~ msgid "%s" #~ msgstr "%s" #~ msgid "\t-W nostalgia\t\t--nostalgia\n" #~ msgstr "\t-W nostalgia\t\t--nostalgia\n" #~ msgid "fatal error: internal error: segfault" #~ msgstr "erro fatal: erro interno: falha de segmentação" #~ msgid "fatal error: internal error: stack overflow" #~ msgstr "erro fatal: erro interno: estouro de pilha" #, c-format #~ msgid "typeof: invalid argument type `%s'" #~ msgstr "typeof: tipo de argumento inválido \"%s\"" #~ msgid "do_writea: first argument is not a string" #~ msgstr "do_writea: primeiro argumento não é uma string" #~ msgid "do_reada: first argument is not a string" #~ msgstr "do_reada: primeiro argumento não é uma string" #~ msgid "do_writea: argument 1 is not an array" #~ msgstr "do_writea: argumento 1 não é um vetor" #~ msgid "do_reada: argument 0 is not a string" #~ msgstr "do_reada: argumento 0 não é uma string" #~ msgid "do_reada: argument 1 is not an array" #~ msgstr "do_reada: argumento 1 não é um vetor" #~ msgid "`L' is meaningless in awk formats; ignored" #~ msgstr "\"L\" não faz sentido em formatos awk; ignorado" #~ msgid "fatal: `L' is not permitted in POSIX awk formats" #~ msgstr "fatal: \"L\" não é permitido em formatos POSIX awk" #~ msgid "`h' is meaningless in awk formats; ignored" #~ msgstr "\"h\" não faz sentido em formatos awk; ignorado" #~ msgid "fatal: `h' is not permitted in POSIX awk formats" #~ msgstr "fatal: \"h\" não é permitido em formatos POSIX awk" #~ msgid "No symbol `%s' in current context" #~ msgstr "Nenhum símbolo \"%s\" no contexto atual" #~ msgid "fts: first parameter is not an array" #~ msgstr "fts: primeiro parâmetro não é um vetor" #~ msgid "fts: third parameter is not an array" #~ msgstr "fts: terceiro parâmetro não é um vetor" #~ msgid "adump: first argument not an array" #~ msgstr "adump: primeiro argumento não é um vetor" #~ msgid "asort: second argument not an array" #~ msgstr "asort: segundo argumento não é um vetor" #~ msgid "asorti: second argument not an array" #~ msgstr "asorti: segundo argumento não é um vetor" #~ msgid "asorti: first argument not an array" #~ msgstr "asorti: primeiro argumento não é um vetor" #~ msgid "asorti: first argument cannot be SYMTAB" #~ msgstr "asorti: primeiro argumento não pode ser SYMTAB" #~ msgid "asorti: first argument cannot be FUNCTAB" #~ msgstr "asorti: primeiro argumento não pode ser FUNCTAB" #~ msgid "asorti: cannot use a subarray of first arg for second arg" #~ msgstr "" #~ "asorti: não é possível usar um subvetor do primeiro arg para o segundo arg" #~ msgid "asorti: cannot use a subarray of second arg for first arg" #~ msgstr "" #~ "asorti: não é possível usar um subvetor do segundo arg para o primeiro arg" #~ msgid "can't read sourcefile `%s' (%s)" #~ msgstr "não foi possível ler arquivo-fonte \"%s\" (%s)" #~ msgid "POSIX does not allow operator `**='" #~ msgstr "POSIX não permite o operador \"**=\"" #~ msgid "old awk does not support operator `**='" #~ msgstr "o velho awk não oferece suporte ao operador \"**=\"" #~ msgid "old awk does not support operator `**'" #~ msgstr "o velho awk não oferece suporte ao operador \"**\"" #~ msgid "operator `^=' is not supported in old awk" #~ msgstr "sem suporte ao operador `^=' no velho awk" #~ msgid "could not open `%s' for writing (%s)" #~ msgstr "não foi possível abrir \"%s\" para escrita (%s)" #~ msgid "exp: received non-numeric argument" #~ msgstr "exp: recebeu argumento não numérico" #~ msgid "length: received non-string argument" #~ msgstr "length: recebeu argumento não string" #~ msgid "log: received non-numeric argument" #~ msgstr "log: recebeu argumento não numérico" #~ msgid "sqrt: received non-numeric argument" #~ msgstr "sqrt: recebeu argumento não numérico" #~ msgid "sqrt: called with negative argument %g" #~ msgstr "sqrt: chamada com argumento negativo %g" #~ msgid "strftime: received non-numeric second argument" #~ msgstr "strftime: recebeu segundo argumento não numérico" #~ msgid "strftime: received non-string first argument" #~ msgstr "strftime: recebeu primeiro argumento não string" #~ msgid "mktime: received non-string argument" #~ msgstr "mktime: recebeu argumento não string" #~ msgid "tolower: received non-string argument" #~ msgstr "tolower: recebeu argumento não string" #~ msgid "toupper: received non-string argument" #~ msgstr "toupper: recebeu argumento não string" #~ msgid "sin: received non-numeric argument" #~ msgstr "sin: recebeu argumento não numérico" #~ msgid "cos: received non-numeric argument" #~ msgstr "cos: recebeu argumento não numérico" #~ msgid "lshift: received non-numeric first argument" #~ msgstr "lshift: recebeu primeiro argumento não numérico" #~ msgid "rshift: received non-numeric first argument" #~ msgstr "rshift: recebeu primeiro argumento não numérico" #~ msgid "rshift: received non-numeric second argument" #~ msgstr "rshift: recebeu segundo argumento não numérico" #~ msgid "and: argument %d is non-numeric" #~ msgstr "and: argumento %d é não numérico" #~ msgid "and: argument %d negative value %g is not allowed" #~ msgstr "and: o argumento %d com valor negativo %g não é permitido" #~ msgid "or: argument %d negative value %g is not allowed" #~ msgstr "or: o argumento %d com valor negativo %g não é permitido" #~ msgid "xor: argument %d is non-numeric" #~ msgstr "xor: argumento %d é não numérico" #~ msgid "xor: argument %d negative value %g is not allowed" #~ msgstr "xor: o argumento %d com valor negativo %g não é permitido" #~ msgid "Can't find rule!!!\n" #~ msgstr "Não foi possível localizar regra!!!\n" # referente à resposta quit/sair em um prompt interativo -- Rafael #~ msgid "q" #~ msgstr "s" #~ msgid "fts: bad first parameter" #~ msgstr "fts: primeiro parâmetro inválido" #~ msgid "fts: bad second parameter" #~ msgstr "fts: segundo parâmetro inválido" #~ msgid "fts: bad third parameter" #~ msgstr "fts: terceiro parâmetro inválido" #~ msgid "fts: clear_array() failed\n" #~ msgstr "fts: clear_array() falhou\n" #~ msgid "ord: called with inappropriate argument(s)" #~ msgstr "ord: chamada com argumento(s) inapropriados" #~ msgid "chr: called with inappropriate argument(s)" #~ msgstr "chr: chamada com argumento(s) inapropriados" #~ msgid "setenv(TZ, %s) failed (%s)" #~ msgstr "setenv(TZ, %s) falhou (%s)" #~ msgid "setenv(TZ, %s) restoration failed (%s)" #~ msgstr "restauração de setenv(TZ, %s) falhou (%s)" #~ msgid "unsetenv(TZ) failed (%s)" #~ msgstr "unsetenv(TZ) falhou (%s)" #~ msgid "`isarray' is deprecated. Use `typeof' instead" #~ msgstr "\"isarray\" está obsoleto. Em vez disso, use \"typeof\"" #~ msgid "attempt to use array `%s[\".*%s\"]' in a scalar context" #~ msgstr "tentativa de usar vetor '%s[\".*%s\"]' em um contexto escalar" #~ msgid "attempt to use scalar `%s[\".*%s\"]' as array" #~ msgstr "tentativa de usar vetor '%s[\".*%s\"]' como um vetor" #~ msgid "gensub: third argument %g treated as 1" #~ msgstr "gensub: terceiro argumento %g tratado como 1" #~ msgid "`extension' is a gawk extension" #~ msgstr "\"extension\" é uma extensão do gawk" #~ msgid "extension: received NULL lib_name" #~ msgstr "extension: recebido lib_name NULL" #~ msgid "extension: cannot open library `%s' (%s)" #~ msgstr "extension: não foi possível abrir a biblioteca \"%s\" (%s)" #~ msgid "" #~ "extension: library `%s': does not define `plugin_is_GPL_compatible' (%s)" #~ msgstr "" #~ "extension: biblioteca \"%s\": não define \"plugin_is_GPL_compatible\" (%s)" #~ msgid "extension: library `%s': cannot call function `%s' (%s)" #~ msgstr "" #~ "extension: biblioteca \"%s\": não foi possível chamar a função \"%s\" (%s)" #~ msgid "extension: missing function name" #~ msgstr "extension: faltando nome de função" #~ msgid "extension: illegal character `%c' in function name `%s'" #~ msgstr "extension: caractere ilegal \"%c\" no nome de função \"%s\"" #~ msgid "extension: can't redefine function `%s'" #~ msgstr "extension: não foi possível redefinir \"%s\"" #~ msgid "extension: function `%s' already defined" #~ msgstr "extension: função \"%s\" já definida" #~ msgid "extension: function name `%s' previously defined" #~ msgstr "extension: nome da função \"%s\" definido anteriormente" #~ msgid "extension: can't use gawk built-in `%s' as function name" #~ msgstr "" #~ "extension: não é possível usar \"%s\" intrínseco do gawk como nome de " #~ "função" #~ msgid "chdir: called with incorrect number of arguments, expecting 1" #~ msgstr "chdir: chamada com número incorreto de argumentos, esperava 1" #~ msgid "stat: called with wrong number of arguments" #~ msgstr "stat: chamada com número errado de argumentos" #~ msgid "statvfs: called with wrong number of arguments" #~ msgstr "statvfs: chamada com número errado de argumentos" #~ msgid "fnmatch: called with less than three arguments" #~ msgstr "fnmatch: chamada com menos de três argumentos" #~ msgid "fnmatch: called with more than three arguments" #~ msgstr "fnmatch: chamada com mais de três argumentos" #~ msgid "fork: called with too many arguments" #~ msgstr "fork: chamada com número excessivo de argumentos" #~ msgid "waitpid: called with too many arguments" #~ msgstr "waitpid: chamada com número excessivo de argumentos" #~ msgid "wait: called with no arguments" #~ msgstr "wait: chamada com nenhum argumento" #~ msgid "wait: called with too many arguments" #~ msgstr "wait: chamada com número excessivo de argumentos" #~ msgid "ord: called with too many arguments" #~ msgstr "ord: chamada com número excessivo de argumentos" #~ msgid "chr: called with too many arguments" #~ msgstr "chr: chamada com número excessivo de argumentos" #~ msgid "readfile: called with too many arguments" #~ msgstr "readfile: chamada com número excessivo de argumentos" #~ msgid "writea: called with too many arguments" #~ msgstr "writea: chamada com número excessivo de argumentos" #~ msgid "reada: called with too many arguments" #~ msgstr "reada: chamada com número excessivo de argumentos" #~ msgid "gettimeofday: ignoring arguments" #~ msgstr "gettimeofday: ignorando argumentos" #~ msgid "sleep: called with too many arguments" #~ msgstr "sleep: chamada com número excessivo de argumentos" #~ msgid "unknown value for field spec: %d\n" #~ msgstr "valor desconhecido para especificação de campo: %d\n" #~ msgid "reference to uninitialized element `%s[\"%s\"]'" #~ msgstr "referência a elemento não inicializado `%s[\"%s\"]'" #~ msgid "subscript of array `%s' is null string" #~ msgstr "índice do vetor `%s' é uma string nula" #~ msgid "%s: empty (null)\n" #~ msgstr "%s: vazio (nulo)\n" #~ msgid "%s: empty (zero)\n" #~ msgstr "%s: vazio (zero)\n" #~ msgid "%s: table_size = %d, array_size = %d\n" #~ msgstr "%s: table_size = %d, array_size = %d\n" #~ msgid "%s: array_ref to %s\n" #~ msgstr "%s: array_ref para %s\n" #~ msgid "statement may have no effect" #~ msgstr "declaração pode não ter efeito" #~ msgid "call of `length' without parentheses is deprecated by POSIX" #~ msgstr "chamada a `length' sem parênteses é obsoleta de acordo com POSIX" #~ msgid "use of non-array as array" #~ msgstr "uso de não vetor como vetor" #~ msgid "`%s' is a Bell Labs extension" #~ msgstr "`%s' é uma extensão da Bell Labs" #~ msgid "or used as a variable or an array" #~ msgstr "ou usado como uma variável ou vetor" #~ msgid "substr: length %g is < 0" #~ msgstr "substr: comprimento %g é < 0" #~ msgid "or(%lf, %lf): negative values will give strange results" #~ msgstr "or(%lf, %lf): valores negativos darão resultados estranhos" #~ msgid "or(%lf, %lf): fractional values will be truncated" #~ msgstr "or(%lf, %lf): valores fracionários serão truncados" #~ msgid "xor: received non-numeric first argument" #~ msgstr "xor: recebeu primeiro argumento não numérico" #~ msgid "xor(%lf, %lf): fractional values will be truncated" #~ msgstr "xor(%lf, %lf): valores fracionários serão truncados" #~ msgid "" #~ "for loop: array `%s' changed size from %ld to %ld during loop execution" #~ msgstr "" #~ "loop for: vetor `%s' mudou de tamanho de %ld para %ld durante a execução" #~ msgid "`break' outside a loop is not portable" #~ msgstr "`break' fora de um loop não é portável" #~ msgid "`continue' outside a loop is not portable" #~ msgstr "`continue' fora de um loop não é portável" #~ msgid "`next' cannot be called from an END rule" #~ msgstr "`next' não pode ser chamado de uma regra END" #~ msgid "`nextfile' cannot be called from a BEGIN rule" #~ msgstr "`nextfile' não pode ser chamado de uma regra BEGIN" #~ msgid "`nextfile' cannot be called from an END rule" #~ msgstr "`nextfile' não pode ser chamado de uma regra END" #~ msgid "" #~ "concatenation: side effects in one expression have changed the length of " #~ "another!" #~ msgstr "" #~ "concatenação: efeitos colaterais em um contexto mudaram o comprimento de " #~ "outro!" #~ msgid "assignment used in conditional context" #~ msgstr "atribuição usada em contexto condicional" #~ msgid "illegal type (%s) in tree_eval" #~ msgstr "tipo ilegal (%s) em tree_eval" #~ msgid "function %s called\n" #~ msgstr "função %s chamada\n" #~ msgid "\t# -- main --\n" #~ msgstr "\t# -- main --\n" #~ msgid "assignment is not allowed to result of builtin function" #~ msgstr "atribuição não pode resultar de funções intrínsecas" #~ msgid "Operation Not Supported" #~ msgstr "Operação Não Suportada" #~ msgid "field %d in FIELDWIDTHS, must be > 0" #~ msgstr "campo %d em FIELDWIDTHS deve ser > 0" #~ msgid "%s: illegal option -- %c\n" #~ msgstr "%s: opção ilegal -- %c\n" #~ msgid "invalid tree type %s in redirect()" #~ msgstr "tipo de árvore %s inválido em redirect()" #~ msgid "can't open two way socket `%s' for input/output (%s)" #~ msgstr "impossível abrir socket bidirecional `%s' para entrada/saída (%s)" #~ msgid "/inet/raw client not ready yet, sorry" #~ msgstr "infelizmente, o cliente de /inet/raw não está concluído" #~ msgid "only root may use `/inet/raw'." #~ msgstr "apenas root pode usar `/inet/raw'." #~ msgid "/inet/raw server not ready yet, sorry" #~ msgstr "infelizmente, o servidor de /inet/raw não está concluído" #~ msgid "no (known) protocol supplied in special filename `%s'" #~ msgstr "" #~ "nenhum protocolo (conhecido) fornecido em nome de arquivo especial `%s'" #~ msgid "special file name `%s' is incomplete" #~ msgstr "nome de arquivo especial `%s' está incompleto" #~ msgid "must supply a remote hostname to `/inet'" #~ msgstr "deve ser fornecido um nome de host remoto para `/inet'" #~ msgid "must supply a remote port to `/inet'" #~ msgstr "deve ser fornecida uma porta remota para `/inet'" #~ msgid "remote port invalid in `%s'" #~ msgstr "porta remota inválida em `%s'" #~ msgid "file `%s' is a directory" #~ msgstr "arquivo `%s' é um diretório" #~ msgid "use `PROCINFO[\"%s\"]' instead of `%s'" #~ msgstr "use `PROCINFO[\"%s\"]' em vez de `%s'" #~ msgid "use `PROCINFO[...]' instead of `/dev/user'" #~ msgstr "use `PROCINFO[...]' em vez de `/dev/user'" #~ msgid "`-m[fr]' option irrelevant in gawk" #~ msgstr "opção `-m[fr] é irrelevante no gawk" #~ msgid "-m option usage: `-m[fr] nnn'" #~ msgstr "uso da opção -m: `-m[fr] nnn'" #~ msgid "\t-m[fr] val\n" #~ msgstr "\t-m[fr] val\n" #~ msgid "\t-W compat\t\t--compat\n" #~ msgstr "\t-W compat\t\t--compat\n" #~ msgid "\t-W copyleft\t\t--copyleft\n" #~ msgstr "\t-W copyleft\t\t--copyleft\n" #~ msgid "\t-W usage\t\t--usage\n" #~ msgstr "\t-W usage\t\t--usage\n" #~ msgid "could not find groups: %s" #~ msgstr "impossível achar grupos: %s" #~ msgid "can't convert string to float" #~ msgstr "impossível converter string para float" #~ msgid "# treated internally as `delete'" #~ msgstr "# tratado internamente como `delete'" #~ msgid "" #~ "\t# BEGIN block(s)\n" #~ "\n" #~ msgstr "" #~ "\t# bloco(s) BEGIN\n" #~ "\n" #~ msgid "" #~ "\t# END block(s)\n" #~ "\n" #~ msgstr "" #~ "\t# bloco(s) END\n" #~ "\n" #~ msgid "unexpected type %s in prec_level" #~ msgstr "tipo inesperado %s em prec_level" #~ msgid "regex match failed, not enough memory to match string \"%.*s%s\"" #~ msgstr "" #~ "busca por exp. reg. falhou, memória insuficiente para testar string \"%." #~ "*s%s\"" #~ msgid "delete: illegal use of variable `%s' as array" #~ msgstr "delete: uso ilegal da variável `%s' como vetor" #~ msgid "internal error: Node_var_array with null vname" #~ msgstr "erro interno: Node_var_array com vname nulo" EOF echo Extracting po/pt.po cat << \EOF > po/pt.po # Portuguese (Portugal) Translation for the gawk Package. # Copyright (C) 2019 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # Pedro Albuquerque , 2019, 2020, 2021, 2025. # msgid "" msgstr "" "Project-Id-Version: gawk 5.3.1b\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2025-03-23 07:57+0000\n" "Last-Translator: Pedro Albuquerque \n" "Language-Team: Portuguese \n" "Language: pt\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Bugs: Report translation errors to the Language-Team address.\n" "X-Generator: Poedit 3.5\n" "X-Bugs: Report translation errors to the Language-Team address.\n" #: array.c:249 #, c-format msgid "from %s" msgstr "de %s" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "tentativa de usar um valor escalar como matriz" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "tentativa de usar o parâmetro escalar \"%s\" como matriz" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "tentativa de usar o escalar \"%s\" como matriz" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "tentativa de usar a matriz \"%s\" num contexto escalar" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "eliminar: índice \"%.*s\" não está na matriz \"%s\"" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "tentativa de usar o escalar '%s[\"%.*s\"]' como matriz" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "%s: o primeiro argumento não é uma matriz" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "%s: o segundo argumento não é uma matriz" #: array.c:901 field.c:1150 field.c:1247 #, c-format msgid "%s: cannot use %s as second argument" msgstr "%s: impossível usar %s para 2º argumento" #: array.c:909 #, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "%s: o primeiro argumento não pode ser SYMTAB sem um 2º argumento" #: array.c:911 #, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "%s: o primeiro argumento não pode ser FUNCTAB sem um 2º argumento" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" "asort/asorti: usar a mesma matriz como fonte e destino sem um terceiro " "argumento é pateta." #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "%s: impossível usar uma sub-matriz do 1º argumento para 2º argumento" #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "%s: impossível usar uma sub-matriz do 2º argumento para 1º argumento" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "\"%s\" é inválido como nome de função" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "função de comparação de ordem \"%s\" não definida" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "%s blocos têm de ter uma parte de acção" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "cada regra tem de ter um padrão ou uma parte de acção" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "o awk antigo não suporta múltiplas regras \"BEGIN\" ou \"END\"" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "\"%s\" é uma função interna, não pode ser redefinida" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "constante regexp \"//\" parece-se com um comentário C++, mas não é" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "constante regexp \"/%s/\" parece-se com um comentário C, mas não é" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "valores de \"case\" duplicados no corpo do \"switch\": %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "\"default\" duplicado detectado no corpo do \"switch\"" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "\"break\" não é permitido fora de um ciclo ou \"switch\"" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "\"continue\" não é permitido fora de um ciclo" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "\"next\" usado em acção \"%s\"" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "\"nextfile\" usado em acção \"%s\"" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "\"return\" usado fora do contexto da função" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" "\"print\" simples em regra BEGIN ou END devia provavelmente ser 'print \"\"'" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "\"delete\" não é permitido com SYMTAB" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "\"delete\" não é permitido com FUNCTAB" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "\"delete(array)\" é uma extensão tawk não-portável" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "túneis multi-estágio de duas vias não funcionam" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "concatenação como alvo de redireccionamento \">\" de E/S é ambíguo" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "expressão regular à direita de atribuição" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "expressão regular à esquerda de operador \"~\" ou \"!~\"" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "o awk antigo não suporta a palavra-chave \"in\", excepto após \"for\"" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "expressão regular à direita de comparação" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "\"getline\" não redireccionado inválido dentro de regra \"%s\"" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "\"getline\" não redireccionado indefinido dentro de acção END" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "o awk antigo não suporta matrizes multi-dimensionais" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "chamada de \"length\" sem parênteses não é portável" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "chamadas de função indirectas são uma extensão gawk" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "" "impossível usar a variável especial \"%s\" para chamada de função indirecta" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "tentativa de usar a não-função \"%s\" em chamada de função" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "expressão subscrita inválida" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "aviso: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "fatal: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "nova linha ou fim de cadeia inesperados" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" "ficheiros-fonte/argumentos de linha de comandos têm de conter funções ou " "regras completas" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "impossível abrir ficheiro-fonte \"%s\" para leitura: %s" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "impossível abrir biblioteca partilhada \"%s\" para leitura: %s" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "motivo desconhecido" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "impossível incluir \"%s\" e usar como ficheiro de programa" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "ficheiro-fonte \"%s\" já incluído" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "biblioteca partilhada \"%s\" já incluída" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "@include é uma extensão gawk" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "nome de ficheiro vazio após @include" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "@load é uma extensão gawk" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "nome de ficheiro vazio após @load" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "texto de programa vazio na linha de comandos" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "impossível ler ficheiro-fonte \"%s\": %s" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "ficheiro-fonte \"%s\" vazio" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "erro: carácter \"\\%03o\" inválido no código-fonte" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "ficheiro-fonte não termina com nova linha" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "regexp não terminada acaba com \"\\\" no fim do ficheiro" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "%s: %d: modificador regexp tawk \"/.../%c\" não funciona no gawk" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "modificador regexp tawk \"/.../%c\" não funciona no gawk" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "regexp não terminada" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "regexp não terminada no fim do ficheiro" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "uso de continuação de linha \"\\ #...\" não é portável" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "a barra invertida não é o último carácter na linha" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "matrizes multi-dimensionais são uma extensão gawk" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX não permite o operador \"%s\"" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "o awk antigo não suporta o operador \"%s\"" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "cadeia indeterminada" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "POSIX não permite novas linhas físicas em valores de cadeia" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "continuação de cadeia com barra invertida não é portável" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "carácter \"%c\" inválido em expressão" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "\"%s\" é uma extensão gawk" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX não permite \"%s\"" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "o awk antigo não suporta \"%s\"" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "\"goto\" considerado perigoso!" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d é inválido como nº de argumentos para %s" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "" "%s: literal de cadeia como último argumento de substituto não tem efeito" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "o terceiro parâmetro de %s não é um objecto alterável" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match: o terceiro argumento é uma extensão gawk" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close: o segundo argumento é uma extensão gawk" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "o uso de dcgettext(_\"...\") está incorrecto: remova o sublinhado inicial" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "o uso de dcngettext(_\"...\") está incorrecto: remova o sublinhado inicial" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "index: constante regexp como segundo argumento não é permitido" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "função \"%s\": o parâmetro \"%s\" sombreia uma variável global" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "impossível abrir \"%s\" para escrita: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "a enviar lista de variáveis para erro padrão" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "%s: falha ao fechar: %s" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "shadow_funcs() chamada duas vezes!" #: awkgram.y:4980 msgid "there were shadowed variables" msgstr "houve variáveis sombreadas" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "nome de função \"%s\" previamente definido" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "função \"%s\": impossível usar o nome da função como nome de parâmetro" #: awkgram.y:5126 #, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" "função \"%s\": parâmetro \"%s\": o POSIX não permite usar uma variável " "especial como parâmetro da função" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "função \"%s\": o parâmetro \"%s\" não pode conter um namespace" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "função \"%s\": o parâmetro nº %d, \"%s\", duplica o parâmetro nº %d" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "função \"%s\" chamada, mas não foi definida" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "função \"%s\" definida, mas nunca é chamada directamente" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "constante regexp para o parâmetro nº %d entrega um valor booleano" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "função \"%s\" chamada com espaço entre o nome e \"(\",\n" "ou usada como variável ou matriz" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "tentativa de dividir por zero" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "tentativa de dividir por zero em \"%%\"" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "" "impossível atribuir um valor ao resultado de uma expressão de pós-incremento " "de campo" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "alvo de atribuição inválido (opcode %s)" #: awkgram.y:6266 msgid "statement has no effect" msgstr "a declaração não tem efeito" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" "identificador %s: nomes qualificados não são permitidos em modo tradicional/" "POSIX" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "" "identificador %s: o separador de espaços de nome é duplo dois-pontos, não " "dois-pontos único" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "identificador %s qualificado está mal formado" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" "identificador %s: o separador de espaços de nome só pode aparecer uma vez " "num nome qualificado" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "não é permitido usar o identificador reservado %s como namespace" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" "não é permitido usar o identificador reservado %s como 2º componente de nome " "qualificado" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "@namespace é uma extensão gawk" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" "nome do namespace \"%s\" tem de cumprir regras de nome de identificador" #: builtin.c:93 builtin.c:100 #, c-format msgid "%s: called with %d arguments" msgstr "%s: chamada com %d argumentos" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "%s para \"%s\" falhou: %s" #: builtin.c:129 msgid "standard output" msgstr "saída padrão" #: builtin.c:130 msgid "standard error" msgstr "erro padrão" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s: recebido argumento não-numérico" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp: argumento %g fora do intervalo" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "%s: recebido argumento não-cadeia" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: impossível despejar: túnel \"%.*s\" aberto para leitura, não escrita" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" "fflush: impossível despejar: ficheiro \"%.*s\" aberto para leitura, não " "escrita" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush: impossível despejar ficheiro \"%.*s\": %s" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" "fflush: impossível despejar: túnel de duas vias \"%.*s\" fechou o lado de " "escrita" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "fflush: \"%.*s\" não é um ficheiro, túnel ou co-processo aberto" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "%s: recebido 1º argumento não-cadeia" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "%s: recebido 2º argumento não-cadeia" #: builtin.c:595 msgid "length: received array argument" msgstr "length: recebido argumento matriz" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "\"length(array)\" é uma extensão gawk" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "%s: recebido argumento %g negativo" #: builtin.c:698 builtin.c:2949 #, c-format msgid "%s: received non-numeric third argument" msgstr "%s: recebido 3º argumento não-numérico" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "%s: recebido 2º argumento não-numérico" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: tamanho %g não é >= 1" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: tamanho %g não é >= 0" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: tamanho não-inteiro %g será truncado" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "" "substr: tamanho %g muito grande para indexação da cadeia, a truncar para %g" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: índice inicial %g inválido, a usar 1" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "substr: índice inicial não-inteiro %g será truncado" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: cadeia-fonte tem tamanho zero" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: índice inicial %g está para lá do fim da cadeia" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: tamanho %g no índice inicial %g excede o tamanho do 1º argumento " "(%lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "strftime: valor de formato em PROCINFO[\"strftime\"] tem tipo numérico" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "strftime: 2º argumento menor que 0 ou muito grande para time_t" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "strftime: 2º argumento fora do intervalo para time_t" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: recebida cadeia de formato vazia" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "mktime: pelo menos um dos valores está fora do intervalo predefinido" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "função \"system\" não permitida em modo sandbox" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "" "print: tentativa de escrever no lado de escrita fechado de um túnel de duas " "vias" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "referência a campo não inicializado \"$%d\"" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "%s: recebido 1º argumento não-numérico" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: o 3º argumento não é uma matriz" #: builtin.c:1604 #, c-format msgid "%s: cannot use %s as third argument" msgstr "%s: impossível usar %s como 3º argumento" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: 3º argumento \"%.*s\" tratado como 1" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s: pode ser chamada indirectamente só com dois argumentos" #: builtin.c:2242 msgid "indirect call to gensub requires three or four arguments" msgstr "chamada indirecta a gensub requer três ou quatro argumentos" #: builtin.c:2304 msgid "indirect call to match requires two or three arguments" msgstr "chamada indirecta a match requer dois ou três argumentos" #: builtin.c:2365 #, c-format msgid "indirect call to %s requires two to four arguments" msgstr "chamada indirecta a %s requer dois a quatro argumentos" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): não são permitidos valores negativos" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f): valores fraccionais serão truncados" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "" "lshift(%f, %f): um valor de deslocamento muito grande dará resultados " "estranhos" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f, %f): não são permitidos valores negativos" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): valores fraccionais serão truncados" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "" "rshift(%f, %f): um valor de deslocamento muito grande dará resultados " "estranhos" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "%s: chamada com menos de dois argumentos" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "%s: argumento %d é não-numérico" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%s: argumento %d com valor %g negativo não é permitido" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): valor negativo não é permitido" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): valores fraccionais serão truncados" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: \"%s\" não é uma categoria regional válida" #: builtin.c:2842 builtin.c:2860 #, c-format msgid "%s: received non-string third argument" msgstr "%s: recebido 3º argumento não-cadeia" #: builtin.c:2915 builtin.c:2936 #, c-format msgid "%s: received non-string fifth argument" msgstr "%s: recebido 5º argumento não-cadeia" #: builtin.c:2925 builtin.c:2942 #, c-format msgid "%s: received non-string fourth argument" msgstr "%s: recebido 4º argumento não-cadeia" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "intdiv: 3º argumento não é uma matriz" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "intdiv: tentativa de dividir por zero" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "typeof: 2º argumento não é uma matriz" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" "typeof detectou uma combinação de bandeiras \"%s\" inválida; por favor, faça " "um relatório de erro" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "typeof: tipo de argumento \"%s\" desconhecido" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "impossível adicionar um novo ficheiro (%.*s) a ARGV em modo sandbox" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "Digite as declarações (g)awk. Termine com o comando \"end\"\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "número de quadro errado: %d" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "info: opção inválida - \"%s\"" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "source: \"%s\": já baseado" #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "save: \"%s\": comando não permitido" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" "impossível usar o comando \"commands\" para comandos breakpoint/watchpoint" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "sem breakpoint/watchpoint definidos" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "número de breakpoint/watchpoint inválido" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "Digite comandos para quando %s %d for premido, um por linha.\n" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "Termine com o comando \"end\"\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "\"end\" só é válido no comando \"commands\" ou \"eval\"" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "\"silent\" só é válido no comando \"commands\"" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "trace: opção inválida - \"%s\"" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "condition: número de breakpoint/watchpoint inválido" #: command.y:452 msgid "argument not a string" msgstr "argumento não-cadeia" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "option: parâmetro inválido - \"%s\"" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "sem tal função - \"%s\"" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "enable: opção inválida - \"%s\"" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "especificação de intervalo inválida: %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "valor não-numérico em número de campo" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "valor não-numérico encontrado, esperado um número" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "valor inteiro não-zero" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" "backtrace [N] - imprime registo de todos os quadros ou N mais interiores " "(mais exteriores se N < 0)" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "" "break [[nomefich:]N|função] - define breakpoint na localização especificada" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "" "clear [[nomefich:]N|função] - elimina breakpoints anteriormente definidos" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" "commands [núm] - inicia uma lista de comandos a executar num " "breakpoint(watchpoint)" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" "condition núm [expr] - define ou limpa condição de breakpoint ou watchpoint" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "continue [COUNT] - continua o programa em depuração" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "" "delete [breakpoints] [intervalo] - elimina os breakpoints especificados" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "" "disable [breakpoints] [intervalo] - desactiva os breakpoints especificados" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "" "display [var] - imprime o valor da variável cada vez que o programa pára" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "down [N] - move N quadros abaixo na pilha" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "dump [filename] - despeja instruções para ficheiro ou stdout" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" "enable [once|del] [breakpoints] [intervalo] - activa os breakpoints " "especificados" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "end - termina uma lista de comandos ou declarações awk" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "eval stmt|[p1, p2, ...] - avalia declarações awk" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "exit - (igual a quit) sai do depurador" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "finish - executa até que o quadro da pilha seleccionado retorne" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "frame [N] - selecciona e imprime o quadro da pilha número N" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "" "help [cmmando] - imprime uma lista de comandos ou a explicação de um comando" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "" "ignore N CONTAGEM - define ignore-count do breakpoint número N como CONTAGEM" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info tópico - fonte|fontes|variáveis|funções|quebra|quadro|argumentos|locais|" "mostrar|observar" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "" "list [-|+|[nomefich:]numlin|função|intervalo] - lista as linhas especificadas" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "" "next [CONTAGEM] - executa o programa, continuando pelas chamadas a sub-" "rotinas" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" "nexti [CONTAGEM] - executa uma instrução, mas continuando pelas chamadas a " "sub-rotinas" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "option [nome[=valor]] - define ou mostra opções do depurador" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "print var [var] - imprime o valor de uma variável ou matriz" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "printf formato, [arg], ... - saída formatada" #: command.y:872 msgid "quit - exit debugger" msgstr "quit - sai do depurador" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "" "return [value] - faz com que o quadro da pilha seleccionado retorne ao seu " "chamador" #: command.y:876 msgid "run - start or restart executing program" msgstr "run - começa ou reinicia a execução do programa" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "save nomefich - grava os comandos da sessão no ficheiro" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "set var = valor - atribui um valor a uma variável escalar" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" "silent - suspende a mensagem habitual quando parado num breakpoint/watchpoint" #: command.y:886 msgid "source file - execute commands from file" msgstr "source ficheiro - executa comandos a partir do ficheiro" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" "step [CONTAGEM] - executa o programa até que atinja uma linha fonte diferente" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [CONT] - executa exactamente uma instrução" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "tbreak [[nomefich:]N|função] - define um breakpoint temporário" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "trace on|off - imprime a instrução antes de a executar" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "undisplay [N] - remove variáveis da lista de exibição automática" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" "until [[nomefich:]N|função] - executa até o programa atingir uma linha " "diferente ou até à linha N dentro do quadro actual" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [N] - remove variáveis da lista de observação" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "up [N] - move N quadros acima na pilha" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "watch var - define um watchpoint para uma variável" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "where [N] - (igual a backtrace) imprime o traço de todos os quadros ou N " "mais interiores (mais exteriores se N < 0)" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "erro: " #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "impossível ler o comando: %s\n" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "impossível ler o comando: %s" #: command.y:1126 msgid "invalid character in command" msgstr "carácter inválido no comando" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "comando desconhecido - \"%.*s\", tente help" #: command.y:1294 msgid "invalid character" msgstr "carácter inválido" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "comando indefinido: %s\n" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "define ou mostra o número de linhas a manter no ficheiro de histórico" #: debug.c:259 msgid "set or show the list command window size" msgstr "define ou mostra o tamanho da janela do comando de lista" #: debug.c:261 msgid "set or show gawk output file" msgstr "define ou mostra o ficheiro de saída do gawk" #: debug.c:263 msgid "set or show debugger prompt" msgstr "define ou mostra a entrada do depurador" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "" "define/remove ou mostra a gravação do histórico de comandos (valor=on|off)" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "define/remove ou mostra a gravação de opções (valor=on|off)" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "define/remove ou mostra o registo de instruções (valor=on|off)." #: debug.c:358 msgid "program not running" msgstr "programa não em execução" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "ficheiro-fonte \"%s\" vazio.\n" #: debug.c:502 msgid "no current source file" msgstr "sem ficheiro-fonte actual" #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "impossível encontrar ficheiro-fonte chamado \"%s\": %s" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "" "aviso: ficheiro-fonte \"%s\" modificado desde a compilação do programa.\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "número de linha %d fora do intervalo; \"%s\" tem %d linhas" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "eof inesperado ao ler \"%s\", linha %d" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "" "ficheiro-fonte \"%s\" modificado desde o início da execução do programa" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "Ficheiro-fonte actual: %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "Número de linhas: %d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "Ficheiro-fonte (linhas): %s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "Número Most Activas Localiz.\n" "\n" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "\tnúmero de resultados = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "\tignora %ld hit(s) seguintes\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "\tcondição de paragem: %s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "\tcomandos:\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "Quadro actual: " #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "Chamada pelo quadro: " #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "Chamador do quadro: " #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "Nada em main().\n" #: debug.c:870 msgid "No arguments.\n" msgstr "Sem argumentos.\n" #: debug.c:871 msgid "No locals.\n" msgstr "Sem locais.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "Todas as variáveis definidas:\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "Todas as funções definidas:\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "Mostrar variáveis automaticamente:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "Observar variáveis: \n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "sem símbolo \"%s\" no contexto actual\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "\"%s\" não é uma matriz\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = campo não inicializado\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "matriz \"%s\" está vazia\n" #: debug.c:1184 debug.c:1236 #, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "o subscrito [\"%.*s\"] não está na matriz \"%s\"\n" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "'%s[\"%.*s\"]' não é uma matriz\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "\"%s\" não é uma variável escalar" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "tentativa de usar matriz '%s[\"%.*s\"]' num contexto escalar" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "tentativa de usar o escalar '%s[\"%.*s\"]' como matriz" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "\"%s\" é uma função" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "watchpoint %d é incondicional\n" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "sem item de exibição numerado %ld" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "sem item de observação numerado %ld" #: debug.c:1596 #, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d: o subscrito [\"%.*s\"] não está na matriz \"%s\"\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "tentativa de usar valor escalar como matriz" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "Watchpoint %d eliminado por o parâmetro estar fora do âmbito.\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "Exibição %d eliminada por o parâmetro estar fora do âmbito.\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr " no ficheiro \"%s\", linha %d\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr " em 2%s\":%d" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "#%ld\tem " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "Seguem-se mais quadros da pilha...\n" #: debug.c:2092 msgid "invalid frame number" msgstr "número de quadro inválido" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Nota: breakpoint %d (activo, ignora %ld hits seguintes), também definido em " "%s:%d" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "Nota: breakpoint %d (activo), também definido em %s:%d" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Nota: breakpoint %d (inactivo, ignora %ld hits seguintes), também definido " "em %s:%d" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "Nota: breakpoint %d (inactivo), também definido em %s:%d" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "Breakpoint %d definido no ficheiro \"%s\", linha %d\n" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "impossível definir breakpoint no ficheiro \"%s\"\n" #: debug.c:2444 #, c-format msgid "line number %d in file `%s' is out of range" msgstr "número de linha %d no ficheiro \"%s\" fora do intervalo" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "erro interno: impossível encontrar regra\n" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "impossível definir breakpoint em \"%s\":%d\n" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "impossível definir breakpoint na função \"%s\"\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "breakpoint %d definido no ficheiro \"%s\", linha %d é incondicional\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "número de linha %d no ficheiro \"%s\" fora do intervalo" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "Breakpoint %d eliminado" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "Sem breakpoints na entrada da função \"%s\"\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "Sem breakpoint no ficheiro \"%s\", linha %d\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "número de breakpoint inválido" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "Eliminar todos os breakpoints? (s ou n) " # I'm assuming this is the translation of the 'y' from the previous string. # # Presume-se que esta cadeia seja a tradução do "y" da cadeia anterior. #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "s" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "Vai ignorar os %ld cruzamentos seguintes do breakpoint %d.\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "Vai parar da próxima vez que o breakpoint %d seja atingido.\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "Só se pode depurar programas indicando a opção \"-f\".\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "A reiniciar...\n" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "Falha ao reiniciar o depurador" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "Programa já em execução. Recomeçar do início (y/n)? " #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "Programa não reiniciado\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "erro: impossível reiniciar, operação não permitida\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "erro (%s): impossível reiniciar, a ignorar o resto dos comandos\n" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "A iniciar o programa: \n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "O programa saiu anormalmente com o código %d\n" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "O programa saiu normalmente com o código %d\n" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "O programa está em execução. Sair mesmo assim (y/n)? " #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "Não parado em nenhum breakpoint; argumento ignorado.\n" #: debug.c:3091 #, c-format msgid "invalid breakpoint number %d" msgstr "número de breakpoint %d inválido" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "Vai ignorar os %ld cruzamentos seguintes do breakpoint %d.\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "\"finish\" não tem significado no quadro main() mais exterior\n" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "Executar até voltar de " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "\"return\" não tem significado no quadro main() mais exterior\n" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "impossível encontrar a localização especificada na função \"%s\"\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "linha fonte %d inválida no ficheiro \"%s\"" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "" "impossível encontrar a localização %d especificada no ficheiro \"%s\"\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "elemento não está na matriz\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "variável sem tipo\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "A parar em %s...\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "\"finish\" sem significado com salto não-local \"%s\"\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "\"until\" sem significado com salto não-local \"%s\"\n" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "\t------[Enter] para continuar ou [q] + [Enter] para sair------" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%.*s\"] não está na matriz \"%s\"" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "a enviar saída para stdout\n" #: debug.c:5449 msgid "invalid number" msgstr "número inválido" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "\"%s\" não permitido no contexto actual; declaração ignorada" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "\"return\" não permitido no contexto actual; declaração ignorada" #: debug.c:5639 #, c-format msgid "fatal error during eval, need to restart.\n" msgstr "erro fatal durante a avaliação, necessário reinício.\n" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "sem símbolo \"%s\" no contexto actual" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "nodetype %d desconhecido" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "opcode %d desconhecido" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "opcode %s não é um operador ou palavra-chave" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "transporte de buffer em genflags2str" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# Pilha de chamadas de função:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "\"IGNORECASE\" é uma extensão gawk" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "\"BINMODE\" é uma extensão gawk" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "valor BINMODE \"%s\" inválido, tratado como 3" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "má \"%sFMT\" especificação \"%s\"" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "a desligar \"--lint\" devido a atribuição a \"LINT\"" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "referência a argumento \"%s\" não inicializado" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "referência a variável \"%s\" não inicializada" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "tentativa de referenciar campo a partir de valor não-numérico" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "tentativa de referenciar campo a partir de cadeia nula" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "tentativa de aceder ao campo %ld" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "referência a campo \"$%ld\" não inicializado" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "função \"%s\" chamada com mais argumentos do que os declarados" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: tipo \"%s\" inesperado" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "tentativa de dividir por zero em \"/=\"" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "tentativa de dividir por zero em \"%%=\"" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "não são permitidas extensões em modo sandbox" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "-l/@load são extensões gawk" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext: recebido NULL lib_name" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext: impossível abrir biblioteca \"%s\": %s" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "" "load_ext: biblioteca \"%s\": não define \"plugin_is_GPL_compatible\": %s" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "load_ext: biblioteca \"%s\": impossível chamar a função \"%s\": %s" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "load_ext: biblioteca \"%s\": rotina de inicialização \"%s\" falhou" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin: nome de função em falta" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "" "make_builtin: impossível usar \"%s\" interna do gawk como nome de função" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" "make_builtin: impossível usar \"%s\" interna do gawk como nome de namespace" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin: impossível redefinir função \"%s\"" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin: função \"%s\" já definida" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin: nome de função \"%s\" anteriormente definido" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin: total de argumentos negativo para a função \"%s\"" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "" "função \"%s\": argumento nº %d: tentativa de usar um escalar como matriz" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "" "função \"%s\": argumento nº %d: tentativa de usar uma matriz como escalar" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "carregamento dinâmico de bibliotecas não é suportado" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "stat: impossível ler ligação simbólica \"%s\"" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "stat: o 1º argumento não é uma cadeia" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "stat: o 2º argumento não é uma matriz" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stat: maus parâmetros" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "fts init: impossível criar variável %s" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "fts não suportado neste sistema" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element: impossível criar matriz, sem memória" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element: impossível definir elemento" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element: impossível definir elemento" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element: impossível definir elemento" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts-process: impossível criar matriz" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts-process: impossível definir elemento" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "fts: chamada com número incorrecto de argumentos, esperados 3" #: extension/filefuncs.c:853 msgid "fts: first argument is not an array" msgstr "fts: o primeiro argumento não é uma matriz" #: extension/filefuncs.c:859 msgid "fts: second argument is not a number" msgstr "fts: o 2º argumento não é um número" #: extension/filefuncs.c:865 msgid "fts: third argument is not an array" msgstr "fts: o 3º argumento não é uma matriz" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts: impossível aplanar matriz\n" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "fts: a ignorar bandeira FTS_NOSTAT furtiva. nyah, nyah, nyah." #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch: impossível obter o 1º argumento" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch: impossível obter o 2º argumento" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch: impossível obter o 3º argumento" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "fnmatch não está implementado neste sistema\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "fnmatch init: impossível adicionar a variável FNM_NOMATCH" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "fnmatch init: impossível definir elemento de matriz %s" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "fnmatch init: impossível instalar matriz FNM" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork: PROCINFO não é uma matriz!" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "inplace::begin: edição in-loco já está activa" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "inplace::begin: espera 2 argumentos, mas foi chamado com %d" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "" "inplace::begin: impossível obter o 1º argumento como nome de ficheiro de " "cadeia" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" "inplace::begin: a desactivar edição in-loco para NOMEFICH \"%s\" inválido" #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "inplace::begin: impossível analisar \"%s\" (%s)" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "inplace::begin: \"%s\" não é um ficheiro normal" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace::begin: mkstemp(`%s') falhou (%s)" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace::begin: chmod falhou (%s)" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace::begin: dup(stdout) falhou (%s)" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace::begin: dup2(%d, stdout) falhou (%s)" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace::begin: close(%d) falhou (%s)" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "inplace::end: espera 2 argumentos, mas foi chamado com %d" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "" "inplace::end: impossível obter o 1º argumento como nome de ficheiro de cadeia" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "inplace::end: edição in-loco não activa" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace::end: dup2(%d, stdout) falhou (%s)" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace::end: close(%d) falhou (%s)" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace::end: fsetpos(stdout) falhou (%s)" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace::end: link(`%s', `%s') falhou (%s)" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace::end: rename(`%s', `%s') falhou (%s)" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "ord: o 1º argumento não é uma cadeia" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "chr: o primeiro argumento não é um número" #: extension/readdir.c:291 #, c-format msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "dir_take_control_of: %s: opendir/fdopendir falhou: %s" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "readfile: chamada com tipo de argumento errado" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput: impossível inicializar a variável REVOUT" #: extension/rwarray.c:145 extension/rwarray.c:548 #, c-format msgid "%s: first argument is not a string" msgstr "%s: o 1º argumento não é uma cadeia" #: extension/rwarray.c:189 msgid "writea: second argument is not an array" msgstr "writea: o 2º argumento não é uma matriz" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "writeall: impossível localizar a matriz SYMTAB" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "write_array: impossível aplanar a matriz" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "write_array: impossível libertar a matriz aplanada" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "valor de matriz tem um tipo %d desconhecido" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" "extensão rwarray: recebido valori GMP/MPFR, mas compilado sem suporte GMP/" "MPFR." #: extension/rwarray.c:437 #, c-format msgid "cannot free number with unknown type %d" msgstr "impossível libertar número de tipo %d desconhecido" #: extension/rwarray.c:442 #, c-format msgid "cannot free value with unhandled type %d" msgstr "impossível libertar valor de tipo %d não gerido" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "readall: impossível definir %s::%s" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "readall: impossível definir %s" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "reada: clear_array falhou" #: extension/rwarray.c:611 msgid "reada: second argument is not an array" msgstr "reada: o 2º argumento não é uma matriz" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "read_array: set_array_element falhou" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "" "a tratar o valor recuperado com tipo desconhecido de código %d como cadeia" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" "extensão rwarray: valor GMP/MPFR no ficheiro, mas compilado sem suporte GMP/" "MPFR." #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday: não suportado nesta plataforma" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep: argumento numérico requerido em falta" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep: argumento é negativo" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep: não suportado nesta plataforma" #: extension/time.c:232 msgid "strptime: called with no arguments" msgstr "strptime: chamada sem argumentos" #: extension/time.c:240 #, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "do_strptime: argumento 1 não é uma cadeia\n" #: extension/time.c:245 #, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "do_strptime: argumento 2 não é uma cadeia\n" #: field.c:321 msgid "input record too large" msgstr "registo de entrada muito grande" #: field.c:443 msgid "NF set to negative value" msgstr "NF definido como valor negativo" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "decrementar NF não é portável para muitas versões awk" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "aceder a campos a partir de uma regra END pode não ser portável" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split: o 4º argumento é uma extensão gawk" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split: o 4º argumento não é uma matriz" #: field.c:1138 field.c:1240 #, c-format msgid "%s: cannot use %s as fourth argument" msgstr "%s: impossível usar %s para 4º argumento" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: 2º argumento não é uma matriz" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "split: impossível usar a mesma matriz para 2º e 4º argumentos" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "" "split: impossível usar uma sub-matriz do 2º argumento como 4º argumento" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "" "split: impossível usar uma sub-matriz do 4º argumento como 2º argumento" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "split: cadeia nula para 3º argumento é uma extensão não-padrão" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: o 4º argumento não é uma matriz" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: o 2º argumento não é uma matriz" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit: o 3º argumento não pode ser nulo" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "patsplit: impossível usar a mesma matriz para 2º e 4º argumentos" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" "patsplit: impossível usar uma sub-matriz do 2º argumento como 4º argumento" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" "patsplit: impossível usar uma sub-matriz do 4º argumento como 2º argumento" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "atribuição a FS/FIELDWIDTHS/FPAT não tem efeito quando usa --csv" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "\"FIELDWIDTHS\" é uma extensão gawk" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "\"*\" tem de ser o último designador em FIELDWIDTHS" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "valor FIELDWIDTHS inválido, para o campo %d, perto de \"%s\"" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "cadeia nula para \"FS\" é uma extensão gawk" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "o awk antigo não suporta regexps como valores de \"FS\"" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "\"FPAT\" é uma extensão gawk" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node: recebido retval nulo" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "awk_value_to_node: não está em modo MPFR" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "awk_value_to_node: MPFR não suportado" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node: tipo de número \"%d\" inválido" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "add_ext_func: recebido parâmetro name_space NULL" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" "node_to_awk_value: detectada combinação de bandeiras numéricas \"%s\" " "inválida; por favor, faça um relatório de erro" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value: recebido nó nulo" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value: recebido valor nulo" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" "node_to_awk_value: detectada combinação de bandeiras \"%s\" inválida; por " "favor, faça um relatório de erro" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element: recebida matriz nula" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element: recebido subscrito nulo" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "api_flatten_array_typed: impossível converter índice %d para %s" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "api_flatten_array_typed: impossível converter valor %d para %s" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "api_get_mpfr: MPFR não suportado" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "impossível encontrar o fim da regra BEGINFILE" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "impossível abrir tipo de ficheiro \"%s\" desconhecido para \"%s\"" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "argumento de linha de comandos \"%s\" é uma pasta: saltado" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "impossível abrir o ficheiro \"%s\" para leitura: %s" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "fecho de fd %d (\"%s\") falhou: %s" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "\"%.*s\" usado para ficheiro de entrada e de saída" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "\"%.*s\" usado para ficheiro de entrada e para túnel de entrada" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "\"%.*s\" usado para ficheiro de entrada e túnel de duas vias" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "\"%.*s\" usado para ficheiro de entrada e túnel de saída" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "mistura desnecessária de \">\" e \">>\" para o ficheiro \"%.*s\"" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "\"%.*s\" usado para túnel de entrada e ficheiro de saída" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "\"%.*s\" usado para ficheiro de saída e túnel de saída" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "\"%.*s\" usado para ficheiro de saída e túnel de duas vias" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "\"%.*s\" usado para túnel de entrada e de saída" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "\"%.*s\" usado para túnel de entrada e de duas vias" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "\"%.*s\" usado para túnel de saída e de duas vias" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "redireccionamento não permitido em modo sandbox" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "expressão em redireccionamento \"%s\" é um número" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "expressão para redireccionamento \"%s\" tem um valor de cadeia nulo" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "nome de ficheiro \"%.*s\" para redireccionamento \"%s\" pode ser o resultado " "de uma expressão lógica" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "get_file não pode criar túnel \"%s\" com fd %d" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "impossível abrir túnel \"%s\" para saída: %s" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "impossível abrir túnel \"%s\" para entrada: %s" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" "criação de socket get_file não suportada nesta plataforma para \"%s\" com fd " "%d" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "impossível abrir túnel de duas vias \"%s\" para entrada/saída: %s" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "impossível redireccionar de \"%s\": %s" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "impossível redireccionar para \"%s\": %s" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "atingido o limite do sistema para ficheiros abertos: a iniciar a " "multiplexagem de descritores de ficheiros" #: io.c:1221 #, c-format msgid "close of `%s' failed: %s" msgstr "falha ao fechar \"%s\": %s" #: io.c:1229 msgid "too many pipes or input files open" msgstr "demasiados túneis ou ficheiros de entrada abertos" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: o 2º argumento tem de ser \"to\" ou \"from\"" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "close: \"%.*s\" não é um ficheiro, túnel ou co-processo aberto" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "fecho de redireccionamento que nunca aconteceu" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close: redireccionamento \"%s\" não aberto com \"|&\", 2º argumento ignorado" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "estado da falha (%d) ao fechar túnel \"%s\": %s" #: io.c:1400 #, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "estado da falha (%d) ao fechar túnel de duas vias \"%s\": %s" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "estado da falha (%d) ao fechar ficheiro \"%s\": %s" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "sem fecho de socket \"%s\" específico fornecido" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "sem fecho de co-processo \"%s\" específico fornecido" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "sem fecho de túnel \"%s\" específico fornecido" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "sem fecho de ficheiro \"%s\" específico fornecido" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "fflush: impossível despejar a saída padrão: %s" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "fflush: impossível despejar o erro padrão: %s" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "erro ao escrever na saída padrão: %s" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "erro ao escrever no erro padrão: %s" #: io.c:1513 #, c-format msgid "pipe flush of `%s' failed: %s" msgstr "falhou o despejo de túnel \"%s\": %s" #: io.c:1516 #, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "falhou o despejo de co-processo de túnel para \"%s\": %s" #: io.c:1519 #, c-format msgid "file flush of `%s' failed: %s" msgstr "falhou o despejo de ficheiro \"%s\": %s" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "porta local %s inválida em \"/inet\": %s" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "porta local %s inválida em \"/inet\"" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "informação de anfitrião remoto e porta (%s, %s) inválidas: %s" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "informação de anfitrião remoto e porta (%s, %s) inválidas" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "Não são suportadas comunicações TCP/IP" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "impossível abrir \"%s\", modo \"%s\"" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "falha ao fechar pty mestre: %s" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "falha ao fechar stdout em filho: %s" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "falha ao mover pty escravo para stdout em filho (dup: %s)" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "falha ao fechar stdin em filho: %s" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "falha ao mover pty escravo para stdin em filho (dup: %s)" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "falha ao fechar pty escravo: %s" #: io.c:2317 msgid "could not create child process or open pty" msgstr "impossível criar processo-filho ou pty aberto" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "falha ao mover túnel para stdout em filho (dup: %s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "falha ao mover túnel para stdin em filho (dup: %s)" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "falha ao restaurar stdout em processo-mãe" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "falha ao restaurar stdin em processo-mãe" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "falha ao fechar túnel: %s" #: io.c:2534 msgid "`|&' not supported" msgstr "\"|&\" não suportado" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "impossível abrir túnel \"%s\": %s" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "impossível criar processo-filho para \"%s\" (bifurcação: %s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "" "getline: tentativa de ler do lado de leitura fechado de um túnel de duas vias" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser: recebido ponteiro NULL" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" "processador de entrada \"%s\" conflitua com o processador de entrada \"%s\" " "anteriormente instalado" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "processador de entrada \"%s\" falhou ao abrir \"%s\"" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_wrapper: recebido ponteiro NULL" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" "invólucro de saída \"%s\" conflitua com o invólucro de saída \"%s\" " "anteriormente instalado" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "invólucro de saída \"%s\" falhou ao abrir \"%s\"" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor: recebido ponteiro NULL" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" "processador de duas vias \"%s\" conflitua com o processador de duas vias " "\"%s\" anteriormente instalado" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "processador de duas vias \"%s\" falhou ao abrir \"%s\"" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "ficheiro de dados \"%s\" está vazio" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "impossível alocar mais memória de entrada" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "atribuição a RS não tem efeito quando usa --csv" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "valor multi-carácter de \"RS\" é uma extensão gawk" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "Não é suportada a comunicação IPv6" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "gawk_popen_write: falha ao mover tubo fd para a entrada padrão" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "variável de ambiente \"POSIXLY_CORRECT\" definida: a ligar \"--posix\"" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "\"--posix\" sobrepõe-se a \"--traditional\"" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "\"--posix\"/\"--traditional\" sobrepõe-se a \"--non-decimal-data\"" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "\"--posix\" sobrepõe-se a \"--characters-as-bytes\"" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "conflito com \"--posix\" e \"--csv\"" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "executar %s setuid root pode ser um problema de segurança" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "As opções -r/--re-interval já não surtem qualquer efeito" #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "impossível definir o modo binário em stdin: %s" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "impossível definir o modo binário em stdout: %s" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "impossível definir o modo binário em stderr: %s" #: main.c:483 msgid "no program text at all!" msgstr "sem texto de programa!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "" "Uso: %s [opções de estilo POSIX ou GNU] -f fichprog [--] ficheiro ...\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "" "Uso: %s [opções de estilo POSIX ou GNU] [--] %cprograma%c ficheiro ...\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "Opções POSIX:\t\topções longas GNU: (padrão)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f fichprog\t\t--file=fichprog\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F fs\t\t\t--field-separator=fs\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "\t-v var=val\t\t--assign=var=val\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "Opções curtas:\t\topções longas GNU: (extensões)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[fich]\t\t--dump-variables[=fich]\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-D[fich]\t\t--debug[=fich]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e 'program-text'\t--source='program-text'\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E fich\t\t\t--exec=fich\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "\t-i fichinclude\t\t--include=fichinclude\n" #: main.c:602 msgid "\t-I\t\t\t--trace\n" msgstr "\t-I\t\t\t--trace\n" #: main.c:603 msgid "\t-k\t\t\t--csv\n" msgstr "\t-k\t\t\t--csv\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "\t-l biblioteca\t\t--load=biblioteca\n" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "\t-M\t\t\t--bignum\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-o[fich]\t\t--pretty-print[=fich]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[fich]\t\t--profile[=fich]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-s\t\t\t--no-optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "\t-Z nome-idioma\t\t--locale=nome-idioma\n" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "Para relatar erros, use o programa \"gawkbug\".\n" "Para instruções completas, veja o nó \"Bugs\" em \"gawk.info\"\n" "que é a secção \"Reporting Problems and Bugs\" na versão\n" "impressa. Esta mesma informação pode ser encontrada em\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "POR FAVOR NÃO TENTE relatar erros através de comp.lang.awk,\n" "ou usando um fórum web como o Stack Overflow.\n" "\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" "Pode obter o código-fonte do gawk em\n" "%s/gawk-%s.tar.gz\n" "\n" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk é uma linguagem de análise e processamento de padrões.\n" "Por pré-definição, lê da entrada padrão e escreve na saída padrão.\n" "\n" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "Exemplos:\n" "\t%s '{ sum += $1 }; END { print sum }' ficheiro\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "Este é um programa grátis: pode redistribuí-lo e/ou modificá-lo.\"\n" "sob os termos da GNU General Public License tal como publicada pela\n" "Free Software Foundation; seja a versão 3 da License, ou\n" "(à sua escolha) qualquer versão posterior.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "Este programa é distribuído na esperança de ser útil, mas\n" "sem QUALQUER GARANTIA; nem mesmo a garantia implícita de\n" "COMERCIALIZAÇÃO ou CONFORMIDADE PARA UM DETERMINADO FIM.\n" "Veja a GNU General Public License para mais detalhes.\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "Deverá ter recebido uma cópia da GNU General Public License\n" "juntamente com este programa. Se não recebeu, veja http://www.gnu.org/" "licenses/.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "-Ft não define FS para tabulação em awk POSIX" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: argumento \"%s\" para \"-v\" não está no formato \"var=valor\"\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "\"%s\" não é um nome de variável legal" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "\"%s\" não é um nome de variável, a procurar o ficheiro \"%s=%s\"" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "impossível usar \"%s\" interna do gawk como nome de variável" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "impossível usar a função \"%s\" como nome de variável" #: main.c:1294 msgid "floating point exception" msgstr "excepção de vírgula flutuante" #: main.c:1304 msgid "fatal error: internal error" msgstr "erro fatal: erro interno" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "sem fd %d pré-aberto" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "impossível pré-abrir /dev/null para fd %d" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "argumento vazio para \"-e/--source\" ignorado" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "\"--profile\" sobrepõe-se a \"--pretty-print\"" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "-M ignorado: suporte a MPFR/GMP não compilado" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "Use \"GAWK_PERSIST_FILE=%s gawk ...\" em vez de --persist." #: main.c:1726 msgid "Persistent memory is not supported." msgstr "A memória persistente não é suportada." #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: opção \"-W %s\" não reconhecida, ignorado\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: a opção requer um argumento -- %c\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "%s: fatal: impossível analisar %s: %s\n" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" "%s: fatal: não pode usar memória persistente quando executa como root.\n" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "%s: aviso: %s não é propriedade de euid %d.\n" #: main.c:1913 msgid "persistent memory is not supported" msgstr "a memória persistente não é suportada" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" "%s: fatal: o alocador de memória persistente fafalhou a inicialização: valor " "devolvido %d, linha pma.c: %d.\n" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "valor PREC \"%.*s\" inválido" #: mpfr.c:718 #, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "valor ROUNDMODE \"%.*s\" inválido" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: recebido 1º argumento não-numérico" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: recebido 2º argumento não-numérico" #: mpfr.c:825 #, c-format msgid "%s: received negative argument %.*s" msgstr "%s: recebido argumento %.*s negativo" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int: recebido argumento nã numérico" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: recebido argumento não-numérico" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%Rg): valor negativo não permitido" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "comp(%Rg): valor fraccional será truncado" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%Zd): valores negativos não permitidos" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s: recebido argumento não-numérico nº %d" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "%s: argumento nº %d tem valor %Rg inválido, a usar 0" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%s: argumento nº %d com valor %Rg negativo não é permitido" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "%s: argumento nº %d valor %Rg fraccional será truncado" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%s: argumento nº %d com valor %Zd negativo não é permitido" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: chamada com menos de dois argumentos" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or: chamada com menos de dois argumentos" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "xor: chamada com menos de dois argumentos" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: recebido argumento não-numérico" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "intdiv: recebido 1º argumento não-numérico" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "intdiv: recebido 2º argumento não-numérico" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "linha de comandos:" #: node.c:477 msgid "backslash at end of string" msgstr "a barra invertida no fim da cadeia" #: node.c:511 msgid "could not make typed regex" msgstr "impossível fazer regexp digitada" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "o awl antigo não suporta a sequência de escape \"\\%c\"" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX não permite escapes \"\\x\"" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "sem dígitos hexadecimais na sequência de escape \"\\x\"" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "escape hexadecimal \\x%.*s de %d caracteres provavelmente não será " "interpretado da forma esperada" #: node.c:705 msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX não permite escapes \"\\u\"" #: node.c:713 msgid "no hex digits in `\\u' escape sequence" msgstr "sem dígitos hexadecimais na sequência de escape \"\\u\"" #: node.c:744 msgid "invalid `\\u' escape sequence" msgstr "sequência de escape \"\\u\" inválida" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "sequência de escape \"\\%c\" tratada como \"%c\" simples" #: node.c:908 msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "Detectados dados multi-byte inválidos. Pode haver confusão entre os dados e " "as definições regionais" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "%s %s \"%s\": impossível obter bandeiras fd: (fcntl F_GETFD: %s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "%s %s \"%s\": impossível definir close-on-exec: (fcntl F_SETFD: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "aviso: /proc/self/exe: readlink: %s\n" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "aviso: personalidade: %s\n" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "waitpid: estado de saída %#o\n" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "fatal: posix_spawn: %s\n" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "" "Nível de indentação do programa muito profundo. Considere re-fabricar o " "código" #: profile.c:114 msgid "sending profile to standard error" msgstr "a enviar perfil para erro padrão" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# %s regra(s)\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# Regra(s)\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "erro interno: %s com vname nulo" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "erro interno: interno com fname nulo" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "%s# Extensões carregadas (-l e/ou @load)\n" "\n" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\n" "# Ficheiros incluídos (-i e/ou @include)\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# perfil gawk, criado %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# Funções, listadas alfabeticamente\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str: tipo de redireccionamento %d desconhecido" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" "o comportamento de comparação de uma regexp contendo caracteres NUL não é " "definido pelo POSIX" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "byte NUL inválido em regexp dinâmica" #: re.c:215 #, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "sequência de escape de regexp \"\\%c\" tratada como \"%c\" simples" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" "sequência de escape de regexp \"\\%c\" não é um operador regexp conhecido" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "componente regexp \"%.*s\" provavelmente deveria ser \"[%.*s]\"" #: support/dfa.c:910 msgid "unbalanced [" msgstr "[ sem par" #: support/dfa.c:1031 msgid "invalid character class" msgstr "classe de carácter inválida" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "a sintaxe da classe de carácter é [[:espaço:]], não [:espaço:]" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "escape \\ não terminado" #: support/dfa.c:1345 msgid "? at start of expression" msgstr "? no início da expressão" #: support/dfa.c:1357 msgid "* at start of expression" msgstr "* no início da expressão" #: support/dfa.c:1371 msgid "+ at start of expression" msgstr "+ no início da expressão" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "{...} no início da expressão" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "conteúdo de \\{\\} inválido" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "expressão regular muito grande" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "\\ perdida antes de carácter não imprimível" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "\\ perdida antes de espaço" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "\\ perdida antes de %s" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "\\ perdida" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "( sem par" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "sem sintaxe especificada" #: support/dfa.c:2077 msgid "unbalanced )" msgstr ") sem par" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: opção \"%s\" é ambígua; possibilidades:" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s: a opção \"--%s\" não permite um argumento\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: a opção \"%c%s\" não permite um argumento\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: a opção \"--%s\" requer um argumento\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: opção não reconhecida \"--%s\"\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: opção não reconhecida \"%c%s\"\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: opção inválida -- \"%c\"\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s: a opção requer um argumento -- \"%c\"\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: a opção \"-W %s\" é ambígua\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: a opção \"-W %s\" não permite argumentos\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: a opção \"-W %s\" requer um argumento\n" #: support/regcomp.c:122 msgid "Success" msgstr "Sucesso" #: support/regcomp.c:125 msgid "No match" msgstr "Sem correspondência" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "Expressão regular inválida" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "Carácter de agrupamento inválido" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "Nome de classe de carácter inválido" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "Barra invertida final" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "Referência de recuo inválida" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "[, [^, [:, [., ou [= sem par" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "( ou \\( sem par" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "\\{ sem par" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "Conteúdo de \\{\\} inválido" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "Fim de intervalo inválido" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "Memória esgotada" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "Expressão regular precedente inválida" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "Fim prematuro de expressão regular" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "Expressão regular muito grande" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr ") ou \\) sem par" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "Sem expressão regular anterior" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" "a definição actual de -M/--bignum não corresponde à definição gravada na " "salvaguarda PMA" #: symbol.c:781 #, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "função \"%s\": impossível usar a função \"%s\" como nome de parâmetro" #: symbol.c:911 msgid "cannot pop main context" msgstr "impossível abrir o contexto principal" #~ msgid "fatal: must use `count$' on all formats or none" #~ msgstr "fatal: tem de usar \"count$\" em todos os formatos ou em nenhum" #, c-format #~ msgid "field width is ignored for `%%' specifier" #~ msgstr "largura de campo ignorada para especificador \"%%\"" #, c-format #~ msgid "precision is ignored for `%%' specifier" #~ msgstr "precisão ignorada para especificador \"%%\"" #, c-format #~ msgid "field width and precision are ignored for `%%' specifier" #~ msgstr "largura de campo e precisão ignoradas para especificador \"%%\"" #~ msgid "fatal: `$' is not permitted in awk formats" #~ msgstr "fatal: \"$\" não é permitido em formatos awk" #~ msgid "fatal: argument index with `$' must be > 0" #~ msgstr "fatal: índice de argumentos com \"$\" tem de ser > 0" #, c-format #~ msgid "" #~ "fatal: argument index %ld greater than total number of supplied arguments" #~ msgstr "" #~ "fatal: índice de argumentos %ld maior que o total de argumentos fornecidos" #~ msgid "fatal: `$' not permitted after period in format" #~ msgstr "fatal: \"$\" não permitido após um ponto no formato" #~ msgid "fatal: no `$' supplied for positional field width or precision" #~ msgstr "" #~ "fatal: sem \"$\" fornecido para largura de campo ou precisão posicionais" #, c-format #~ msgid "`%c' is meaningless in awk formats; ignored" #~ msgstr "\"%c\" não tem significado em formatos awk; ignorado" #, c-format #~ msgid "fatal: `%c' is not permitted in POSIX awk formats" #~ msgstr "fatal: \"%c\" não é permitido em formatos awk POSIX" #, c-format #~ msgid "[s]printf: value %g is too big for %%c format" #~ msgstr "[s]printf: valor %g muito grande para formato %%c" #, c-format #~ msgid "[s]printf: value %g is not a valid wide character" #~ msgstr "[s]printf: valor %g não é um carácter largo válido" #, c-format #~ msgid "[s]printf: value %g is out of range for `%%%c' format" #~ msgstr "[s]printf: valor %g fora do intervalo para formato \"%%%c\"" #, c-format #~ msgid "[s]printf: value %s is out of range for `%%%c' format" #~ msgstr "[s]printf: valor %s fora do intervalo para formato \"%%%c\"" #, c-format #~ msgid "%%%c format is POSIX standard but not portable to other awks" #~ msgstr "o formato %%%c é padrão POSIX, mas não é portável para outros awks" #, c-format #~ msgid "" #~ "ignoring unknown format specifier character `%c': no argument converted" #~ msgstr "" #~ "a ignorar carácter especificador de formato \"%c\" desconhecido: nenhum " #~ "argumento convertido" #~ msgid "fatal: not enough arguments to satisfy format string" #~ msgstr "fatal: argumentos insuficientes para satisfazer a cadeia de formato" #~ msgid "^ ran out for this one" #~ msgstr "^ esgotou-se para esta" #~ msgid "[s]printf: format specifier does not have control letter" #~ msgstr "[s]printf: especificador de formato não tem letra de controlo" #~ msgid "too many arguments supplied for format string" #~ msgstr "demasiados argumentos para cadeia de formato" #~ msgid "sprintf: no arguments" #~ msgstr "sprintf: sem argumentos" #~ msgid "printf: no arguments" #~ msgstr "printf: sem argumentos" #~ msgid "printf: attempt to write to closed write end of two-way pipe" #~ msgstr "" #~ "printf: tentativa de escrever no lado de escrita fechado de um túnel de " #~ "duas vias" #, c-format #~ msgid "typeof: invalid argument type `%s'" #~ msgstr "typeof: tipo de argumento \"%s\" inválido" #, c-format #~ msgid "%s" #~ msgstr "%s" #~ msgid "do_writea: first argument is not a string" #~ msgstr "do_writea: o 1º argumento não é uma cadeia" #~ msgid "do_reada: first argument is not a string" #~ msgstr "do_reada: o 1º argumento não é uma cadeia" #~ msgid "do_writea: argument 1 is not an array" #~ msgstr "do_writea: argumento 1 não é uma matriz" #~ msgid "do_reada: argument 0 is not a string" #~ msgstr "do_reada: argumento 0 não é uma cadeia" #~ msgid "do_reada: argument 1 is not an array" #~ msgstr "do_reada: argumento 1 não é uma matriz" #~ msgid "\t-W nostalgia\t\t--nostalgia\n" #~ msgstr "\t-W nostalgia\t\t--nostalgia\n" #~ msgid "fatal error: internal error: segfault" #~ msgstr "erro fatal: erro interno: segfault" #~ msgid "fatal error: internal error: stack overflow" #~ msgstr "erro fatal: erro interno: transporte de pilha" #~ msgid "`L' is meaningless in awk formats; ignored" #~ msgstr "\"L\" não tem significado em formatos awk; ignorado" #~ msgid "fatal: `L' is not permitted in POSIX awk formats" #~ msgstr "fatal: \"L\" não é permitido em formatos awk POSIX" #~ msgid "`h' is meaningless in awk formats; ignored" #~ msgstr "\"h\" não tem significado em formatos awk; ignorado" #~ msgid "fatal: `h' is not permitted in POSIX awk formats" #~ msgstr "fatal: \"h\" não é permitido em formatos awk POSIX" #~ msgid "No symbol `%s' in current context" #~ msgstr "Sem símbolo \"%s\" no contexto actual" #~ msgid "fts: first parameter is not an array" #~ msgstr "fts: o primeiro argumento não é uma matriz" #~ msgid "fts: third parameter is not an array" #~ msgstr "fts: o 3º argumento não é uma matriz" #~ msgid "adump: first argument not an array" #~ msgstr "adump: o primeiro argumento não é uma matriz" #~ msgid "asort: second argument not an array" #~ msgstr "asort: o segundo argumento não é uma matriz" #~ msgid "asorti: second argument not an array" #~ msgstr "asorti: o segundo argumento não é uma matriz" #~ msgid "asorti: first argument not an array" #~ msgstr "asorti: o primeiro argumento não é uma matriz" #~ msgid "asorti: first argument cannot be SYMTAB" #~ msgstr "asorti: o primeiro argumento não pode ser SYMTAB" #~ msgid "asorti: first argument cannot be FUNCTAB" #~ msgstr "asorti: o primeiro argumento não pode ser FUNCTAB" #~ msgid "asorti: cannot use a subarray of first arg for second arg" #~ msgstr "" #~ "asorti: impossível usar uma sub-matriz do 1º argumento para 2º argumento" #~ msgid "asorti: cannot use a subarray of second arg for first arg" #~ msgstr "" #~ "asorti: impossível usar uma sub-matriz do 2º argumento para 1º argumento" #~ msgid "can't read sourcefile `%s' (%s)" #~ msgstr "impossível ler ficheiro-fonte \"%s\" (%s)" #~ msgid "POSIX does not allow operator `**='" #~ msgstr "POSIX não permite o operador \"**=\"" #~ msgid "old awk does not support operator `**='" #~ msgstr "o awk antigo não suporta o operador \"**=\"" #~ msgid "old awk does not support operator `**'" #~ msgstr "o awk antigo não suporta o operador \"**\"" #~ msgid "operator `^=' is not supported in old awk" #~ msgstr "o awk antigo não suporta o operador \"^=\"" #~ msgid "could not open `%s' for writing (%s)" #~ msgstr "impossível abrir \"%s\" para escrita (%s)" #~ msgid "exp: received non-numeric argument" #~ msgstr "exp: recebido argumento não-numérico" #~ msgid "length: received non-string argument" #~ msgstr "length: recebido argumento não-cadeia" #~ msgid "log: received non-numeric argument" #~ msgstr "log: recebido argumento não-numérico" #~ msgid "sqrt: received non-numeric argument" #~ msgstr "sqrt: recebido argumento não-numérico" #~ msgid "strftime: received non-numeric second argument" #~ msgstr "strftime: recebido 2º argumento não-numérico" #~ msgid "strftime: received non-string first argument" #~ msgstr "strftime: recebido 1º argumento não-cadeia" #~ msgid "mktime: received non-string argument" #~ msgstr "mktime: recebido argumento não-cadeia" #~ msgid "tolower: received non-string argument" #~ msgstr "tolower: recebido argumento não-cadeia" #~ msgid "toupper: received non-string argument" #~ msgstr "toupper: recebido argumento não-cadeia" #~ msgid "sin: received non-numeric argument" #~ msgstr "sin: recebido argumento não-numérico" #~ msgid "cos: received non-numeric argument" #~ msgstr "cos: recebido argumento não-numérico" #~ msgid "rshift: received non-numeric first argument" #~ msgstr "rshift: recebido 1º argumento não-numérico" #~ msgid "rshift: received non-numeric second argument" #~ msgstr "rshift: recebido 2º argumento não-numérico" #~ msgid "and: argument %d is non-numeric" #~ msgstr "and: argumento %d é não-numérico" #~ msgid "and: argument %d negative value %g is not allowed" #~ msgstr "and: valor negativo do argumento %d %g não é permitido" #~ msgid "or: argument %d negative value %g is not allowed" #~ msgstr "or: valor negativo do argumento %d %g não é permitido" #~ msgid "xor: argument %d is non-numeric" #~ msgstr "xor: argumento %d é não-numérico" #~ msgid "xor: argument %d negative value %g is not allowed" #~ msgstr "xor: valor negativo do argumento %d %g não é permitido" #~ msgid "Can't find rule!!!\n" #~ msgstr "Impossível encontrar a regra!!!\n" #~ msgid "q" #~ msgstr "q" #~ msgid "fts: bad first parameter" #~ msgstr "fts: mau 1º parâmetro" #~ msgid "fts: bad second parameter" #~ msgstr "fts: mau 2º parâmetro" #~ msgid "fts: bad third parameter" #~ msgstr "fts: mau 3º parâmetro" #~ msgid "fts: clear_array() failed\n" #~ msgstr "fts: clear_array() falhou\n" #~ msgid "ord: called with inappropriate argument(s)" #~ msgstr "ord: chamada com argumentos inapropriados" #~ msgid "chr: called with inappropriate argument(s)" #~ msgstr "chr: chamada com argumentos inapropriados" EOF echo Extracting po/ro.po cat << \EOF > po/ro.po # Translation of gawk.po to Romanian. # Mesajele în limba română pentru pachetul gawk. # Copyright © 2003, 2022, 2023, 2024, 2025 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # # Eugen Hoanca , 2003. # Remus-Gabriel Chelu , 2022 - 2024. # # Cronologia traducerii fișierului „gawk”: # Traducerea inițială, făcută de EH, pentru versiunea gawk 3.1.0.31. # Actualizare a mesajelor, de la fișierul „gawk-5.1.1e.pot”. # Actualizare a codării caracteror, la codarea de caractere UTF-8. # Actualizare a diacriticelor de la „cu sedilă” la „cu virgulă”. # Actualizare a algoritmului formelor de plural (de la „două” la „trei”). # NU și a mesajelor traduse (acestea au rămas neschimbate). # Eliminare a mesajelor ce-au dispărut în ultima versiune. # Actualizări realizate de Remus-Gabriel Chelu , 15.01.2022. # Actualizare a traducerii pentru versiunea 5.1.1e, făcută de R-GC, mai-2022. # Actualizare a traducerii pentru versiunea 5.1.65, făcută de R-GC, aug-2022 # Actualizare a traducerii pentru versiunea 5.2.0a, făcută de R-GC, noi-2022. # Actualizare a traducerii pentru versiunea 5.2.1b, făcută de R-GC, apr-2023. # Actualizare a traducerii pentru versiunea 5.2.63, făcută de R-GC, oct-2023. # Actualizare a traducerii pentru versiunea 5.3.0c, făcută de R-GC, aug-2024. # Actualizare a traducerii pentru versiunea 5.3.1b, făcută de R-GC, mar-2025. # Actualizare a traducerii pentru versiunea Y, făcută de X, Y(luna-anul). # msgid "" msgstr "" "Project-Id-Version: gawk 5.3.1b\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2025-03-02 01:08+0100\n" "Last-Translator: Remus-Gabriel Chelu \n" "Language-Team: Romanian \n" "Language: ro\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100 > 0 && n%100 < " "20)) ? 1 : 2);\n" "X-Bugs: Report translation errors to the Language-Team address.\n" "X-Generator: Poedit 3.5\n" #: array.c:249 #, c-format msgid "from %s" msgstr "de la %s" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "s-a încercat să se utilizeze o valoare scalară ca matrice" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "s-a încercat să se utilizeze parametrul scalar „%s” ca matrice" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "s-a încercat să se utilizeze scalarul „%s” ca matrice" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "s-a încercat să se utilizeze matricea „%s” într-un context scalar" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "delete: indexul „%.*s” nu este în matricea „%s”" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "s-a încercat să se utilizeze scalarul „%s[\"%.*s\"]” ca o matrice" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "%s: primul argument nu este o matrice" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "%s: al doilea argument nu este o matrice" #: array.c:901 field.c:1150 field.c:1247 #, c-format msgid "%s: cannot use %s as second argument" msgstr "%s: nu se poate utiliza %s ca al doilea argument" #: array.c:909 #, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "%s: primul argument nu poate fi SYMTAB fără un al doilea argument" #: array.c:911 #, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "%s: primul argument nu poate fi FUNCTAB fără un al doilea argument" # R-GC, scrie: # după revizarea fișierului, DȘ, zice: # → „utilizarea este [...] absurdă” (lipsea acordarea genului) # *** # înainte, mesajul era: # „utilizarea ... fără un al treilea argument este # absurd”; subiectul era subînțeles, sau așa credeam... # === # l-am făcut „direct”, pentru evitarea ambiguității #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" "asort/asorti: utilizarea aceleiași matrice ca sursă și destinație fără un al " "treilea argument este un lucru absurd." # R-GC, scrie: # «subarray», a fost tradus de celelalte # echipe latine, ca „submatrice”, sau # „subvector”; celelalte echipe, l-au # tradus ca „subcîmp”, „subset”, sau # „subgrup”. # Eu am ales să folosesc termenul „subgrup”. # *** # Opinii/Idei? # după revizarea fișierului, DȘ, zice: # → pentru a fi în acord cu „array” = „matrice”; ai putea continua cu # „subarray” = „submatrice” # === # Ok, corecție aplicată #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "" "%s: nu se poate folosi o submatrice din primul argument pentru al doilea " "argument" # R-GC, scrie: # «subarray», a fost tradus de celelalte # echipe latine, ca „submatrice”, sau # „subvector”; celelalte echipe, l-au # tradus ca „subcîmp”, „subset”, sau # „subgrup”. # Eu am ales să folosesc termenul „subgrup”. # *** # Opinii/Idei? # după revizarea fișierului, DȘ, zice: # → pentru a fi în acord cu „array” = „matrice”; ai # putea continua cu # „subarray” = „submatrice” # === # Ok, corecție aplicată #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "" "%s: nu se poate folosi o submatrice din al doilea argument pentru primul " "argument" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "„%s” nu este valid ca nume de funcție" # R-GC, scrie: # după revizarea fișierului, DȘ, zice: # → aici aș formula așa: „funcția „%s” de comparat a sortării nu este # definită” (pentru a evita un înțeles ambiguu al exprimării originale) # === # Ok, corecție aplicată; traducerea inițială a # mesajului, era: # „funcția de comparare a sortării „%s” nu este definită” #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "funcția „%s” de comparat a sortării nu este definită" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "%s blocuri trebuie să aibă o parte de acțiune" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "fiecare regulă trebuie să aibă un model sau o parte de acțiune" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "vechiul awk nu acceptă mai multe reguli „BEGIN” sau „END”" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "„%s” este funcție internă, nu poate fi redefinită" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "" "constanta „//” a expresiei regulate arată ca un comentariu C++, dar nu este" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "" "constanta „/%s/” a expresiei regulate arată ca un comentariu C, dar nu este" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "valori „case” duplicate în corpul „switch-ului”: %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "„default” duplicat detectat în corpul „switch-ului”" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "„break” nu este permis în afara unei bucle sau a unui „switch”" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "„continue” nu este permis în afara unei bucle" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "„next” utilizat în acțiunea %s" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "„nextfile” utilizat în acțiunea %s" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "„return” utilizat în afara contextului funcției" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" "«print» simplu din regulile BEGIN sau END ar trebui probabil să fie «print " "\"\"»" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "„delete” nu este permis cu SYMTAB" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "„delete” nu este permis cu FUNCTAB" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "„delete(array)” este o extensie tawk neportabilă" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "conductele bidirecționale multi-etapă nu funcționează" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "concatenarea ca țintă de redirecționare In/Ieș „>” este ambiguă" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "expresie regulată în dreapta atribuirii" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "expresie regulată în stânga operatorului „~” sau „!~'”" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "vechiul awk nu acceptă cuvântul cheie „in” decât după „for”" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "expresie regulată în dreapta comparației" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "„getline” neredirecționat este nevalid în cadrul regulii „%s”" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "„getline” neredirecționat este nedefinit în cadrul acțiunii END" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "vechiul awk nu acceptă matrice multidimensionale" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "apelarea lui „length” fără paranteze nu este portabilă" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "apelurile indirecte de funcții sunt o extensie gawk" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "" "nu se poate folosi variabila specială „%s” pentru apelul indirect al funcției" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "s-a încercat să se utilizeze non-funcția „%s” în apelul de funcție" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "expresie indice nevalidă" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "avertisment: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "fatal: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "linie nouă neașteptată sau sfârșit de șir" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" "fișierele sursă / argumentele liniei de comandă trebuie să conțină funcții " "sau reguli complete" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "nu se poate deschide fișierul sursă „%s” pentru citire: %s" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "nu se poate deschide biblioteca partajată „%s” pentru citire: %s" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "motiv necunoscut" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "nu se poate include „%s” și să fie utilizat ca fișier de program" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "fișierul sursă „%s” este deja inclus" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "biblioteca partajată „%s” este deja încărcată" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "@include este o extensie gawk" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "nume de fișier gol după @include" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "@load este o extensie gawk" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "nume de fișier gol după @load" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "text de program gol în linia de comandă" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "nu se poate citi fișierul sursă „%s”: %s" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "fișierul sursă „%s” este gol" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "eroare: caracter nevalid „\\%03o” în codul sursă" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "fișierul sursă nu se termină în linie nouă" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "" "expresia regulată neterminată se termină cu „\\” la sfârșitul fișierului" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" "%s: %d: modificatorul expresiei regulate tawk „/.../%c” nu funcționează în " "gawk" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" "modificatorul expresiei regulate tawk „/.../%c” nu funcționează în gawk" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "expresie regulată neterminată" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "expresie regulată neterminată la sfârșitul fișierului" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "utilizarea continuării liniei „\\ #...” nu este portabilă" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "bara oblică inversă nu este ultimul caracter de pe linie" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "matricele multidimensionale sunt o extensie gawk" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX nu permite operatorul „%s”" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "operatorul „%s” nu este acceptat în vechiul awk" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "șir de caractere neterminat" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "POSIX nu permite liniile noi fizice în valorile șirului" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "continuarea șirului cu bară oblică inversă nu este portabilă" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "caracter nevalid „%c” în expresie" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "„%s” este o extensie gawk" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX nu permite „%s”" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "„%s” nu este acceptat în vechiul awk" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "„goto” este considerat periculos!" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d este nevalid ca număr de argumente pentru %s" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "" "%s: șirul de caractere literal ca ultim argument de substituție nu are nici " "un efect" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "al treilea parametru %s nu este un obiect modificabil" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match: al treilea argument este o extensie gawk" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close: al doilea argument este o extensie gawk" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "utilizarea lui dcgettext(_\"...\") este incorectă: eliminați liniuța de " "subliniere „_”" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "utilizarea lui dcngettext(_\"...\") este incorectă: eliminați liniuța de " "subliniere „_”" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "" "index: constanta expresiei regulate ca al doilea argument nu este permisă" # R-GC, scrie: # ar fi mai corectă, sau cel puțin mai sugestivă, # traducerea lui «shadows» cu „ocultează”, # adică: # „... parametrul X ocultează variabila globală” # *** # Opinii/Idei? # după revizarea fișierului, DȘ, zice: # → nu cred că este pe înțelesul tuturor, și-așa eu am probleme în a # înțelege la ce se referă (cred că este vorba de „suprascriere” a unei # variabile globale cu una locală, dar nu sunt 100% sigur) # === # de moment, rămîne „ascunde” ca traducere # pentru «shadows» # - altă propunere de traducere a acestui # cuvînt: „maschează” # =*=*=* # traducerea actuală, corespunde traducerii # italiene, făcută de unul dintre autorii lui # «gawk»: # „nasconde variabile globale” #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "funcția „%s”: parametrul „%s” ascunde variabila globală" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "nu s-a putut deschide „%s” pentru scriere: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "se trimite lista de variabile la ieșirea de eroare standard" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "%s: închidere eșuată %s" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "shadow_funcs() a fost apelată de două ori!" #: awkgram.y:4980 msgid "there were shadowed variables" msgstr "au existat variabile ascunse" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "numele funcției „%s” a fost definit mai înainte" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "funcția „%s”: nu se poate folosi numele funcției ca nume de parametru" #: awkgram.y:5126 #, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" "funcția „%s”: parametrul „%s”: POSIX nu permite utilizarea unei variabile " "speciale ca parametru al unei funcții" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "funcția „%s”: parametrul „%s” nu poate conține un spațiu de nume" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "funcția „%s”: parametrul #%d, „%s”, este o dublură a parametrului #%d" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "funcția „%s” este apelată, dar nu a fost niciodată definită" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "funcția „%s” este definită, dar nu a fost niciodată apelată direct" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "" "constanta expresiei regulate pentru parametrul #%d produce o valoare booleană" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "funcția `%s' apelată cu spațiu între nume și `(',\n" "sau utilizată ca variabilă sau matrice" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "s-a încercat împărțirea la zero" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "s-a încercat împărțirea la zero în „%%”" # R-GC, scrie: # după revizarea fișierului, DȘ, zice: # → typo: „incrementală” # === # Ok, corecție aplicată # inițial, era: post-intrementală #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "" "nu se poate atribui o valoare rezultatului unui câmp de expresie post-" "incrementală" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "țintă nevalidă a atribuirii (opcode %s)" #: awkgram.y:6266 msgid "statement has no effect" msgstr "declarația nu are nici un efect" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" "identificator %s: numele calificate nu sunt permise în modul tradițional / " "POSIX" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "" "identificatorul %s: separatorul de spațiu de nume este de două puncte duble " "„::”, nu de unul „:”" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "identificatorul calificat „%s” este prost format" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" "identificator „%s”: separatorul de spațiu de nume poate apărea o singură " "dată într-un nume calificat" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" "utilizarea identificatorului rezervat „%s” ca spațiu de nume nu este permisă" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" "utilizarea identificatorului rezervat „%s” ca a doua componentă a unui nume " "calificat nu este permisă" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "@namespace este o extensie gawk" # R-GC, scrie: # după revizarea fișierului, DȘ, zice: # → ce zici de „regulile de denumire pentru identificare” # === # Ok, propunere aplicată # inițial, era: # „... regulile de denumire ale identificatorului” #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" "numele spațiului de nume „%s” trebuie să îndeplinească regulile de denumire " "pentru identificare" #: builtin.c:93 builtin.c:100 #, c-format msgid "%s: called with %d arguments" msgstr "%s: apelat cu %d argumente" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "%s pentru \"%s\" a eșuat: %s" #: builtin.c:129 msgid "standard output" msgstr "ieșirea standard" #: builtin.c:130 msgid "standard error" msgstr "ieșirea de eroare standard" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s: s-a primit un argument nenumeric" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp: argumentul %g este în afara domeniului" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "%s: s-a primit un argument ce nu este un șir" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: nu se poate goli: conducta „%.*s” este deschisă pentru citire, nu " "pentru scriere" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" "fflush: nu se poate goli: fișierul „%.*s” este deschis pentru citire, nu " "pentru scriere" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush: nu se poate goli fișierul „%.*s”: %s" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" "fflush: nu se poate goli: conducta bidirecțională „%.*s” are capătul de " "scriere închis" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "fflush: „%.*s” nu este un fișier deschis, o conductă sau un co-proces" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "%s: primul argument primit, nu este un șir" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "%s: al doilea argument primit, nu este un șir" # R-GC, scrie: # după revizarea fișierului, DȘ, zice: # → typo: "length" # === # ok, corecție aplicată(mai apărea, în alt loc, aceeași greșeală) #: builtin.c:595 msgid "length: received array argument" msgstr "length: s-a primit ca argument o matrice" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "„length(array)” este o extensie gawk" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "%s: s-a primit un argument negativ %g" #: builtin.c:698 builtin.c:2949 #, c-format msgid "%s: received non-numeric third argument" msgstr "%s: al treilea argument primit nu este numeric" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "%s: al doilea argument primit, nu este numeric" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: lungimea %g nu este >= 1" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: lungimea %g nu este >= 0" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: lungimea neîntreagă %g va fi trunchiată" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "" "substr: lungimea %g este prea mare pentru indexarea șirurilor, se trunchiază " "la %g" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: indexul de start %g este nevalid, se folosește 1" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "substr: indexul de start neîntreg %g va fi trunchiat" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: șirul de caractere sursă are lungimea zero" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: indexul de start %g este după sfârșitul de șirului" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: lungimea %g la începutul indexului %g depășește lungimea primului " "argument (%lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "" "strftime: valoarea formatului din PROCINFO[\"strftime\"] are tip numeric" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "" "strftime: al doilea argument este mai mic de 0 sau prea mare pentru time_t" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "strftime: al doilea argument în afara intervalului pentru time_t" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: s-a primit un șir de format gol" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "" "mktime: cel puțin una dintre valori este în afara intervalului implicit" # R-GC, scrie: # după revizarea fișierului, DȘ, zice: # → aici cred că trebuie să păstrăm literația englezească „system” # === # Corect, DȘ, dar dacă „intrii în sistem automat # de traducere (ca un zombie)”, se întîmplă # accidente ca acesta.... # Corectare aplicată #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "funcția „system” nu este permisă în modul sandbox" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "" "print: s-a încercat să se scrie la capătul de scriere închis al conductei " "bidirecționale" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "referință la câmpul neinițializat „$%d”" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "%s: primul argument primit nu este numeric" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: al treilea argument nu este o matrice" #: builtin.c:1604 #, c-format msgid "%s: cannot use %s as third argument" msgstr "%s: nu se poate folosi %s ca al treilea argument" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: al treilea argument „%.*s” tratat ca fiind 1" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s: poate fi apelat indirect doar cu două argumente" #: builtin.c:2242 msgid "indirect call to gensub requires three or four arguments" msgstr "apelul indirect la «gensub» necesită trei sau patru argumente" #: builtin.c:2304 msgid "indirect call to match requires two or three arguments" msgstr "apelul indirect la «match» necesită două sau argumente" #: builtin.c:2365 #, c-format msgid "indirect call to %s requires two to four arguments" msgstr "apelul indirect la %s necesită de la două până la patru argumente" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): valorile negative nu sunt permise" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f): valorile fracționale vor fi trunchiate" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "" "lshift(%f, %f): o valoare prea mare de schimbare va da rezultate ciudate" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f, %f): valorile negative nu sunt permise" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): valorile fracționale vor fi trunchiate" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "" "rshift(%f, %f): o valoare prea mare de schimbare va da rezultate ciudate" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "%s: apelat cu mai puțin de două argumente" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "%s: argumentul %d nu este numeric" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%s: argument %d, valoarea negativă %g nu este permisă" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): valoarea negativă nu este permisă" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): valoarea fracțională va fi trunchiată" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: „%s” nu este o categorie locală validă" #: builtin.c:2842 builtin.c:2860 #, c-format msgid "%s: received non-string third argument" msgstr "%s: al treilea argument primit, nu este un șir" #: builtin.c:2915 builtin.c:2936 #, c-format msgid "%s: received non-string fifth argument" msgstr "%s: al cincilea argument primit, nu este un șir" #: builtin.c:2925 builtin.c:2942 #, c-format msgid "%s: received non-string fourth argument" msgstr "%s: al patrulea argument primit, nu este un șir" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "intdiv: al treilea argument nu este o matrice" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "intdiv: s-a încercat împărțirea la zero" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "typeof: al doilea argument nu este o matrice" # R-GC, scrie: # după revizarea fișierului, DȘ, zice: # → în loc de „steaguri” ar fi de preferat „fanioane”. iar „semnalînd” -> # „semnalând” # === # Corecții aplicate...; explicația prezenței acestor # erori, la fel ca mai sus, „intrarea în modul zombie” #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" "typeof a detectat o combinație nevalidă de fanioane „%s”; trimiteți un " "raport de eroare semnalând acest lucru" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "typeof: tip de argument necunoscut „%s”" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "nu se poate adăuga un fișier nou (%.*s) la ARGV în modul sandbox" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "Tastați instrucțiuni (g)awk. Terminați cu comanda „end”\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "număr de cadru nevalid: %d" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "info: opțiune nevalidă - „%s”" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "source: „%s”: este deja provenit" #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "save: „%s”: comanda nu este permisă" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" "nu se poate folosi comanda „commands” pentru comenzile punct de " "întrerupere / punct de urmărire" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "" "nu a fost stabilit încă niciun punct de întrerupere / punct de urmărire" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "număr de punct de întrerupere / punct de urmărire nevalid" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "Tastați comenzi pentru când %s %d este atins, una pe linie.\n" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "Terminați cu comanda „end”\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "„end” este valabilă numai în comanda „commands” sau „eval”" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "„silent” este valabilă numai în comanda „commands”" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "trace: opțiune nevalidă - „%s”" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "condition: număr de punct de întrerupere / punct de urmărire nevalid" #: command.y:452 msgid "argument not a string" msgstr "argumentul nu este un șir" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "option: parametru nevalid - „%s”" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "nu există o astfel de funcție - „%s”" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "enable: opțiune nevalidă - „%s”" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "specificație de interval nevalidă: %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "valoare nenumerică pentru numărul câmpului" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "valoare nenumerică găsită, numerică așteptată" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "valoare întreagă diferită de zero" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" "backtrace [N] - imprimă urma tuturor cadrelor sau cele mai interioare N " "cadre (cele mai exterioare dacă N < 0)" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "" "break [[nume_fișier:]N|funcție] - stabilește punctul de întrerupere la " "locația specificată" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "" "clear [[nume_fișier:]N|funcție] - șterge punctele de întrerupere stabilite " "anterior" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" "commands [num] - pornește o listă de comenzi care urmează să fie executate " "la întâlnirea unui punct de întrerupere(punct de urmărire)" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" "condition num [expr] - stabilește sau șterge condiția punctului de " "întrerupere sau a punctului de urmărire" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "continue [CANTITATE] - continuă programul în curs de depanare" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "" "delete [puncte_de_întrerupere] [interval] - șterge punctele de întrerupere " "specificate" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "" "disable [puncte_de_întrerupere] [interval] - dezactivează punctele de " "întrerupere specificate" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "" "display [var] - afișează valoarea variabilei de fiecare dată când programul " "se oprește" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "down [N] - coboară N cadre în josul stivei" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "" "dump [nume_fișier] - descarcă instrucțiunile în fișier sau la ieșirea " "standard" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" "enable [once|del] [puncte_de_întrerupere] [interval] - activează punctele de " "întrerupere specificate" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "end - încheie o listă de comenzi sau instrucțiuni awk" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "eval instrucțiuni|[p1, p2, ...] - evaluează instrucțiunile awk" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "exit - (la fel ca quit) iese din depanator" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "finish - execută până când cadrul selectat din stivă revine" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "frame [N] - selectează și afișează numărul de cadru N al stivei" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "help [comandă] - afișează lista comenzilor sau explicația comenzii" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "" "ignore N CANTITATE - stabilește de câte ori va fi ignorat numărul punctului " "de întrerupere N, la CANTITATEa precizată" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "" "list [-|+|[nume_fișier:]nr_linie|funcție|interval] - listează liniile " "specificate" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "" "next [NUMĂR] - rulează programul pas cu pas, urmărind apelurile la subrutine" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" "nexti [NUMĂR] - execută o instrucțiune (sau acest număr), unde un apel de " "funcție contează ca unul" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "" "option [nume[=valoare]] - stabilește sau afișează opțiunile de depanare" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "print var [var] - afișează valoarea unei variabile sau a unei matrice" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "printf format, [arg], ... - ieșire formatată" #: command.y:872 msgid "quit - exit debugger" msgstr "quit - iese din depanator" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "" "return [valoare] - face ca cadrul stivei selectat să revină la apelantul său" #: command.y:876 msgid "run - start or restart executing program" msgstr "run - pornește sau repornește execuția programului" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "save nume_fișier - salvează comenzile din sesiune în fișier" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "set var = valoare - atribuie valoare unei variabile scalare" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" "silent - suspendă mesajul obișnuit atunci când este oprit la un punct de " "întrerupere / punct de urmărire" #: command.y:886 msgid "source file - execute commands from file" msgstr "source fișier - execută comenzile din fișier" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" "step [NUMĂR] - rulează programul până când se ajunge la o altă linie sursă" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [NUMĂR] - execută exact una (sau acest număr de) instrucțiuni" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "" "tbreak [[nume_fișier:]N|funcție] - stabilește un punct de întrerupere " "temporar" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "trace on|off - afișează instrucțiunea înainte de executare" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "undisplay [N] - elimină variabilele din lista de afișare automată" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" "until [[nume_fișier:]N|funcție] - execută până când programul ajunge la o " "linie diferită sau la linia N din cadrul curent" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [N] - elimină variabilele din lista de urmărire" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "up [N] - urcă N cadre în susul stivei" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "watch var - stabilește un punct de urmărire pentru o variabilă" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "where [N] - (la fel ca backtrace) afișează urma tuturor cadrelor sau cele " "mai interioare N cadre (cele mai exterioare dacă N < 0)" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "eroare: " #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "nu se poate citi comanda: %s\n" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "nu se poate citi comanda: %s" #: command.y:1126 msgid "invalid character in command" msgstr "caracter nevalid în comandă" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "comandă necunoscută - «%.*s», încercați „--help”" #: command.y:1294 msgid "invalid character" msgstr "caracter nevalid" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "comandă nedefinită: %s\n" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "" "stabilește sau afișează numărul de linii de păstrat în fișierul istoric" #: debug.c:259 msgid "set or show the list command window size" msgstr "stabilește sau afișează dimensiunea ferestrei pentru comanda «list»" #: debug.c:261 msgid "set or show gawk output file" msgstr "stabilește sau afișează fișierul de ieșire gawk" #: debug.c:263 msgid "set or show debugger prompt" msgstr "stabilește sau afișează promptul de depanare" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "" "(dez)activează sau afișează salvarea istoricului comenzilor (valoare=on|off)" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "(dez)activează sau afișează salvarea opțiunilor (valoare=on|off)" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "(dez)activează sau afișează urmărirea instrucțiunilor (valoare=on|off)" #: debug.c:358 msgid "program not running" msgstr "programul nu rulează" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "fișierul sursă „%s” este gol.\n" #: debug.c:502 msgid "no current source file" msgstr "nici un fișier sursă curent" #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "nu se poate găsi fișierul sursă numit „%s”: %s" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "" "avertisment: fișierul sursă „%s” a fost modificat de la compilarea " "programului.\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "numărul de linie %d în afara intervalului; „%s” are %d linii" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "" "sfârșit de fișier neașteptat în timpul citirii fișierului „%s”, linia %d" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "" "fișierul sursă „%s” a fost modificat de la începutul execuției programului" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "Fișier sursă curent: %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "Număr de linii: %d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "Fișier sursă (linii): %s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "Număr Disp Activat Locație\n" "\n" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "\tnumăr de potriviri = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "\tignoră următoare(a/le) %ld potrivir(e/i)\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "\tcondiție de oprire: %s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "\tcomenzi:\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "Cadru curent: " #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "Apelat de către cadru: " #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "Apelant al cadrului: " #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "Niciunul în main().\n" #: debug.c:870 msgid "No arguments.\n" msgstr "Fără argumente.\n" #: debug.c:871 msgid "No locals.\n" msgstr "Fără variabile locale.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "Toate variabilele definite:\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "Toate funcțiile definite:\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "Afișare automată a variabilelor:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "Variabile de urmărire:\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "nici un simbol „%s” în contextul curent\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "„%s” nu este o matrice\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = câmp neinițializat\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "matricea „%s” este goală\n" #: debug.c:1184 debug.c:1236 #, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "indicele „%.*s” nu se află în matricea „%s”\n" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "„%s[\"%.*s\"]” nu este o matrice\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "„%s” nu este o variabilă scalară" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "încercare de a utiliza matricea „%s[\"%.*s\"]” într-un context scalar" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "încercare de a utiliza scalarul „%s[\"%.*s\"]” ca matrice" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "„%s” este o funcție" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "punctul de urmărire %d este necondițional\n" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "niciun element de afișare numerotat %ld" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "niciun element de urmărire numerotat %ld" #: debug.c:1596 #, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d: indicele „%.*s” nu se află în matricea „%s”\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "încercare de a utiliza valoarea scalară ca matrice" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "" "Punctul de urmărire %d a fost șters deoarece parametrul este în afara " "domeniului de aplicare.\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "" "Afișarea %d a fost ștearsă deoarece parametrul este în afara domeniului de " "aplicare.\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr " în fișierul „%s”, linia %d\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr " la „%s”:%d" # R-GC, scrie: # aici, „in”, la fel de bine, poate să fie «din», # în loc de «în»; trebuie văzut în „producție” #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "#%ld\tîn " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "Urmează mai multe cadre de stivă...\n" #: debug.c:2092 msgid "invalid frame number" msgstr "număr de cadru nevalid" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Notă: punctul de întrerupere %d (activat, ignoră următoarele %ld potriviri), " "de asemenea, stabilit la %s:%d" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "" "Notă: punctul de întrerupere %d (activat), de asemenea, stabilit la %s:%d" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Notă: punctul de întrerupere %d (dezactivat, ignoră următoarele %ld " "potriviri), de asemenea, stabilit la %s:%d" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "" "Notă: punctul de întrerupere %d (dezactivat), de asemenea, stabilit la %s:%d" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "Punctul de întrerupere %d stabilit în fișierul „%s”, linia %d\n" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "nu se poate stabili punctul de întrerupere în fișierul „%s”\n" #: debug.c:2444 #, c-format msgid "line number %d in file `%s' is out of range" msgstr "numărul de linie %d din fișierul „%s” este în afara intervalului" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "eroare internă: nu se poate găsi regula\n" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "nu se poate stabili punctul de întrerupere în „%s”:%d\n" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "nu se poate stabili punctul de întrerupere în funcția „%s”\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "" "punctul de întrerupere %d stabilit în fișierul „%s”, linia %d este " "necondițional\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "numărul de linie %d din fișierul „%s” este în afara intervalului" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "Punctul de întrerupere %d a fost șters" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "Nu există punct(e) de întrerupere la intrarea în funcția „%s”\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "Fără punct de întrerupere în fișierul „%s”, linia nr. %d\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "număr de punct de întrerupere nevalid" # R-GC, scrie: # ceilalți traducători, au tradus: «(y or n)», în # limba lor, așa că i-am copiat. # *** # după revizarea fișierului, DȘ, zice: # → este perfect legit pentru că ai tradus și următorul „y” cu „d”. Deci # este foarte bine. #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "Ștergeți toate punctele de întrerupere? (d sau n) " #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "d" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "" "Se va ignora următoare(a/le) %ld întâlnir(e/i) ale punctului de întrerupere " "%d.\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "" "Se va opri data viitoare când punctul de întrerupere %d este întâlnit.\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "Se pot depana numai programele furnizate cu opțiunea „-f”.\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "Repornire ...\n" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "Repornirea depanatorului a eșuat" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "Programul rulează deja. Reporniți de la început (d/n)? " #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "Programul nu a fost repornit\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "eroare: nu se poate reporni, operația nu este permisă\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "eroare (%s): nu se poate reporni, se ignoră restul comenzilor\n" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "Pornirea programului:\n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "Programul a ieșit anormal cu valoarea de ieșire: %d\n" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "Programul a ieșit normal cu valoarea de ieșire: %d\n" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "Programul rulează. Ieșiți oricum (d/n)? " #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "" "Nu este oprit la niciun punct de întrerupere; argumentul este ignorat.\n" #: debug.c:3091 #, c-format msgid "invalid breakpoint number %d" msgstr "număr de punct de întrerupere nevalid %d" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "" "Se vor ignora următoarele %ld întâlniri ale punctului de întrerupere %d.\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "„finish” nu are sens în cadrul celui mai extern main()\n" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "Rulează până la returnarea de " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "„return” nu are sens în cadrul celui mai extern main()\n" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "nu se poate găsi locația specificată în funcția „%s”\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "linia sursă nevalidă %d în fișierul „%s”" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "nu se poate găsi locația specificată %d, în fișierul „%s”\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "element care nu se află în matrice\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "variabilă netipizată\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "Oprire în %s...\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "„finish” nu are sens cu saltul ne-local „%s”\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "„until” nu are sens cu saltul ne-local „%s”\n" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "" "\t------[Enter] pentru a continua sau [q] + [Enter] pentru a ieși------" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%.*s\"] nu este în matricea „%s”" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "ieșirea este trimisă la ieșirea standard\n" #: debug.c:5449 msgid "invalid number" msgstr "număr nevalid" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "„%s” nu este permis în contextul curent; declarație ignorată" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "„return” nu este permis în contextul curent; declarație ignorată" #: debug.c:5639 #, c-format msgid "fatal error during eval, need to restart.\n" msgstr "eroare fatală în timpul evaluării, trebuie să reporniți.\n" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "nici un simbol „%s” în contextul curent" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "tip de nod %d necunoscut" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "cod de operație %d necunoscut" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "codul de operație %s nu este un operator sau un cuvânt cheie" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "depășire(overflow) de buffer în genflags2str" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# Stiva de Apelare a Funcției:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "„IGNORECASE” este o extensie gawk" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "„BINMODE” este o extensie gawk" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "Valoarea BINMODE „%s” este nevalidă, tratată ca fiind 3" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "specificație „%sFMT” greșită „%s”" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "se dezactivează „--lint” din cauza atribuirii lui „LINT”" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "referință la argumentul neinițializat „%s”" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "referință la variabila neinițializată „%s”" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "încercare de referință la câmp dintr-o valoare nenumerică" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "încercare de referință la câmp dintr-un șir null" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "încercare de accesare a câmpului %ld" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "referință la câmpul neinițializat „$%ld”" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "" "funcția „%s” a fost apelată cu mai multe argumente decât cele declarate" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: tip neașteptat „%s”" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "s-a încercat împărțirea la zero în „/=”" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "s-a încercat împărțirea la zero în „%%=”" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "extensiile nu sunt permise în modul sandbox" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "-l / @load sunt extensii gawk" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext: s-a primit NULL lib_name" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext: nu se poate deschide biblioteca „%s”: %s" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "load_ext: biblioteca „%s”: nu definește „plugin_is_GPL_compatible”: %s" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "load_ext: biblioteca „%s”: nu se poate apela funcția „%s”: %s" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "load_ext: biblioteca „%s”: rutina de inițializare „%s” a eșuat" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin: lipsește numele funcției" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "" "make_builtin: nu poate folosi comanda internă gawk „%s”, ca nume de funcție" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" "make_builtin: nu poate folosi comanda internă gawk „%s”, ca nume de spațiu " "de nume" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin: nu se poate redefini funcția „%s”" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin: funcția „%s” este deja definită" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin: numele funcției „%s” este deja definit" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "" "make_builtin: cantitatea numărului de argumente este negativă pentru funcția " "„%s”" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "" "funcția „%s”: argument nr. %d: încercare de a utiliza un scalar ca o matrice" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "" "funcția „%s”: argument nr. %d: încercare de a utiliza o matrice ca un scalar" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "încărcarea dinamică a bibliotecilor nu este acceptată" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "stat: nu se poate citi legătura simbolică „%s”" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "stat: primul argument nu este un șir" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "stat: al doilea argument nu este o matrice" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stat: parametrii greșiți" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "fts init: nu s-a putut crea variabila %s" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "fts nu este acceptat pe acest sistem" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element: nu s-a putut crea matrice, memorie insuficientă" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element: nu s-a putut configura elementul" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element: nu s-a putut configura elementul" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element: nu s-a putut configura elementul" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts-process: nu s-a putut crea matrice" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts-process: nu s-a putut configura elementul" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "fts: apelat cu un număr incorect de argumente, se așteptau 3" #: extension/filefuncs.c:853 msgid "fts: first argument is not an array" msgstr "fts: primul argument nu este o matrice" #: extension/filefuncs.c:859 msgid "fts: second argument is not a number" msgstr "fts: al doilea argument nu este un număr" #: extension/filefuncs.c:865 msgid "fts: third argument is not an array" msgstr "fts: al treilea argument nu este o matrice" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts: nu s-a putut aplatiza matricea\n" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "" "fts: se ignoră fanionul viclean FTS_NOSTAT. sâc, sâc, sâc coadă de pisic. :)" #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch: nu s-a putut obține primul argument" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch: nu s-a putut obține al doilea argument" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch: nu s-a putut obține al treilea argument" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "fnmatch nu este implementat pe acest sistem\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "fnmatch init: nu s-a putut adăuga variabila FNM_NOMATCH" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "fnmatch init: nu s-a putut stabili elementul matricei %s" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "fnmatch init: nu s-a putut instala matricea FNM" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork: PROCINFO nu este o matrice!" # R-GC, scrie: # «in-place», mă ține un pic cam intrigat; # am folosit traducerea făcută de ceilalți # traducători, adică: „în loc, în site, pe loc, pe # site. # Cu toate acestea, traducerea cea mai # apropiată de intenția autorului, mi se pare # cea făcută de echipa germană: „direct(ă)”, # adică: # „... editarea directă este deja activă”. # *** # Opinii/Idei? #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "inplace::begin: editarea pe-loc este deja activă" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "inplace::begin: aștepta 2 argumente, dar este apelat cu %d" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "" "inplace::begin: nu se poate prelua primul argument ca șir de nume de fișier" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" "inplace::begin: se dezactivează editarea pe-loc pentru NUME_FIȘIER nevalid " "„%s”" #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "inplace::begin: nu se poate determina starea lui „%s” (%s)" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "inplace::begin: „%s” nu este un fișier obișnuit" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace::begin: mkstemp(„%s”) a eșuat (%s)" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace::begin: chmod a eșuat (%s)" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace::begin: dup(stdout) a eșuat (%s)" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace::begin: dup2(%d, stdout) a eșuat (%s)" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace::begin: close(%d) a eșuat (%s)" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "inplace::end: aștepta 2 argumente, dar este apelat cu %d" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "" "inplace::end: nu se poate prelua primul argument ca șir de nume de fișier" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "inplace::end: editarea pe-loc nu este activă" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace::end: dup2(%d, stdout) a eșuat (%s)" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace::end: close(%d) a eșuat (%s)" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace::end: fsetpos(stdout) a eșuat (%s)" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace::end: link(„%s”, „%s”) a eșuat (%s)" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace::end: rename(„%s”, „%s”) a eșuat (%s)" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "ord: primul argument nu este un șir" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "chr: primul argument nu este un număr" #: extension/readdir.c:291 #, c-format msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "dir_take_control_of: %s: opendir/fdopendir a eșuat: %s" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "readfile: apelat cu un tip greșit de argument" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput: nu s-a putut inițializa variabila REVOUT" #: extension/rwarray.c:145 extension/rwarray.c:548 #, c-format msgid "%s: first argument is not a string" msgstr "%s: primul argument nu este un șir" #: extension/rwarray.c:189 msgid "writea: second argument is not an array" msgstr "writea: al doilea argument nu este o matrice" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "writeall: nu se poate găsi matricea SYMTAB" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "write_array: nu s-a putut aplatiza matricea" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "write_array: nu s-a putut libera matricea aplatizată" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "valoarea matricei are un tip necunoscut %d" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" "extensia rwarray: a primit valoarea GMP/MPFR, dar a fost compilată fără " "suport GMP/MPFR." #: extension/rwarray.c:437 #, c-format msgid "cannot free number with unknown type %d" msgstr "nu se poate elibera un număr de tip necunoscut %d" #: extension/rwarray.c:442 #, c-format msgid "cannot free value with unhandled type %d" msgstr "nu se poate elibera o valoare de tip negestionat %d" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "readall: nu se poate configura %s::%s" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "readall: nu se poate configura %s" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "reada: clear_array a eșuat" #: extension/rwarray.c:611 msgid "reada: second argument is not an array" msgstr "reada: al doilea argument nu este o matrice" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "read_array: set_array_element a eșuat" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "tratând valoarea recuperată, cu codul de tip necunoscut %d, ca șir" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" "extensia rwarray: a găsit valoarea GMP/MPFR în fișier, dar a fost compilată " "fără suport GMP/MPFR." #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday: nu este acceptată pe această platformă" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep: lipsește argumentul numeric necesar" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep: argumentul este negativ" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep: nu este acceptată pe această platformă" #: extension/time.c:232 msgid "strptime: called with no arguments" msgstr "strptime: apelat fără argumente" #: extension/time.c:240 #, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "do_strptime: argumentul 1 nu este un șir\n" #: extension/time.c:245 #, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "do_strptime: argumentul 2 nu este un șir\n" #: field.c:321 msgid "input record too large" msgstr "înregistrarea de intrare este prea mare" #: field.c:443 msgid "NF set to negative value" msgstr "NF stabilit la o valoare negativă" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "decrementarea NF nu este portabilă în multe versiuni awk" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "accesarea câmpurilor dintr-o regulă END poate să nu fie portabilă" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split: al patrulea argument este o extensie gawk" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split: al patrulea argument nu este o matrice" #: field.c:1138 field.c:1240 #, c-format msgid "%s: cannot use %s as fourth argument" msgstr "%s: nu se poate utiliza %s ca al patrulea argument" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: al doilea argument nu este o matrice" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "" "split: nu se poate folosi aceeași matrice pentru al doilea și al patrulea " "argument" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "" "split: nu se poate folosi o submatrice din al doilea argument pentru al " "patrulea argument" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "" "split: nu se poate folosi o submatrice din al patrulea argument pentru al " "doilea argument" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "" "split: șirul nul pentru al treilea argument este o extensie non-standard" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: al patrulea argument nu este o matrice" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: al doilea argument nu este o matrice" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit: al treilea argument trebuie să nu fie null" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "" "patsplit: nu se poate folosi aceeași matrice pentru al doilea și al patrulea " "argument" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" "patsplit: nu se poate folosi o submatrice din al doilea argument pentru al " "patrulea argument" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" "patsplit: nu se poate folosi o submatrice din al patrulea argument pentru al " "doilea argument" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" "asignarea la FS/FIELDWIDTHS/FPAT nu are niciun efect atunci când se " "utilizează „--csv”" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "„FIELDWIDTHS” este o extensie gawk" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "„*” trebuie să fie ultimul desemnator din FIELDWIDTHS" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "valoare FIELDWIDTHS nevalidă, pentru câmpul %d, lângă „%s”" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "șirul null pentru „FS” este o extensie gawk" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "vechiul awk nu acceptă expresii regulate ca valoare pentru „FS”" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "„FPAT” este o extensie gawk" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node: s-a primit valoarea de returnare null”" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "awk_value_to_node: nu se află în modul MPFR" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "awk_value_to_node: MPFR nu este acceptat" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node: tip de număr nevalid „%d”" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "add_ext_func: s-a primit parametrul name_space NULL" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" "node_to_awk_value: s-a detectat o combinație nevalidă de indicatori numerici " "„%s”; trimiteți un raport de eroare despre acest lucru" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value: s-a primit un nod null" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value: s-a primit o valoare null" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" "node_to_awk_value: s-a detectat o combinație nevalidă de indicatori „%s”; " "trimiteți un raport de eroare despre acest lucru" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element: s-a primit o matrice null" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element: s-a primit un indice null" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "api_flatten_array_typed: nu s-a putut converti indexul %d în %s" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "api_flatten_array_typed: nu s-a putut converti valoarea %d în %s" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "api_get_mpfr: MPFR nu este acceptat" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "nu se poate găsi sfârșitul regulii BEGINFILE" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "nu se poate deschide tipul de fișier nerecunoscut „%s” pentru „%s”" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "argumentul liniei de comandă „%s” este un director: se ignoră" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "nu s-a putut deschide fișierul „%s” pentru citire: %s" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "închiderea descriptorului de fișier %d („%s”) a eșuat: %s" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "" "„%.*s” este utilizat pentru fișierul de intrare și pentru fișierul de ieșire" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "" "„%.*s” este utilizat pentru fișierul de intrare și pentru conducta de intrare" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "" "„%.*s” este utilizat pentru fișierul de intrare și pentru conducta " "bidirecțională" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "" "„%.*s” este utilizat pentru fișierul de intrare și pentru conducta de ieșire" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "amestecare nenecesară a „>” și „>>” pentru fișierul „%.*s”" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "„%.*s” este utilizat pentru conducta de intrare și fișierul de ieșire" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "„%.*s” este utilizat pentru fișierul de ieșire și conducta de ieșire" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "" "„%.*s” este utilizat pentru fișierul de ieșire și conducta bidirecțională" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "„%.*s” este utilizat pentru conducta de intrare și conducta de ieșire" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "" "„%.*s” este utilizat pentru conducta de intrare și conducta bidirecțională" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "" "„%.*s” este utilizat pentru conducta de ieșire și conducta bidirecțională" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "redirecționarea nu este permisă în modul sandbox" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "expresia din redirecționarea „%s” este un număr" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "expresia pentru redirecționarea „%s” are o valoare de șir null" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "numele de fișier „%.*s” pentru redirecționarea „%s” poate fi rezultatul unei " "expresii logice" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "get_file nu poate crea conducta „%s” cu descriptorul de fișier %d" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "nu se poate deschide conducta „%s” pentru ieșire: %s" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "nu se poate deschide conducta „%s” pentru intrare: %s" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" "crearea soclului get_file nu este acceptată pe această platformă pentru „%s” " "cu descriptorul de fișier %d" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "" "nu se poate deschide conducta bidirecțională „%s” pentru intrare/ieșire: %s" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "nu se poate redirecționa de la „%s”: %s" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "nu se poate redirecționa la „%s”: %s" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "s-a atins limita sistemului pentru fișiere deschise: se începe multiplexarea " "descriptorilor de fișiere" #: io.c:1221 #, c-format msgid "close of `%s' failed: %s" msgstr "închiderea lui „%s” a eșuat: %s" #: io.c:1229 msgid "too many pipes or input files open" msgstr "prea multe conducte sau fișiere de intrare deschise" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: al doilea argument trebuie să fie „to” sau „from”" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "close: „%.*s” nu este un fișier deschis, o conductă sau un co-proces" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "închiderea unei redirecționări care nu a fost niciodată deschisă" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close: redirecționarea „%s” nu a fost deschisă cu „|&”, al doilea argument " "se ignoră" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "starea de eșec (%d) la închiderea conductei din „%s”: %s" #: io.c:1400 #, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "" "starea de eșec (%d) la închiderea conductei bidirecționale din „%s”: %s" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "stare de eșec (%d) în fișierul închis din „%s”: %s" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "nu este furnizată nicio închidere explicită a soclului „%s”" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "nu este furnizată nicio închidere explicită a coprocesului „%s”" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "nu este furnizată nicio închidere explicită a conductei „%s”" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "nu este furnizată nicio închidere explicită a fișierului „%s”" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "fflush: nu se poate goli ieșirea standard: %s" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "fflush: nu se poate goli ieșirea de eroare standard: %s" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "eroare de scriere la ieșirea standard: %s" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "eroare de scriere la ieșirea de eroare standard: %s" #: io.c:1513 #, c-format msgid "pipe flush of `%s' failed: %s" msgstr "golirea conductei din „%s” a eșuat: %s" #: io.c:1516 #, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "golirea co-procesului conductei din „%s” a eșuat: %s" #: io.c:1519 #, c-format msgid "file flush of `%s' failed: %s" msgstr "golirea fișierului din „%s” eșuat: %s" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "port local %s nevalid în „/inet”: %s" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "port local %s nevalid în „/inet”" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "informații despre gazdă și portul de la distanță (%s, %s) nevalide: %s" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "informații despre gazdă și portul de la distanță (%s, %s) nevalide" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "comunicațiile TCP/IP nu sunt acceptate" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "nu s-a putut deschide „%s”, modul „%s”" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "închiderea pseudo-terminalului principal a eșuat: %s" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "închiderea ieșirii standard din procesul-copil a eșuat: %s" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "" "mutarea pseudo-terminalului secundar la ieșirea standard din procesul-copil " "a eșuat (dup: %s)" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "închiderea intrării standard din procesul-copil a eșuat: %s" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "" "mutarea pseudo-terminalului secundar la intrarea standard din procesul-copil " "a eșuat (dup: %s)" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "închiderea pseudo-terminalului secundar a eșuat: %s" #: io.c:2317 msgid "could not create child process or open pty" msgstr "nu s-a putut crea un proces-copil sau deschide pseudo-terminal" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "" "mutarea conductei la ieșirea standard din procesul-copil a eșuat (dup: %s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "" "mutarea conductei la intrarea standard din procesul-copil a eșuat (dup: %s)" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "restaurarea ieșirii standard din procesul-părinte a eșuat" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "restaurarea intrării standard din procesul-părinte a eșuat" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "închiderea conductei a eșuat: %s" #: io.c:2534 msgid "`|&' not supported" msgstr "„|&” nu este acceptat" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "nu s-a putut deschide conducta „%s” (%s)" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "nu s-a putut crea procesul-copil pentru „%s” (fork: %s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "" "getline: încercare de citire din capătul de citire închis al conductei " "bidirecționale" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser: s-a primit indicator NULL" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" "analizatorul de intrare „%s” intră în conflict cu analizatorul de intrare " "instalat anterior „%s”" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "analizatorul de intrare „%s” nu a putut deschide „%s”" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_wrapper: s-a primit indicator NULL" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" "interpretul de comenzi de ieșire „%s” intră în conflict cu interpretul de " "comenzi de ieșire instalat anterior „%s”" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "interpretul de comenzi de ieșire „%s” nu a putut deschide „%s”" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor: s-a primit indicator NULL" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" "procesorul bidirecțional „%s” intră în conflict cu procesorul bidirecțional " "„%s” instalat anterior" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "procesorul bidirecțional „%s” nu a putut deschide „%s”" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "fișierul de date „%s” este gol" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "nu s-a putut aloca mai multă memorie de intrare" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "asignarea la RS nu are niciun efect atunci când se utilizează „--csv”" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "valoarea multicaracter a „RS” este o extensie gawk" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "comunicația IPv6 nu este acceptată" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" "gawk_popen_write: nu s-a reușit să se mute descriptorul de fișier al " "conductei la intrarea standard" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "" "variabila de mediu „POSIXLY_CORRECT” este definită: se activează „--posix”" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "„--posix” suprascrie „--traditional”" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "„--posix”/„--traditional” suprascrie „--non-decimal-data”" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "„--posix” suprascrie „--characters-as-bytes”" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "„--posix” și „--csv” sunt în conflict" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "rularea lui %s ca setuid-root poate fi o problemă de securitate" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "Opțiunile „-r”/„--re-interval” nu mai au niciun efect" # R-GC, scrie: # o altă „variantă”, de traducere a acestui # mesaj (și-a următoarelor), ar fi: # „nu se poate pune intrarea standard în # modul binar” # Traducerea prezentă, este aproape, # traducerea mot-a-mot, a doua este o # adaptare a mesajului original, pentru limba # română. # *** # Opinii/Idei? # care este mai bună, pentru a transmite # mesajul autorului? #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "nu se poate stabili modul binar pentru intrarea standard: %s" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "nu se poate stabili modul binar pentru ieșirea standard: %s" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "nu se poate stabili modul binar pentru ieșirea de eroare standard: %s" #: main.c:483 msgid "no program text at all!" msgstr "nu există nici un text de program!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "" "Utilizare: %s [opțiuni stil POSIX sau GNU] -f fișier_program [--] " "fișier ...\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "" "Utilizare: %s [opțiuni stil POSIX sau GNU] [--] %cprogram%c fișier ...\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "Opțiuni POSIX:\t\tOpțiuni lungi GNU: (standard)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f fișier_program --file=fișier_program\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F sep_câmp --field-separator=sep_câmp\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "\t-v var=valoare --assign=var=valoare\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "Opțiuni scurte:\t\tOpțiuni lungi GNU: (extensii)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[fișier]\t\t--dump-variables[=fișier]\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-D[fișier] --debug[=fișier]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e „text-program”\t--source=„text-program”\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E fișier\t\t--exec=fișier\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "\t-i fișier_de_inclus --include=fișier_de_inclus\n" #: main.c:602 msgid "\t-I\t\t\t--trace\n" msgstr "\t-I\t\t\t--trace\n" #: main.c:603 msgid "\t-k\t\t\t--csv\n" msgstr "\t-k\t\t\t--csv\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "\t-l biblioteca --load=biblioteca\n" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "\t-M\t\t\t--bignum\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-o[fișier]\t\t--pretty-print[=fișier]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[fișier]\t\t--profile[=fișier]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-s\t\t\t--no-optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "\t-Z nume_localizare\t\t--locale=nume_localizare\n" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "Pentru a raporta erori, utilizați programul «gawkbug».\n" "Pentru instrucțiuni complete, consultați nodul „Bugs” din „gawk.info”\n" "care este secțiunea „Reporting Problems and Bugs” în\n" "versiunea tipărită. Aceleași informații pot să fie găsite la\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "NU încercați să raportați erori publicând în pagina comp.lang.awk,\n" "sau folosind un forum web, cum ar fi Stack Overflow\n" "\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" "Codul sursă pentru „gawk” poate fi obținut de la\n" "%s/gawk-%s.tar.gz\n" "\n" # R-GC, scrie: # după revizarea fișierului, DȘ, zice: # → pentru a nu jigni „fotomodelele” aș zice: „procesare a tiparelor” cu # toate că „tipar”-ul la care mă refer este sensul al 2-lea: # https://dexonline.ro/definitie/tipar # *** # DȘ, mă îndoiesc sincer că „fotomodelele” vor # începe să utilizeze un sistem operativ GNU/*, # iar în acest caz foarte improbabil, se vor # năpustii să lucreze direct cu «gawk». #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk este un limbaj de scanare și procesare a modelelor.\n" "În mod implicit, citește de la intrarea standard și scrie la ieșirea " "standard.\n" "\n" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "Exemple:\n" "\t%s '{ sum += $1 }; END { print sum }' fișier\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Drepturi de autor ©1989, 1991-%d Free Software Foundation.\n" "\n" "Acest program este software liber; poate fi redistribuit și/sau modificat\n" "sub termenii Licenței Publice Generale GNU publicată de \n" "Free Software Foundation; fie versiunea 3 a Licenței, fie\n" "(la latitudinea dumneavoastră) orice versiune ulterioară.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "Acest program este distribuit în speranța că va fi folositor,\n" "dar FĂRĂ NICI O GARANȚIE; fără nici măcar garanția implicită de\n" "COMERCIALIZARE sau POTRIVIRII PENTRU UN ANUMIT SCOP. Consultați\n" "Licența Publică Generală GNU pentru mai multe detalii.\n" "\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "Ar fi trebuit să primiți o copie a Licenței Publice Generale GNU\n" "împreună cu acest program. Dacă nu, consultați pagina\n" "http://www.gnu.org/licenses/.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "-Ft nu stabilește FS la tabulator în awk POSIX" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: argumentul „%s” pentru „-v” nu este în formatul „var=valoare”\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "„%s” nu este un nume legal de variabilă" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "„%s” nu este un nume de variabilă, se caută fișierul „%s=%s”" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "nu se poate folosi comanda internă a gawk „%s”, ca nume de variabilă" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "nu se poate folosi funcția „%s” ca nume de variabilă" #: main.c:1294 msgid "floating point exception" msgstr "excepție în virgulă mobilă" #: main.c:1304 msgid "fatal error: internal error" msgstr "eroare fatală: eroare internă" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "niciun descriptor de fișier predeschis %d" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "nu s-a putut predeschide /dev/null pentru descriptorul de fișier %d" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "argumentul gol pentru „-e/--source” a fost ignorat" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "„--profile” suprascrie „--pretty-print”" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "-M ignorat: suportul pentru MPFR/GMP nu a fost compilat" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "" "Utilizați `GAWK_PERSIST_FILE=%s gawk ...' în loc de opțiunea „--persist”." #: main.c:1726 msgid "Persistent memory is not supported." msgstr "Memoria persistentă nu este acceptată." #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: opțiunea „-W %s” nu este recunoscută, se ignoră\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: opțiunea necesită un argument -- %c\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "%s: fatal: nu se poate stabili starea lui %s: %s\n" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" "%s: fatal: utilizarea memoriei persistente nu este permisă atunci când se " "execută ca root.\n" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "%s: avertisment: %s nu este deținut de euid %d.\n" #: main.c:1913 msgid "persistent memory is not supported" msgstr "memoria persistentă nu este acceptată" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" "%s: fatal: alocatorul de memorie persistentă nu a reușit să se inițializeze: " "returnează valoarea %d, linia pma.c: %d.\n" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "valoarea PREC „%.*s” nu este validă" #: mpfr.c:718 #, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "valoarea ROUNDMODE „%.*s” nu este validă" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: s-a primit un prim argument nenumeric" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: s-a primit un al doilea argument nenumeric" #: mpfr.c:825 #, c-format msgid "%s: received negative argument %.*s" msgstr "%s: s-a primit argument negativ %.*s" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int: s-a primit argument nenumeric" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: s-a primit argument nenumeric" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%lf): valoarea negativă nu este permisă" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "comp(%Rg): valorile fracționale vor fi trunchiate" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%Zd): valorile negative nu sunt permise" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s: s-a primit un argument nenumeric #%d" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "%s: argumentul #%d are valoarea %Rg nevalidă, folosind 0" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%s: argumentul #%d valoarea negativă %Rg nu este permisă" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "%s: argumentul #%d valoarea fracțională %Rg va fi trunchiată" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%s: argumentul #%d valoarea negativă %Zd nu este permisă" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: apelat cu mai puțin de două argumente" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or: apelat cu mai puțin de două argumente" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "xor: apelat cu mai puțin de două argumente" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: s-a primit un argument nenumeric" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "intdiv: s-a primit un prim argument nenumeric" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "intdiv: s-a primit un al doilea argument nenumeric" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "linie cmd:" #: node.c:477 msgid "backslash at end of string" msgstr "bară oblică inversă la sfârșitul șirului" #: node.c:511 msgid "could not make typed regex" msgstr "nu s-a putut face expresia regulată tastată" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "vechiul awk nu acceptă secvența de eludare „\\%c”" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX nu permite eludări „\\x”" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "fără cifre hexazecimale în secvența de eludare „\\x”" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "eludarea hexazecimală \\x%.*s din %d caractere probabil nu a fost " "interpretată așa cum vă așteptați" #: node.c:705 msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX nu permite eludări „\\u”" #: node.c:713 msgid "no hex digits in `\\u' escape sequence" msgstr "fără cifre hexazecimale în secvența de eludare „\\u”" #: node.c:744 msgid "invalid `\\u' escape sequence" msgstr "secvență de eludare „\\u” nevalidă" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "secvența de eludare „\\%c” tratată ca „%c” simplu" #: node.c:908 msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "S-au detectat date multiocteți nevalide. Este posibil să existe o " "nepotrivire între datele și localizarea dumneavoastră" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "" "%s %s „%s”: nu s-a putut obține indicatoarele de descriptor de fișier: " "(fcntl F_GETFD: %s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "%s %s „%s”: nu s-a putut stabili close-on-exec: (fcntl F_SETFD: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "avertisment: /proc/self/exe: readlink: %s\n" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "avertisment: apelul de sistem „personality” a returnat: %s\n" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "waitpid: a obținut starea de ieșire %#o\n" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "fatal: posix_spawn: %s\n" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "" "Nivelul de indentare a programului este prea profund. Luați în considerare " "refactorizarea codului dumneavoastră" #: profile.c:114 msgid "sending profile to standard error" msgstr "se trimite profilul la ieșirea de eroare standard" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# %s regulă(i)\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# Regulă(i)\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "eroare internă: %s cu vname null" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "eroare internă: comandă internă cu fname null" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "%s# Extensii încărcate (-l și/sau @load)\n" "\n" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\n" "# Fișiere incluse (-i și/sau @include)\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# profil gawk, creat %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# Funcții, listate alfabetic\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str: tip de redirecționare necunoscut %d" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" "comportamentul de potrivire a unei expresii regulate care conține caractere " "NULL nu este definit de POSIX" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "octet NULL nevalid în expresia regulată dinamică" #: re.c:215 #, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "secvența de evadare a expresiei regulate „\\%c” tratată ca „%c” simplă" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" "secvența de eludare a expresiei regulate „\\%c” nu este un operator de " "expresii regulate cunoscut" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "" "componenta expresiei regulate „%.*s” ar trebui probabil să fie „[%.*s]”" #: support/dfa.c:910 msgid "unbalanced [" msgstr "[ fără pereche" #: support/dfa.c:1031 msgid "invalid character class" msgstr "clasă de caractere nevalidă" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "sintaxa clasei de caractere este [[:space:]], nu [:space:]" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "eludare \\ neterminată" #: support/dfa.c:1345 msgid "? at start of expression" msgstr "? la începutul expresiei" #: support/dfa.c:1357 msgid "* at start of expression" msgstr "* la începutul expresiei" #: support/dfa.c:1371 msgid "+ at start of expression" msgstr "+ la începutul expresiei" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "{...} la începutul expresiei" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "conținut nevalid al \\{\\}" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "expresie regulată prea mare" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "caracter în plus „\\”, înainte de caracter neimprimabil" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "caracter în plus „\\”, înainte de un spațiu în alb" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "caracter în plus „\\”, înainte de „%s”" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "caracter în plus „\\”" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "( fără pereche" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "nicio sintaxă specificată" #: support/dfa.c:2077 msgid "unbalanced )" msgstr ") fără pereche" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: opțiunea „%s” este ambiguă; posibilități:" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s: opțiunea „--%s” nu permite niciun argument\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: opțiunea „%c%s” nu permite niciun argument\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: opțiunea „--%s” necesită un argument\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: opțiune nerecunoscută „--%s”\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: opțiune nerecunoscută „%c%s”\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: opțiune nevalidă -- „%c”\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s: opțiunea necesită un argument -- „%c”\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: opțiunea „-W %s” este ambiguă\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: opțiunea „-W %s” nu permite un argument\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: opțiunea „-W %s” necesită un argument\n" #: support/regcomp.c:122 msgid "Success" msgstr "Succes" #: support/regcomp.c:125 msgid "No match" msgstr "Nicio potrivire" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "Expresie regulată nevalidă" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "Caracter de comparare nevalid" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "Nume de clasă de caractere nevalid" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "Bară oblică inversă la sfârșit" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "Referință înapoi nevalidă" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "[, [^, [:, [., sau [= fără pereche" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "( sau \\( fără pereche" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "\\{ fără pereche" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "Conținut invalid al \\{\\}" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "Sfârșit de interval nevalid" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "Memorie epuizată" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "Expresie regulată anterioară nevalidă" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "Sfârșit prematur de expresie regulată" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "Expresie regulată prea mare" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr ") or \\) fără pereche" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "Nu există expresii regulate anterioare" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" "valoarea actuală a opțiunii „-M/--bignum” nu se potrivește cu valoarea " "salvată în fișierul de rezervă PMA" #: symbol.c:781 #, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "funcția „%s”: nu se poate folosi funcția „%s” ca nume de parametru" #: symbol.c:911 msgid "cannot pop main context" msgstr "nu se poate afișa contextul principal" #~ msgid "fatal: must use `count$' on all formats or none" #~ msgstr "" #~ "fatal: trebuie să se folosească „count$” în toate formatele sau în " #~ "niciunul" #, c-format #~ msgid "field width is ignored for `%%' specifier" #~ msgstr "lățimea câmpului este ignorată pentru specificatorul „%%”" #, c-format #~ msgid "precision is ignored for `%%' specifier" #~ msgstr "precizia este ignorată pentru specificatorul „%%”" #, c-format #~ msgid "field width and precision are ignored for `%%' specifier" #~ msgstr "" #~ "lățimea câmpului și precizia sunt ignorate pentru specificatorul „%%”" #~ msgid "fatal: `$' is not permitted in awk formats" #~ msgstr "fatal: „$” nu este permis în formatele awk" #~ msgid "fatal: argument index with `$' must be > 0" #~ msgstr "fatal: indexul argumentului cu „$” trebuie să fie > 0" #, c-format #~ msgid "" #~ "fatal: argument index %ld greater than total number of supplied arguments" #~ msgstr "" #~ "fatal: indexul argumentelor %ld este mai mare decât numărul total de " #~ "argumente furnizate" #~ msgid "fatal: `$' not permitted after period in format" #~ msgstr "fatal: „$” nu este permis după un punct în format" #~ msgid "fatal: no `$' supplied for positional field width or precision" #~ msgstr "" #~ "fatal: nu este furnizat „$” pentru lungimea sau precizia câmpului " #~ "pozițional" #, c-format #~ msgid "`%c' is meaningless in awk formats; ignored" #~ msgstr "„%c” este lipsit de sens în formatele awk; se ignoră" #, c-format #~ msgid "fatal: `%c' is not permitted in POSIX awk formats" #~ msgstr "fatal: „%c” nu este permis în formatele POSIX ale awk" #, c-format #~ msgid "[s]printf: value %g is too big for %%c format" #~ msgstr "[s]printf: valoarea %g este prea mare pentru formatul %%c" #, c-format #~ msgid "[s]printf: value %g is not a valid wide character" #~ msgstr "[s]printf: valoarea %g nu este un caracter larg valid" #, c-format #~ msgid "[s]printf: value %g is out of range for `%%%c' format" #~ msgstr "" #~ "[s]printf: valoarea %g este în afara intervalului pentru formatul „%%%c”" #, c-format #~ msgid "[s]printf: value %s is out of range for `%%%c' format" #~ msgstr "" #~ "[s]printf: valoarea %s este în afara intervalului pentru formatul „%%%c”" #, c-format #~ msgid "%%%c format is POSIX standard but not portable to other awks" #~ msgstr "" #~ "formatul %%%c este standard POSIX, dar nu este portabil la alte awks" #, c-format #~ msgid "" #~ "ignoring unknown format specifier character `%c': no argument converted" #~ msgstr "" #~ "se ignoră caracterul specificator de format „%c” necunoscut: niciun " #~ "argument nu a fost convertit" #~ msgid "fatal: not enough arguments to satisfy format string" #~ msgstr "" #~ "fatal: nu sunt suficiente argumente pentru a satisface șirul de format" #~ msgid "^ ran out for this one" #~ msgstr "^ insuficient pentru aceasta" #~ msgid "[s]printf: format specifier does not have control letter" #~ msgstr "[s]printf: specificatorul de format nu are literă de control" #~ msgid "too many arguments supplied for format string" #~ msgstr "prea multe argumente furnizate pentru șirul de format" # R-GC, scrie: # traducerea acestui mesaj, este o adaptare între # traducerea anterioară și traducerea italiană # actuală a acestui mesaj, ce este făcută de # dezvoltatorul italian al «gawk». #, c-format #~ msgid "%s: received non-string format string argument" #~ msgstr "%s: argumentul de format primit, nu este un șir" #~ msgid "sprintf: no arguments" #~ msgstr "sprintf: fără argumente" #~ msgid "printf: no arguments" #~ msgstr "printf: fără argumente" #~ msgid "printf: attempt to write to closed write end of two-way pipe" #~ msgstr "" #~ "printf: s-a încercat să se scrie la capătul de scriere închis al " #~ "conductei bidirecționale" #, c-format #~ msgid "%s" #~ msgstr "%s" #~ msgid "\t-W nostalgia\t\t--nostalgia\n" #~ msgstr "\t-W nostalgia\t\t--nostalgia\n" #~ msgid "fatal error: internal error: segfault" #~ msgstr "eroare fatală: eroare internă: eroare de segmentare" #~ msgid "fatal error: internal error: stack overflow" #~ msgstr "eroare fatală: eroare internă: debordare de stivă" #~ msgid "typeof: invalid argument type `%s'" #~ msgstr "typeof: tip de argument nevalid „%s”" #~ msgid "" #~ "The time extension is obsolete. Use the timex extension from gawkextlib " #~ "instead." #~ msgstr "" #~ "Extensia „time” este învechită. Utilizați extensia „timex” din gawkextlib " #~ "în locul acesteia." #~ msgid "do_writea: first argument is not a string" #~ msgstr "do_writea: primul argument nu este un șir" #~ msgid "do_reada: first argument is not a string" #~ msgstr "do_reada: primul argument nu este un șir" #~ msgid "do_writea: argument 1 is not an array" #~ msgstr "do_writea: argumentul 1 nu este o matrice" #~ msgid "do_reada: argument 0 is not a string" #~ msgstr "do_reada: argumentul 0 nu este un șir" #~ msgid "do_reada: argument 1 is not an array" #~ msgstr "do_reada: argumentul 1 nu este o matrice" EOF echo Extracting po/sr.po cat << \EOF > po/sr.po # Serbian translation of gawk. # Copyright © 2020 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # Мирослав Николић , 2020-2024. # msgid "" msgstr "" "Project-Id-Version: gawk-5.3.0c\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2024-12-15 14:16+0100\n" "Last-Translator: Мирослав Николић \n" "Language-Team: Serbian <(nothing)>\n" "Language: sr\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && " "n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Bugs: Report translation errors to the Language-Team address.\n" "X-Generator: Gtranslator 47.0\n" #: array.c:249 #, c-format msgid "from %s" msgstr "од „%s“" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "покушава да користи вредност скалара као низ" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "покушава да користи параметар скалара „%s“ као низ" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "покушава да користи скалар „%s“ као низ" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "покушава да користи низ „%s“ у контексту скалара" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "обриши: индекс „%.*s“ није у низу „%s“" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "покушава да користи скалар „%s[\"%.*s\"]“ као низ" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "%s: први аргумент није низ" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "%s: други аргумент није низ" #: array.c:901 field.c:1150 field.c:1247 #, c-format msgid "%s: cannot use %s as second argument" msgstr "%s: не могу да користим „%s“ као други аргумент" #: array.c:909 #, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "%s: први аргумент не може бити „SYMTAB“ без другог аргумента" #: array.c:911 #, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "%s: први аргумент не може бити „FUNCTAB“ без другог аргумента" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" "asort/asorti: коришћење истог низа као извор и одредиште без трећег " "аргумента је глупо." #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "%s: не могу да користим подниз првог аргумента за други аргумент" #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "%s: не могу да користим подниз другог аргумента за први аргумент" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "„%s“ је неисправно као назив функције" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "функција поређења ређања „%s“ није дефинисана" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "%s блока морају имати део радње" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "свако правило мора имати шаблон или део радње" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "стари „awk“ не подржава више правила „BEGIN“ или „END“" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "„%s“ је уграђена функција, не може бити поново дефинисана" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "константа регуларног израза „//“ изгледа као C++ напомена, али није" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "константа регуларног израза „/%s/“ изгледа као C напомена, али није" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "удвостручене вредности слова у телу прекидача: %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "удвостручено „default“ је откривено у телу прекидача" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "„break“ није допуштено ван петље или прекидача" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "„continue“ није допуштено ван петље" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "„next“ је коришћено у „%s“ радњи" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "„nextfile“ је коришћено у „%s“ радњи" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "„return“ је коришћено ван контекста функције" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" "обично „print“ у правилу „BEGIN“ или „END“ треба вероватно бити „print \"\"“" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "„delete“ није допуштено са „SYMTAB“" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "„delete“ није допуштено са „FUNCTAB“" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "„delete(array)“ је непреносиво проширење „tawk“-а" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "вишестепене двосмерне спојке не раде" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "надовезивање као У/И „>“ преусмерење мете је нејасно" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "регуларни израз са десне стране додељивања" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "регуларни израз са леве стране оператера ~ или !~" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "стари „awk“ не подржава кључну реч „in“ осим након „for“" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "регуларни израз са десне стране поређења" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "не преусмерено „getline“ је неисправно унутар правила „%s“" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "не преусмерено „getline“ је недефинисано унутар радње „END“" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "стари „awk“ не подржава вишедимензионалне низове" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "позив „length“ без заграда није преносно" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "индиректни позиви функције су проширења „gawk“-а" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "" "не могу да користим нарочиту променљиву „%s“ за индиректни позив функције" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "покушавај коришћења не-функције „%s“ у позиву функције" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "неисправан израз садржане скрипте" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "упозорење: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "кобно: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "неочекивани нови ред или крај ниске" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" "изворне датотеке / аргументи линије наредби морају садржати потпуне функције " "или правила" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "не могу да отворим изворну датотеку „%s“ ради читања: %s" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "не могу да отворим дељену библиотеку „%s“ ради читања: %s" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "разлог није познат" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "не могу да обухватим „%s“ и да је користим као датотеку програма" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "већ је обухваћена изворна датотека „%s“" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "већ је учитана дељена библиотека „%s“" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "„@include“ је проширење „gawk“-а" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "празан назив датотеке након „@include“" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "„@load“ је проширење „gawk“-а" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "празан назив датотеке након „@load“" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "празан текст програма на линији наредби" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "не могу да прочитам изворну датотеку „%s“: %s" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "изворна датотека „%s“ је празна" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "грешка: неисправан знак „\\%03o“ у изворном коду" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "изворна датотека се не завршава у новом реду" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "неокончани регуларни израз се завршава \\ на крају датотеке" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" "%s: %d: „tawk“ измењивач регуларног израза „/.../%c“ не ради у „gawk“-у" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "„tawk“ измењивач регуларног израза „/.../%c“ не ради у „gawk“-у" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "неокончани регуларни израз" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "неокончани регуларни израз на крају датотеке" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "употреба настављања реда „\\ #...“ није преносива" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "контра оса црта није последњи знак у реду" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "вишедимензионални низови су проширења „gawk“-а" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "„POSIX“ не допушта оператора „%s“" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "оператор „%s“ није подржан у старом „awk“-у" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "неокончана ниска" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "„POSIX“ не допушта физичке нове редове у вредностима ниске" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "настављање ниске контра косом цртом није преносиво" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "неисправни знак „%c“ у изразу" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "„%s“ је проширење „gawk“-а" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "„POSIX“ не допушта „%s“" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "„%s“ није подржано у старом „awk“-у" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "„goto“ се сматра опасним!" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d није исправно као број аргумената за „%s“" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "%s: дословност ниске као последњи аргумент заменика нема дејства" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "„%s“ трећи параметар није променљиви објекат" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "упореди: трећи аргумент је проширење „gawk“-а" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "затвори: други аргумент је проширење „gawk“-а" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "коришћење „dcgettext(_\"...\") је нетачно: уклоните водећу подвлаку" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "коришћење „dcngettext(_\"...\") је нетачно: уклоните водећу подвлаку" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "индекс: константа регуларног израза као други аргумент није допуштена" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "функција „%s“: параметар %s“ засенчује општу променљиву" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "не могу да отворим „%s“ за упис: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "шаљем списак променљиве на стандардну грешку" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "%s: затварање није успело: %s" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "„shadow_funcs()“ је позвана два пута!" #: awkgram.y:4980 msgid "there were shadowed variables" msgstr "било је засенчених променљивих" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "назив функције „%s“ је претходно дефинисан" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "функција „%s“: не могу да користим назив функције као назив параметра" #: awkgram.y:5126 #, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" "ПОСИКС параметра „ %s“ функције „%s“: искључује коришћење нарочите " "променљиве као параметар функције" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "функција „%s“: параметар „%s“ не може садржати називни простор" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "функција „%s“: параметар #%d, „%s“, удвостручени параметар #%d" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "функција „%s“ је позвана али није никада дефинисана" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "функција „%s“ је дефинисана али никада није позвана директно" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "константа регуларног израза за параметар #%d даје логичку вредност" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "функција „%s“ је позвана са простором између назива и (,\n" "или је коришћена као променљива или низ" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "покушано је дељње нулом" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "покушано је дељње нулом у „%%“" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "не могу да доделим вредност резултату пост-повећавајућем изразу поља" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "неисправна мета додељивања (опкод %s)" #: awkgram.y:6266 msgid "statement has no effect" msgstr "изјава нема дејства" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" "одредник „%s“: квалификовани називи нису допуштени у традиционалном „/ " "POSIX“ режиму" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "одредник „%s“: раздвојник називног простора су две двотачке, не једна" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "квалификовани одредник „%s“ је лоше обликован" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" "одре „%s“: раздвојник називног простора може се појавити само једном у " "квалификованом називу" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" "коришћење резервисаног одредника „%s“ као називни простор није допуштено" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" "коришћење резервисаног одредника „%s“ као другог састојка квалификованог " "назива није допуштено" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "„@namespace“ је проширење „gawk“-а" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" "назив називног простора „%s“ мора задовољити правила именовања одредника" #: builtin.c:93 builtin.c:100 #, c-format msgid "%s: called with %d arguments" msgstr "%s: позвано са %d аргумента" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "„%s“ до „%s“ није успело: %s" #: builtin.c:129 msgid "standard output" msgstr "стандардни излаз" #: builtin.c:130 msgid "standard error" msgstr "стандардна грешка" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s: примих не-бројевни аргумент" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "изр: аргумент „%g“ је ван опсега" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "%s: примих аргумент не-ниске" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: не могу да исперем: спојка „%.*s“ је отворена за читање, не за писање" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" "fflush: не могу да исперем: датотека „%.*s“ је отворена за читање, не за " "писање" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush: не могу да исперем датотеку „%.*s“: %s" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" "fflush: не могу да исперем: двосмерна спојка „%.*s“ је затворила крај писања" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "fflush: „%.*s“ није отворена датотека, спојка или ко-процесс" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "%s: примих први аргумент не-ниске" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "%s: примих други аргумент не-ниске" #: builtin.c:595 msgid "length: received array argument" msgstr "дужина: примих аргумент низа" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "„length(array)“ је проширење „gawk“-а" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "%s: примих негативни аргумент %g" #: builtin.c:698 builtin.c:2949 #, c-format msgid "%s: received non-numeric third argument" msgstr "%s: примих трећи аргумент који није број" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "%s: примих други аргумент који није број" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: дужина %g није >= 1" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: дужина %g није >= 0" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: дужина не-целог броја %g биће скраћена" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "substr: дужина %g је превелика за индексирање ниске, скраћујем на %g" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: индекс почетка %g је неисправан, користим 1" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "substr: индекс почетка не-целог броја %g биће скраћен" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: изворна ниска је нулте дужине" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: индекс почетка %g је прешао крај ниске" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: дужина %g на индексу почетка %g превазилази дужину првог аргумента " "(%lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "" "strftime: вредност формата у „PROCINFO[\"strftime\"]“ има бројевну врсту" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "strftime: други аргумент је мањи од 0 или је превелик за „time_t“" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "strftime: други аргумент је ван опсега за „time_t“" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: примих празну ниску формата" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "mktime: барем једна од вредности је ван основног опсега" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "функција „system“ није допуштена у режиму изолованог окружења" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "print: покушах да пишем на затворени крај писања двосмерне спојке" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "упута на незапочето поље „$%d“" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "%s: примих први аргумент који није број" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: трећи аргумент није низ" #: builtin.c:1604 #, c-format msgid "%s: cannot use %s as third argument" msgstr "%s: не могу да користим „%s“ као трећи аргумент" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: трећи аргумент „%.*s“ се сматра 1" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s: може бити позвано индиректно само са два аргумента" #: builtin.c:2242 msgid "indirect call to gensub requires three or four arguments" msgstr "индиректан позив за „gensub“ захтева три или четири аргумента" #: builtin.c:2304 msgid "indirect call to match requires two or three arguments" msgstr "индиректан позив за поклапање захтева два или три аргумента" #: builtin.c:2365 #, c-format msgid "indirect call to %s requires two to four arguments" msgstr "индиректан позив ка „%s“ захтева од два до четири аргумента" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): негативне вредности нису допуштене" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f): разломачке вредности биће скраћене" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "lshift(%f, %f): превелика вредност помака даће чудне резултате" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f, %f): негативне вредности нису допуштене" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): разломачке вредности биће скраћене" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "rshift(%f, %f): превелика вредност помака даће чудне резултате" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "%s: позвана са мање од два аргумента" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "%s: аргумент %d није број" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%s: аргумента %d негативна вредност %g није допуштена" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): негативна вредност није допуштена" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): разломачка вредност биће скраћена" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: „%s“ није исправна локална категорија" #: builtin.c:2842 builtin.c:2860 #, c-format msgid "%s: received non-string third argument" msgstr "%s: примих трећи аргумент не-ниске" #: builtin.c:2915 builtin.c:2936 #, c-format msgid "%s: received non-string fifth argument" msgstr "%s: примих пети аргумент не-ниске" #: builtin.c:2925 builtin.c:2942 #, c-format msgid "%s: received non-string fourth argument" msgstr "%s: примих четврти аргумент не-ниске" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "intdiv: трећи аргумент није низ" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "intdiv: покушано је дељење нулом" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "typeof: други аргумент није низ" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" "„typeof“ открива неисправну комбинацију заставица „%s“; будите љубазни " "попуните извештај о грешци" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "typeof: непозната врста аргумента „%s“" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "" "не могу да додам нову датотеку (%.*s) „ARGV“-у у режиму изолованог окружења" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "Упишите исказ(е) „(g)awkд-а. Завршите наредбом „end“\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "неисправан број оквира: %d" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "info: неисправна опција – „%s“" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "source: „%s“: већ је изворовано" #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "save: „%s“: наредба није дозвољена" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" "не могу користити наредбу „commands“ за наредбе тачке прекида/тачке " "посматрања" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "још увек није постављена тачка прекида/тачка посматрања" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "неисправан број тачке прекида/тачке посматрања" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "Упишите наредбе када је „%s %d“ покренуто, по једну у реду.\n" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "Завршите наредбом „end“\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "„end“ је исправно само у наредби „commands“ или „eval“" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "„silent“ је исправно само у наредби „commands“" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "trace: неисправна опција – „%s“" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "condition: неисправан број тачке прекида/тачке посматрања" #: command.y:452 msgid "argument not a string" msgstr "аргумент није ниска" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "option: неисправан параметар – „%s“" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "нема такве функције – „%s“" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "enable: неисправна опција – „%s“" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "неисправна одредница опсега: %d – %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "вредност која није број за број поља" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "нађох не-бројевну вредност, очекивах бројевну" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "не-нулта вредност целог броја" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" "backtrace [N] – исписује траг свих или N најунутрашњијих (најспољашњијих ако " "је N < 0) оквира" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "" "break [[датотека:]N|функција] – поставља тачку прекида на наведено место" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "" "clear [[датотека:]N|функција] – брише претходно постављене тачке прекида" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" "commands [број] – започиње списак наредби које ће бити извршене при поготку " "тачке прекида (тачке посматрања)" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" "condition num [израз] – поставља или брише услов тачке прекида или тачке " "посматрања" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "continue [БРОЈ] – наставља са програмом који се прочишћава" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "delete [тачке прекида] [опсег] – брише наведене тачке прекида" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "disable [тачке прекида] [опсег] – онемогућује наведене тачке прекида" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "" "display [пром] – исписује вредност променљиве при сваком заустављању програма" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "down [N] – премешта N оквира низ спремник" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "dump [датотека] – избацује инструкције у датотеку или стандардни излаз" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" "enable [једном|брише] [тачке прекида] [опсег] – омогућује неведене тачке " "прекида" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "end – завршава списак наредби или исказе „awk“-а" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "eval stmt|[p1, p2, ...] – процењује исказ(е) „awk“-а" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "exit – (исто као „quit“) излази из прочишћавача" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "finish – извршава све до повратка изабраног оквира спремника" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "frame [N] – бира и исписује број оквира спремника N" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "help [наредба] – исписује списак наредби или објашњење наредбе" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "" "ignore N БРОЈ – поставља укупност занемаривања броја тачке прекида N на БРОЈ" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info topic – извор|извори|променљиве|функције|прекид|оквир|аргументи|места|" "приказ|посматрај" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "list [-|+|[датотека:]бр.реда|функција|опсег] – исписује наведени ред" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "" "next [УКУПНО] – прави корак програма, настављајући кроз позиве подрутине" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" "nexti [УКУПНО] – прави корак једне инструкције, али наставља кроз позиве " "подрутине" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "option [назив[=вредност]] – поставља или приказује опције прочишћавача" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "print var [пром] – исписује вредност променљиве или низа" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "printf format, [арг], ... – обликован излаз" #: command.y:872 msgid "quit - exit debugger" msgstr "quit – напушта прочишћавача" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "" "return [вредност] – чини да се изабрани оквир спремника врати свом позивару" #: command.y:876 msgid "run - start or restart executing program" msgstr "run – покреће или поново покреће извршавање програма" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "save датотека – чува наредбе из сесије у датотеку" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "set var = вредност – додељује вредност променљивој скалара" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" "silent – обуставља обичну поруку када је заустављен на тачки прекида/тачки " "посматрања" #: command.y:886 msgid "source file - execute commands from file" msgstr "source датотека – извршава наредбе из датотеке" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" "step [УКУПНО] – прави корак програма све док не достигне другачији изворни " "ред" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [УКУПНО] – прави корак тачно једне инструкције" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "tbreak [[датотека:]N|функција] – поставља привремену тачку прекида" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "trace укљ|искљ – исписује инструкције пре извршавања" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "undisplay [N] – уклања променљиве са самосталног списак приказа" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" "until [[датотека:]N|функција] – извршава све док програм не достигне " "другачији ред или ред N унутар текућег оквира" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [N] – уклања променљиве са списка посматрања" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "up [N] – премешта N оквира уз спремник" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "watch пром – поставља тачку посматрања за променљиву" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "where [N] – (isto kao „backtrace“) исписује траг свих или N најунутрашњијих " "(најспољашњијих ако је N < 0) оквира" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "грешка: " #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "не могу да прочитам наредбу: %s\n" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "не могу да прочитам наредбу: %s" #: command.y:1126 msgid "invalid character in command" msgstr "неисправан знак у наредби" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "непозната наредба – „%.*s“, пробајте „help“" #: command.y:1294 msgid "invalid character" msgstr "погрешан знак" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "недефинисана наредба: %s\n" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "поставља или приказује број редова за задржавање у датотеци историјата" #: debug.c:259 msgid "set or show the list command window size" msgstr "поставља или приказује величину прозора списка наредби" #: debug.c:261 msgid "set or show gawk output file" msgstr "поставља или приказује излазну датотеку „gawk“-а" #: debug.c:263 msgid "set or show debugger prompt" msgstr "поставља или приказује упит прочишћавача" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "" "(поништава)поставља или приказује чување историјата наредбе (value=укљ|искљ)" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "(поништава)поставља или приказује чување опција (value=укљ|искљ)" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "(поништава)поставља или приказује праћење инструкција (value=укљ|искљ)" #: debug.c:358 msgid "program not running" msgstr "програм није покренут" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "изворна датотека „%s“ је празна.\n" #: debug.c:502 msgid "no current source file" msgstr "нема текуће изворне датотеке" #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "не могу да нађем изворну датотеку „%s“: %s" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "упозорење: изворна датотека „%s“ је измењена од превођења програма.\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "број реда %d је ван опсега; „%s“ има %d реда" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "неочекивани крај датотеке приликом читања „%s“, ред бр. %d" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "изворна датотека „%s“ је измењена од почетка извршавања програма" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "Текућа изворна датотека: %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "Број редова: %d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "Изворна датотека (редова): %s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "Број Прик Омогућено Место\n" "\n" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "\tброј погодака = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "\tзанемари следећа %ld поготка\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "\tуслов заустављања: %s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "\tнаредбе:\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "Текући оквир: " #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "Позвано оквиром: " #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "Позивар оквира: " #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "Ничега у „main()“.\n" #: debug.c:870 msgid "No arguments.\n" msgstr "Нема аргумената.\n" #: debug.c:871 msgid "No locals.\n" msgstr "Нема месних.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "Све дефинисане променљиве:\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "Све дефинисане функције:\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "Променљиве само-приказивања:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "Променљиве посматрања:\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "нема симбола „%s“ у текућем контексту\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "„%s“ није низ\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = незапочето поље\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "низ „%s“ је празан\n" #: debug.c:1184 debug.c:1236 #, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "подскрипта „%.*s“ није у низу „%s“\n" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "„%s[\"%.*s\"]“ није у низу\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "„%s“ није променљива скалара" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "покушах да користим низ „%s[\"%.*s\"]“ у контексту скалара" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "покушах да користим скалар „%s[\"%.*s\"]“ као низ" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "„%s“ јесте функција" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "тачка посматрања %d је безусловна\n" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "нема ставке приказа под бројем %ld" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "нема ставке посматрања под бројем %ld" #: debug.c:1596 #, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d: подскрипта „%.*s“ није у низу „%s“\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "покушах да користим вредност скалара као низ" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "Тачка посматрања %d је обрисана јер је параметар ван досега.\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "Приказ %d је обрисан јер је параметар ван досега.\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr " у датотеци „%s“, ред бр. %d\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr " у „%s“:%d" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "#%ld\tу " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "Још оквира спремника следи ...\n" #: debug.c:2092 msgid "invalid frame number" msgstr "неисправан број оквира" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Напомена: тачка прекида %d (омогућена, занемарујем следећа %ld поготка), " "такође постављено на „%s:%d“" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "Напомена: тачка прекида %d (омогућена), такође постављено на „%s:%d“" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Напомена: тачка прекида %d (онемогућена, занемарујем следећа %ld поготка), " "такође постављено на „%s:%d“" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "Напомена: тачка прекида %d (онемогућена), такође постављено на „%s:%d“" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "Тачка прекида %d постављена у датотеци „%s“, ред %d\n" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "не могу да подесим тачку прекида у датотеци „%s“\n" #: debug.c:2444 #, c-format msgid "line number %d in file `%s' is out of range" msgstr "број реда %d у датотеци „%s“ је ван опсега" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "унутрашња грешка: не могу да нађем правило\n" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "не могу да подесим тачку прекида на „%s“:%d\n" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "не могу да поставим тачку прекида у функцији „%s“\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "тачка прекида %d је постављена у датотеци „%s“, ред %d је безусловна\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "број реда %d у датотеци „%s“ је ван опсега" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "Обрисах тачку прекида %d" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "Нема тачке прекида у уносу за функцију „%s“\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "Нема тачке прекида у датотеци „%s“, ред #%d\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "неисправан број тачке прекида" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "Да обришем све тачке прекида? (д или н) " #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "д" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "Занемарићу следећа %ld укрштања тачке прекида %d.\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "Зауставићу се када се следећи пут достигне тачка прекида %d.\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "Могу да прочистим само програме достављене опцијом „-f“.\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "Поново покрећем ...\n" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "Нисам успео поново да покренем прочишћавача" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "Програм је већ покренут. Да покренем поново од почетка (д/н)? " #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "Програм није поново покренут\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "грешка: не могу поново да покренем, операција није допуштена\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "грешка (%s): не могу поново да покренем, занемарујем остатак наредбе\n" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "Покрећем програм:\n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "Програм је изашао ненормално са вредношћу излаза: %d\n" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "Програм је изашао нормално са вредношћу излаза: %d\n" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "Програм ради. Да ипак изађем (д/н)? " #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "Није заустављен ни на једној тачки прекида; аргумент је занемарен.\n" #: debug.c:3091 #, c-format msgid "invalid breakpoint number %d" msgstr "неисправан број тачке прекида %d" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "Занемарићу следећа %ld укрштања тачке прекида %d.\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "„finish“ није значајно у најудаљенијој оквирној „main()“\n" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "Ради до повратка из " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "„return“ није значајно у најудаљенијој оквирној „main()“\n" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "не могу да нађем наведену локацију у функцији „%s“\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "неисправан изворни ред %d у датотеци „%s“" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "не могу да нађем наведену локацију %d у датотеци „%s“\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "елемент није у низу\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "безврсна променљива\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "Стајем у „%s“ ...\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "„finish“ није од значаја са не-локалним скоком „%s“\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "„until“ није од значаја са не-локалним скоком „%s“\n" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "\t------[Унеси] за наставак или [q] + [Унеси] за прекид------" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%.*s\"] није у низу „%s“" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "шаљем излаз на стандардни излаз\n" #: debug.c:5449 msgid "invalid number" msgstr "неисправан број" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "„%s“ није допуштено у текућем контексту; исказ је занемарен" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "„return“ није допуштено у текућем контексту; исказ је занемарен" #: debug.c:5639 #, c-format msgid "fatal error during eval, need to restart.\n" msgstr "кобна грешка за време процене, потребно је поновно покреање.\n" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "нема симбола „%s“ у текућем контексту" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "непозната врста чвора %d" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "непознат опкод %d" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "опкод „“ није оператер или кључна реч%s" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "прекорачење међумеморије у „genflags2str“" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# Функција Позив Спремник:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "„IGNORECASE“ је проширење „gawk“-а" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "„BINMODE“ је проширење „gawk“-а" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "„BINMODE“ вредност „%s“ је неисправна, сматра се 3" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "лоша „%sFMT“ одредба „%s“" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "искључујем „--lint“ услед додељивања „LINT“-у" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "упута на незапочети аргумент „%s“" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "упута на незапочету променљиву „%s“" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "покушај до упуте поља из не-бројевне вредности" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "покушај до упуте поља из ништавне ниске" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "покушај приступа пољу %ld" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "упута на незапочето поље „$%ld“" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "функција „%s“ је позвана са више аргумената него што је објављено" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: неочекивана врста „%s“" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "покушано је дељње нулом у „/=“" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "покушано је дељње нулом у „%%=“" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "проширења нису допуштена у режиму изолованог окружења" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "„-l / @load“ јесу проширења „gawk“-а" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext: примих НИШТАВНО „lib_name“" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext: не могу да отворим библиотеку „%s“: %s" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "load_ext: библиотека „%s“: не дефинише „plugin_is_GPL_compatible“: %s" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "load_ext: библиотека „%s“: не могу да позовем функцију „%s“: %s" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "load_ext: рутина покретања „%s“ библиотеке „%s“ није успела" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin: недостаје назив функције" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "" "make_builtin: не могу користити „gawk“ уграђеност „%s“ као назив функције" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" "make_builtin: не могу користити „gawk“ уграђеност „%s“ као назив називног " "простора" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin: не могу да редефинишем „%s“" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin: функција „%s“ је већ дефинисана" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin: назив функције „%s“ је претходно дефинисан" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin: негативна укупност аргумента за функцију „%s“" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "функција „%s“: аргумент #%d: покушај коришћења скалара као низа" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "функција „%s“: аргумент #%d: покушај коришћења низа као скалара" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "динамичко учитавање библиотека није подржано" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "stat: не могу да читам симболичку везу „%s“" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "stat: први аргумент није ниска" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "stat: други аргумент није низ" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stat: лоши параметри" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "fts init: не могу да направим променљиву „%s“" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "„fts“ није подржано на овом систему" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element: не могу да направим низ, нема више меморије" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element: не могу да поставим елемент" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element: не могу да поставим елемент" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element: не могу да поставим елемент" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts-process: не могу да направим низ" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts-process: не могу да поставим елемент" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "fts: позвано са нетачним бројем аргумената, очекујем 3" #: extension/filefuncs.c:853 msgid "fts: first argument is not an array" msgstr "fts: први аргумент није низ" #: extension/filefuncs.c:859 msgid "fts: second argument is not a number" msgstr "fts: други аргумент није број" #: extension/filefuncs.c:865 msgid "fts: third argument is not an array" msgstr "fts: трећи аргумент није низ" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts: не могу да поравнам низ\n" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "fts: занемарујем подлу „FTS_NOSTAT“ заставицу. ња, ња, ња." #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch: не могу да добавим први аргумент" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch: не могу да добавим други аргумент" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch: не могу да добавим трећи аргумент" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "„fnmatch“ није примењено на овом систему\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "fnmatch init: не могу да додам „FNM_NOMATCH“ променљиву" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "fnmatch init: не могу да поставим елемент низа „%s“" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "fnmatch init: не могу да инсталирам низ „FNM“" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork: „PROCINFO“ није низ!" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "inplace::begin: уређивање на месту је већ активно" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "inplace::begin: очекује 2 аргумента али је позвана са %d" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "" "inplace::begin: не могу да довучем 1. аргумент као назив датотеке ниске" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" "inplace::begin: онемогућујем уређивање на месту за неисправан НАЗИВ_ДАТОТЕКЕ " "„%s“" #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "inplace::begin: Не могу да добавим податке за „%s“ (%s)" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "inplace::begin: „%s“ није обична датотека" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace::begin: „mkstemp(%s)“ није успело (%s)" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace::begin: „chmod“ није успело (%s)" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace::begin: „dup(stdout)“ није успело (%s)" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace::begin: „dup2(%d, stdout)“ није успело (%s)" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace::begin: „close(%d)“ није успело (%s)" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "inplace::end: очекује 2 аргумента али је позвана са %d" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "inplace::end: не могу да довучем 1. аргумент као назив датотеке ниске" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "inplace::end: уређивање на месту није активно" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace::end: „dup2(%d, stdout)“ није успело (%s)" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace::end: „close(%d)“ није успело (%s)" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace::end: „fsetpos(stdout)“ није успело (%s)" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace::end: „link(%s, %s)“ није успело (%s)" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace::end: „rename(%s, %s)“ није успело (%s)" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "ord: први аргумент није ниска" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "chr: први аргумент није ниска" #: extension/readdir.c:291 #, c-format msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "dir_take_control_of: %s: „opendir/fdopendir“ није успело: %s" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "readfile: позвано са погрешном врстом аргумента" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput: не могу да започнем променљиву „REVOUT“" #: extension/rwarray.c:145 extension/rwarray.c:548 #, c-format msgid "%s: first argument is not a string" msgstr "%s: први аргумент није ниска" #: extension/rwarray.c:189 msgid "writea: second argument is not an array" msgstr "writea: други аргумент није низ" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "writeall: не могу да нађем „SYMTAB“ низ" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "write_array: не могу да поравнам низ" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "write_array: не могу да објавим поравнат низ" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "вредност низа има непознату врсту %d" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" "„rwarray“ проширење: примих „GMP/MPFR“ вредност али преведену без „GMP/MPFR“ " "подршке." #: extension/rwarray.c:437 #, c-format msgid "cannot free number with unknown type %d" msgstr "не могу да ослободим број са непознатом врстом %d" #: extension/rwarray.c:442 #, c-format msgid "cannot free value with unhandled type %d" msgstr "не могу да ослободим вредност са непознатом врстом %d" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "readall: не могу да поставим „%s::%s“" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "readall: не могу да поставим „%s“" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "reada: „clear_array“ није успело" #: extension/rwarray.c:611 msgid "reada: second argument is not an array" msgstr "reada: други аргумент није низ" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "read_array: „set_array_element“ није успело" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "сматрам опорављену вредност са непознатим кодом врсте %d као ниску" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" "„rwarray“ проширење: „GMP/MPFR“ вредност у датотеци али преведена без „GMP/" "MPFR“ подршке." #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday: није подржано на овој платформи" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep: недостаје затражен бројевни аргумент" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep: аргумент је негативан" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep: није подржано на овој платформи" #: extension/time.c:232 msgid "strptime: called with no arguments" msgstr "strptime: позвано без аргумената" #: extension/time.c:240 #, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "do_strptime: аргумент 1 није ниска\n" #: extension/time.c:245 #, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "do_strptime: аргумент 2 није ниска\n" #: field.c:321 msgid "input record too large" msgstr "запис улаза је превелик" #: field.c:443 msgid "NF set to negative value" msgstr "„NF“ је постављено на негативну вредност" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "опадајуће „NF“ није преносиво на многа издања „awk“-а" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "приступање пољима из „END“ правила можда неће бити преносиво" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split: четврти аргумент је проширење „gawk“-а" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split: четврти аргумент није низ" #: field.c:1138 field.c:1240 #, c-format msgid "%s: cannot use %s as fourth argument" msgstr "%s: не могу да користим „%s“ као четврти аргумент" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: други аргумент није низ" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "split: не могу користити исти низ за други и четврти аргумент" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "split: не могу користити подниз другог аргумента за четврти аргумент" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "split: не могу користити подниз четвртог аргумента за други аргумент" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "split: ништавна ниска за трећи аргумент је нестандардно проширење" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: четврти аргумент није низ" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: други аргумент није низ" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit: трећи аргумент мора бити не-ништаван" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "patsplit: не могу користити исти низ за други и четврти аргумент" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" "patsplit: не могу користити подниз другог аргумента за четврти аргумент" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" "patsplit: не могу користити подниз четвртог аргумента за други аргумент" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "додела за „FS/FIELDWIDTHS/FPAT“ нема дејства када се користи „--csv“" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "„FIELDWIDTHS“ је проширење „gawk“-а" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "„*“ мора бити последњи означавач у „FIELDWIDTHS“" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "неисправна вредност „FIELDWIDTHS“, за поље %d, близу „%s“" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "ништавна ниска за „FS“ је проширење „gawk“-а" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "стари „awk“ не подржава регуларне изразе као вредност за „FS“" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "„FPAT“ је проширење „gawk“-а" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node: примих ништавно „retval“" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "awk_value_to_node: није у „MPFR“ режиму" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "awk_value_to_node: „MPFR“ није подржано" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node: неисправна врста броја „%d“" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "add_ext_func: примих НИШТАВНИ параметар просторног_назива" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" "node_to_awk_value: откривена је неисправна комбинација бројевних заставица " "„%s“; будите љубазни попуните извештај о грешци" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value: примих ништавни чвор" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value: примих ништавну вредност" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" "„node_to_awk_value“ је открила неисправну комбинацију заставица „%s“; будите " "љубазни попуните извештај о грешци" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element: примих ништавни низ" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element: примих ништавну подскрипту" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "api_flatten_array_typed: не могу да претворим индекс %d у %s" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "api_flatten_array_typed: не могу да претворим вредност %d у %s" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "api_get_mpfr: „MPFR“ није подржано" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "не могу да нађем крај правила „BEGINFILE“" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "не могу да отворим непрепознату врсту датотеке „%s“ за „%s“" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "аргумент линије наредби „%s“ је директоријум: прескачем" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "не могу да отворим датотеку „%s“ за читање: %s" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "затварање „fd“ %d (%s)“ није успело: %s" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "„%.*s“ је коришћено за улазну датотеку и излазну датотеку" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "„%.*s“ је коришћено за улазну датотеку и улазну спојку" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "„%.*s“ је коришћено за улазну датотеку и двосмерну спојку" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "„%.*s“ је коришћено за улазну датотеку и излазну спојку" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "непотребно мешање > и >> за датотеку „%.*s“" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "„%.*s“ је коришћено за улазну спојку и излазну датотеку" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "„%.*s“ је коришћено за излазну датотеку и излазну спојку" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "„%.*s“ је коришћено за излазну датотеку и двосмерну спојку" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "„%.*s“ је коришћено за улазну спојку и излазну спојку" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "„%.*s“ је коришћено за улазну спојку и двосмерну спојку" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "„%.*s“ је коришћено за излазну спојку и двосмерну спојку" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "преусмерење није допуштено у режиму изолованог окружења" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "израз у „%s“ преусмерењу је број" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "израз за „%s“ преусмерење има ништавну вредност ниске" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "назив датотеке „%.*s“ за „%s“ преусмерење може бити резултат логичког израза" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "„get_file“ не може направити спојку „%s“ са „fd“-ом %d" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "не могу да отворим спојку „%s“ за излаз: %s" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "не могу да отворим спојку „%s“ за улаз: %s" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" "стварање прикључнице „get_file“ није подржано на овој платформи за „%s“ са " "описником датотеке %d" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "не могу да отворим двосмерну спојку „%s“ за улаз/излаз: %s" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "не могу да преусмерим са „%s“: %s" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "не могу да преусмерим ка „%s“: %s" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "достигнуто је ограничење система за отворене датотеке: почињем са " "мултиплексирањем описника датотека" #: io.c:1221 #, c-format msgid "close of `%s' failed: %s" msgstr "затварање „%s“ није успело: %s" #: io.c:1229 msgid "too many pipes or input files open" msgstr "превише спојки или отворених улазних датотека" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: други аргумент мора бити „to“ или „from“" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "close: „%.*s“ није отворена датотека, спојка или ко-процесс" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "затварање преусмерења које никада није отворено" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close: преусмерење „%s“ није отворено са |&, други аргумент је занемарен" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "стање неуспеха (%d) при затварању спојке од „%s“: %s" #: io.c:1400 #, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "стање неуспеха (%d) при затварању двосмерне спојке од „%s“: %s" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "стање неуспеха (%d) при затварању датотеке од „%s“: %s" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "није обезбеђено изричито затварање прикључнице „%s“" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "није обезбеђено изричито затварање ко-процеса „%s“" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "није обезбеђено изричито затварање спојке „%s“" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "није обезбеђено изричито затварање датотеке „%s“" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "fflush: не могу да исперем стандардни излаз: %s" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "fflush: не могу да исперем стандардну грешку: %s" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "грешка писања стандардног излаза: %s" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "грешка писања стандардне грешке: %s" #: io.c:1513 #, c-format msgid "pipe flush of `%s' failed: %s" msgstr "испирање спојке „%s“ није успело: %s" #: io.c:1516 #, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "испирање спојке ко-процеса у „%s“ није успело: %s" #: io.c:1519 #, c-format msgid "file flush of `%s' failed: %s" msgstr "испирање датотеке „%s“ није успело: %s" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "локални прикључник „%s“ је неисправан у „/inet“: %s" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "локални прикључник „%s“ је неисправан у „/inet“" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "удаљени домаћин и информације прикључника (%s, %s) су неисправни: %s" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "удаљени домаћин и информације прикључника (%s, %s) су неисправни" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "„TCP/IP“ комуникације нису подржане" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "не могу да отворим „%s“, режим „%s“" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "затарање главног „pty“ није успело: %s" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "затварање стандардног излаза у породу није успело: %s" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "" "премештање подређеног „pty“ на стандардни излаз у породу није успело (dup: " "%s)" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "затварање стандардног улаза у породу није успело: %s" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "" "премештање подређеног „pty“ на стандардни улаз у породу није успело (dup: %s)" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "затарање помоћног „pty“ није успело: %s" #: io.c:2317 msgid "could not create child process or open pty" msgstr "не могу да направим породни процес или да отворим „pty“" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "премештање спојке на стандардни излаз у породу није успело (dup: %s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "премештање спојке на стандардни улаз у породу није успело (dup: %s)" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "повраћај стандардног излаза у родитељском процесу није успело" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "повраћај стандардног улаза у родитељском процесу није успело" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "затварање спојке није успело: %s" #: io.c:2534 msgid "`|&' not supported" msgstr "„|&“ није подржано" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "не могу да отворим спојку „%s“: %s" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "не могу да направим процес порода за „%s“ (fork: %s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "getline: покушах да читам из затвореног краја читања двосмерне спојке" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser: примих НИШТАВНИ показивач" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" "обрађивач улаза „%s“ се сукобљава са претходно инсталираним обрађивачем " "улаза „%s“" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "обрађивач улаза „%s“ није успео да се отвори „%s“" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_wrapper: примих НИШТАВНИ показивач" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" "умотавач излаза „%s“ се сукобљава са претходно инсталираним употавачем " "излаза „%s“" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "умотавач излаза „%s“ није успео да се отвори „%s“" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor: примих НИШТАВНИ показивач" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" "двосмерни процесор „%s“ се сукобљава претходно инсталираним двосмерним " "процесором „%s“" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "двосмерни процесор „%s“ није успео да се отвори „%s“" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "датотека података „%s“ је празна" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "не могу да доделим још меморије улаза" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "додела за „RS“ нема дејства када се користи „--csv“" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "вредност мултизнака „RS“ је проширење „gawk“-а" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "„IPv6“ комуникација није подржана" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" "gawk_popen_write: нисам успео да преместим описник датотеке спојке на " "стандардни улаз" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "" "променљива окружења „POSIXLY_CORRECT“ је постављена: укључујем „--posix“" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "„--posix“ превазилази „--traditional“" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "„--posix“/„--traditional“ превазилази „--non-decimal-data“" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "„--posix“ превазилази „--characters-as-bytes“" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "„--posix“ и „--csv“ су у сукобу" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "покретање „%s setuid root“ може бити безбедносни проблем" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "Опције „-r/--re-interval“ немају више никакво дејство" #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "не могу да поставим бинарни режим на стандардни улаз: %s" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "не могу да поставим бинарни режим на стандардни излаз: %s" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "не могу да поставим бинарни режим на стандардну грешку: %s" #: main.c:483 msgid "no program text at all!" msgstr "уопште нема текста програма!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "" "Употреба: %s [опције „POSIX“ или Гну стила] -f датотека_програма [--] " "датотека ...\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "" "Употреба: %s [опције „POSIX“ или Гну стила] [--] %cпрограм%c датотека ...\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "„POSIX“ опције:\t\tДуге Гну опције: (стандард)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f дттка програма\t--file=датотека програма\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F рп\t\t\t--field-separator=рп\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "\t-v пром=вред\t\t--assign=пром=вред\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "Кратке опције:\t\tДуге Гну опције: (проширења)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[дттка]\t\t--dump-variables[=датотека]\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-D[дттка]\t\t--debug[=датотека]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e 'текст-програма'\t--source='текст програма'\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E дттка\t\t--exec=датотека\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "\t-i укључи_дттку\t\t--include=укључи_датотеку\n" #: main.c:602 msgid "\t-I\t\t\t--trace\n" msgstr "\t-I\t\t\t--trace\n" #: main.c:603 msgid "\t-k\t\t\t--csv\n" msgstr "\t-k\t\t\t--csv\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "\t-l библиотека\t\t--load=библиотека\n" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "\t-M\t\t\t--bignum\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-o[дттка]\t\t--pretty-print[=датотека]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[дттка]\t\t--profile[=датотека]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-s\t\t\t--no-optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "\t-Z језик\t\t--locale=језик\n" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "Да известите о грешкама, користите програм „gawkbug“.\n" "За потпуним упутама, видите чвор „Bugs“ у „gawk.info“\n" "што је у одељку „Reporting Problems and Bugs“ у штампаном\n" "издању. Те исте информације можете наћи на адреси\n" "„https://www.gnu.org/software/gawk/manual/html_node/Bugs.html“.\n" "НЕ ПОКУШАВАЈТЕ да известите о грешкама објављујући у „comp.lang.awk“-у,\n" "или користећи веб форум као што је „Stack Overflow“.\n" "\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" "Изворни код за „gawk“ се може добити са\n" "%s/gawk-%s.tar.gz\n" "\n" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "„gawk“ је језик скенирања и обраде шаблона.\n" "У основи чита стандардни улаз и исписује стандардни излаз.\n" "\n" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "Примери:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Ауторска права © 1989, 1991–%d Free Software Foundation.\n" "\n" "Овај програм је слободан софтвер; можете га прослеђивати и/или мењати под\n" "условима Гнуове Опште јавне лиценце коју је објавила Задужбина Слободног\n" "Софтвера; било верзије 3 Лиценце или (по вашем избору) било које новије\n" "верзије.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "Овај програм се расподељује у нади да ће бити користан,\n" "али БЕЗ ИКАКВЕ ГАРАНЦИЈЕ; чак и без примењене гаранције\n" "ТРЖИШНЕ ВРЕДНОСТИ или ПРИЛАГОЂЕНОСТИ ОДРЕЂЕНОЈ НАМЕНИ.\n" "Погледајте Гнуову Општу јавну лиценцу за више детаља.\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "Требали сте да примите примерак Гнуове Опште јавне лиценце\n" "уз овај програм. Ако нисте, видите: „http://www.gnu.org/licenses/“.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "„-Ft“ не поставља „FS“ на табулатор у „POSIX awk“-у" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: „%s“ аргумент за „-v“ није у облику „var=вредност“\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "„%s“ није исправан назив променљиве" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "„%s“ није назив променљиве, тражим датотеку „%s=%s“" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "не могу да користим „gawk“ уграђеност „%s“ као назив променљиве" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "не могу да користим функцију „%s“ као назив променљиве" #: main.c:1294 msgid "floating point exception" msgstr "изузетак покретног зареза" #: main.c:1304 msgid "fatal error: internal error" msgstr "кобна грешка: унутрашња грешка" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "нема унапред отвореног описника датотеке %d" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "не могу унапред да отворим „/dev/null“ за описника датотеке %d" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "празан аргумент за „-e/--source“ је занемарен" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "„--profile“ превазилази „--pretty-print“" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "„-M“ је занемарено: „MPFR/GMP“ подршка није преведена" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "Користите „GAWK_PERSIST_FILE=%s gawk ...“ уместо „--persist“." #: main.c:1726 msgid "Persistent memory is not supported." msgstr "Трајна меморија није подржана." #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: опција „-W %s“ није препозната, занемарено\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: опција захтева аргумент –– „%c“\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "%s: кобно: не могу да добавим стање „%s“: %s\n" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" "%s: кобно: коришћење трајне меморије није дозвољено када се ради као " "администратор.\n" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "%s: упозорење: „%s“ није у власништву еуид-а %d.\n" #: main.c:1913 msgid "persistent memory is not supported" msgstr "трајна меморија није подржана" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" "%s: кобно: додељивач трајне меморије није успео да се покрене: резултна " "вредност %d, „pma.c“ ред: %d.\n" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "„PREC“ вредност „%.*s“ је неисправна" #: mpfr.c:718 #, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "„ROUNDMODE“ вредност „%.*s“ је неисправна" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: примих први аргумент који није број" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: примих други аргумент који није број" #: mpfr.c:825 #, c-format msgid "%s: received negative argument %.*s" msgstr "%s: примих негативни аргумент „%.*s“" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int: примих не-бројевни аргумент" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: примих аргумент који није број" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%Rg): негативна вредност није допуштена" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "comp(%Rg): разломачка вредност биће скраћена" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%Zd): негативне вредности нису допуштене" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s: примих аргумент који није број #%d" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "%s: аргумент #%d има неисправну вредност „%Rg“, користићу 0" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%s: аргумент #%d негативна вредност „%Rg“ није допуштена" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "%s: аргумент #%d разломачка вредност „%Rg“ биће скраћена" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%s: аргумент #%d негативна вредност „%Zd“ није допуштена" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: позвано са мање од два аргумента" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or: позванo са мање од два аргумента" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "xor: позванo са мање од два аргумента" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: примих аргумент који није број" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "intdiv: примих први аргумент који није број" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "intdiv: примих други аргумент који није број" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "линија наредби:" #: node.c:477 msgid "backslash at end of string" msgstr "контра оса црта на крају ниске" #: node.c:511 msgid "could not make typed regex" msgstr "не могу да направим укуцани регуларни израз" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "стари „awk“ не подржава „\\%c“ као низ промене реда" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "„POSIX“ не допушта „\\x“ као промену реда" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "нема хексадецималних цифара у „\\x“ низу промене реда" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "хексадецимална промена реда „\\x%.*s“ %d знака вероватно није протумачена " "онако како сте очекивали" #: node.c:705 msgid "POSIX does not allow `\\u' escapes" msgstr "„POSIX“ не допушта „\\u“ као промену реда" #: node.c:713 msgid "no hex digits in `\\u' escape sequence" msgstr "нема хексадецималних цифара у „\\u“ низу промене реда" #: node.c:744 msgid "invalid `\\u' escape sequence" msgstr "неисправан „\\u“ низ промене реда" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "низ промене реда „\\%c“ је узет као обичан „%c“" #: node.c:908 msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "Откривени су неисправни вишебајтни подаци. Може бити неподударања између " "ваших података и вашег језика" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "" "%s %s „%s“: не могу да добавим заставице описника датотеке: (fcntl F_GETFD: " "%s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "" "%s %s „%s“: не могу да поставим затварање након извршења: (fcntl F_GETFD: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "" "Ниво увлачења програма је предубок. Размислите о рефакторисању вашег кода" #: profile.c:114 msgid "sending profile to standard error" msgstr "шаљем профил на стандардну грешку" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# %s правило(а)\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# Правило(а)\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "унутрашња грешка: „%s“ са ништавним називом променљиве" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "унутрашња грешка: уграђеност са ништавним називом датотеке" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "%s# Учитана проширења („-l“ и/или „@load“)\n" "\n" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\n" "# Обухваћене датотеке („-i“ и/или „@include“)\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# „gawk“ профил, направљено „%s“\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# Функције, исписане азбучним редом\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str: непозната врста преусмерења %d" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" "понашање поклапања регуларног израза који садржи НИШТАВНЕ знаке није " "дефинисано „POSIX“-ом" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "неисправан НИШТАВНИ бајт у динамичком регуларном изразу" #: re.c:215 #, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "низ промене реда регуларног израза „\\%c“ је узет као обичан „%c“" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" "низ промене реда регуларног израза „\\%c“ није познат оператер регуларног " "израза" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "састојак регуларног израза „%.*s“ треба вероватно бити „[%.*s]“" #: support/dfa.c:910 msgid "unbalanced [" msgstr "неуравнотежена [" #: support/dfa.c:1031 msgid "invalid character class" msgstr "неисправна класа знака" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "синтакса класе знака је [[:space:]], а не [:space:]" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "недовршена \\ промене реда" #: support/dfa.c:1345 msgid "? at start of expression" msgstr "? на почетку израза" #: support/dfa.c:1357 msgid "* at start of expression" msgstr "* на почетку израза" #: support/dfa.c:1371 msgid "+ at start of expression" msgstr "+ на почетку израза" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "{...} на почетку израза" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "неисправан садржај \\{\\}" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "регуларни израз је превелик" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "залутала \\ пре неисписивог знака" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "залутала \\ пре празнине" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "залутала \\ пре „%s“" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "залутала \\" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "неуравнотежена (" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "није наведена синтакса" #: support/dfa.c:2077 msgid "unbalanced )" msgstr "неуравнотежена )" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: опција „%s“ је нејасна; могућности:" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s: опција „--%s“ не допушта аргумент\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: опција „%c%s“ не допушта аргумент\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: опција „--%s“ захтева аргумент\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: непозната опција „--%s“\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: непозната опција „%c%s“\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: неисправна опција -- „%c“\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s: опција захтева аргумент -- „%c“\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: опција „-W %s“ је нејасна\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: опција „-W %s“ не допушта аргумент\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: опција „-W %s“ захтева аргумент\n" #: support/regcomp.c:122 msgid "Success" msgstr "Успешно" #: support/regcomp.c:125 msgid "No match" msgstr "Нема подударања" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "Неисправан регуларни израз" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "Неисправан знак успоређивања" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "Неисправан назив класе знака" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "Пратећа контра коса црта" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "Неисправна повратна упута" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "Не одговара [, [^, [:, [., или [=" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "Не одговара ( или \\(" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "Не одговара \\{" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "Неисправан садржај \\{\\}" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "Неисправан крај опсега" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "Меморија је потрошена" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "Неисправан регуларан израз који претходи" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "Прерани крај регуларног израза" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "Регуларни израз је превелик" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr "Не одговара ) или \\)" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "Нема претходног регуларног израза" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" "тренутна поставка за „-M/--bignum“ не одговара сачуваној поставци у PMA " "датотеци резерве" #: symbol.c:781 #, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "функција „%s“: не могу да користим функцију „%s“ као назив параметра" #: symbol.c:911 msgid "cannot pop main context" msgstr "не могу да прикажем главни контекст у првом плану" #~ msgid "fatal: must use `count$' on all formats or none" #~ msgstr "кобно: мора се користити „count$“ на свим форматима или нигде" #, c-format #~ msgid "field width is ignored for `%%' specifier" #~ msgstr "ширина поља је занемарена за „%%“ наводиоца" #, c-format #~ msgid "precision is ignored for `%%' specifier" #~ msgstr "прецизност је занемарена за „%%“ наводиоца" #, c-format #~ msgid "field width and precision are ignored for `%%' specifier" #~ msgstr "ширина поља и прецизност су занемарене за „%%“ наводиоца" #~ msgid "fatal: `$' is not permitted in awk formats" #~ msgstr "кобно: „$“ није допуштено у форматима „awk“-а" #~ msgid "fatal: argument index with `$' must be > 0" #~ msgstr "кобно: индекс аргумента са „$“ мора бити > 0" #, c-format #~ msgid "" #~ "fatal: argument index %ld greater than total number of supplied arguments" #~ msgstr "" #~ "кобно: индекс аргумента %ld је већи од укупног броја достављених " #~ "аргумената" #~ msgid "fatal: `$' not permitted after period in format" #~ msgstr "кобно: „$“ није дозвољено након тачке у формату" #~ msgid "fatal: no `$' supplied for positional field width or precision" #~ msgstr "кобно: „$“ није достављно за позициону ширину поља или прецизност" #, c-format #~ msgid "`%c' is meaningless in awk formats; ignored" #~ msgstr "„%c“ је безначајно у форматима „awk“-а; занемарено" #, c-format #~ msgid "fatal: `%c' is not permitted in POSIX awk formats" #~ msgstr "кобно: „%c“ није дозвољено у форматима „POSIX awk“-а" #, c-format #~ msgid "[s]printf: value %g is too big for %%c format" #~ msgstr "[s]printf: вредност %g је превелика за „%%c“ формат" #, c-format #~ msgid "[s]printf: value %g is not a valid wide character" #~ msgstr "[s]printf: вредност %g није исправан знак ширине" #, c-format #~ msgid "[s]printf: value %g is out of range for `%%%c' format" #~ msgstr "[s]printf: вредност %g је ван опсега за „%%%c“ формат" #, c-format #~ msgid "[s]printf: value %s is out of range for `%%%c' format" #~ msgstr "[s]printf: вредност „%s“ је ван опсега за „%%%c“ формат" #, c-format #~ msgid "%%%c format is POSIX standard but not portable to other awks" #~ msgstr "" #~ "„%%%c“ формат је „POSIX“ стандард али није преносив на друге „awk“-се" #, c-format #~ msgid "" #~ "ignoring unknown format specifier character `%c': no argument converted" #~ msgstr "" #~ "занемарујем непознат знак одредника формата „%c“: ниједан аргумент није " #~ "претворен" #~ msgid "fatal: not enough arguments to satisfy format string" #~ msgstr "кобно: нема довољно аргумената за задовољење ниске формата" #~ msgid "^ ran out for this one" #~ msgstr "^ је истекло за овај један" #~ msgid "[s]printf: format specifier does not have control letter" #~ msgstr "[s]printf: одредник формата нема контролно слово" #~ msgid "too many arguments supplied for format string" #~ msgstr "превише аргумената је достављено за ниску формата" #, c-format #~ msgid "%s: received non-string format string argument" #~ msgstr "%s: примих формат не-ниске аргумента ниске" #~ msgid "sprintf: no arguments" #~ msgstr "sprintf: нема аргумената" #~ msgid "printf: no arguments" #~ msgstr "printf: нема аргумената" #~ msgid "printf: attempt to write to closed write end of two-way pipe" #~ msgstr "printf: покушах да пишем на затворени крај писања двосмерне спојке" #, c-format #~ msgid "%s" #~ msgstr "%s" #~ msgid "\t-W nostalgia\t\t--nostalgia\n" #~ msgstr "\t-W nostalgia\t\t--nostalgia\n" #~ msgid "fatal error: internal error: segfault" #~ msgstr "кобна грешка: унутрашња грешка: неуспех сегментације" #~ msgid "fatal error: internal error: stack overflow" #~ msgstr "кобна грешка: унутрашња грешка: прекорачење спремника" #~ msgid "typeof: invalid argument type `%s'" #~ msgstr "typeof: неисправна врста аргумента „%s“" #~ msgid "" #~ "The time extension is obsolete. Use the timex extension from gawkextlib " #~ "instead." #~ msgstr "" #~ "Временско проширење је застарело. С тога користите „timex“ проширење из " #~ "„gawkextlib“." #~ msgid "do_writea: first argument is not a string" #~ msgstr "do_writea: први аргумент није ниска" #~ msgid "do_reada: first argument is not a string" #~ msgstr "do_reada: први аргумент није ниска" #~ msgid "do_writea: argument 1 is not an array" #~ msgstr "do_writea: аргумент 1 није низ" #~ msgid "do_reada: argument 0 is not a string" #~ msgstr "do_reada: аргумент 0 није ниска" #~ msgid "do_reada: argument 1 is not an array" #~ msgstr "do_reada: аргумент 1 није низ" #~ msgid "`L' is meaningless in awk formats; ignored" #~ msgstr "„L“ је безначајно у форматима „awk“-а; занемарено" #~ msgid "fatal: `L' is not permitted in POSIX awk formats" #~ msgstr "кобно: „L“ није дозвољено у форматима „POSIX awk“-а" #~ msgid "`h' is meaningless in awk formats; ignored" #~ msgstr "„h“ је безначајно у форматима „awk“-а; занемарено" #~ msgid "fatal: `h' is not permitted in POSIX awk formats" #~ msgstr "кобно: „h“ није дозвољено у форматима „POSIX awk“-а" #~ msgid "No symbol `%s' in current context" #~ msgstr "Нема симбола „%s“ у текућем контексту" EOF echo Extracting po/sv.po cat << \EOF > po/sv.po # Swedish translation of gawk # Copyright © 2003, 2011, 2012, 2013, 2014, 2015, 2016, 2017, 2018, 2019, 2020, 2021, 2022, 2023, 2024, 2025 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # # Martin Sjögren , 2001-2002. # Christer Andersson , 2007. # Göran Uddeborg , 2011, 2012, 2013, 2014, 2015, 2016, 2017, 2018, 2019, 2020, 2021, 2022, 2023, 2024, 2025. # # $Revision: 1.54 $ msgid "" msgstr "" "Project-Id-Version: gawk 5.3.1b\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2025-02-28 23:16+0100\n" "Last-Translator: Göran Uddeborg \n" "Language-Team: Swedish \n" "Language: sv\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Bugs: Report translation errors to the Language-Team address.\n" #: array.c:249 #, c-format msgid "from %s" msgstr "från %s" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "försök att använda ett skalärt värde som vektor" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "försök att använda skalärparametern ”%s” som en vektor" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "försök att använda skalären ”%s” som en vektor" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "försök att använda vektorn ”%s” i skalärsammanhang" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "delete: indexet ”%.*s” finns inte i vektorn ”%s”" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "försök att använda skalären ”%s[\"%.*s\"]” som en vektor" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "%s: första argumentet är inte en vektor" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "%s: andra argumentet är inte en vektor" #: array.c:901 field.c:1150 field.c:1247 #, c-format msgid "%s: cannot use %s as second argument" msgstr "%s: det går inte att använda %s som andra argument" #: array.c:909 #, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "%s: första argumentet får inte vara SYMTAB utan ett andra argument" #: array.c:911 #, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "%s: första argumentet får inte vara FUNCTAB utan ett andra argument" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" "asort/asorti: att använda samma vektor som källa och destination utan ett " "tredje argument är dumt." #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "" "%s: det går inte att använda en delvektor av första argumentet som andra " "argument" #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "" "%s: det går inte att använda en delvektor av andra argumentet som första " "argument" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "”%s” är ogiltigt som ett funktionsnamn" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "jämförelsefunktionen ”%s” för sortering är inte definierad" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "%s-block måste ha en åtgärdsdel" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "varje regel måste ha ett mönster eller en åtgärdsdel" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "gamla awk stöder inte flera ”BEGIN”- eller ”END”-regler" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "”%s“ är en inbyggd funktion, den kan inte definieras om" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "regexp-konstanten ”//” ser ut som en C++-kommentar men är inte det" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "regexp-konstanten ”/%s/” ser ut som en C-kommentar men är inte det" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "upprepade case-värden i switch-sats: %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "flera ”default” upptäcktes i switch-sats" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "”break” är inte tillåtet utanför en slinga eller switch" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "”continue” är inte tillåtet utanför en slinga" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "”next” använt i %s-åtgärd" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "”nextfile” använt i %s-åtgärd" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "”return” använd utanför funktion" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "ensamt ”print” i BEGIN eller END-regel bör troligen vara 'print \"\"'" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "”delete” är inte tillåtet med SYMTAB" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "”delete” är inte tillåtet med FUNCTAB" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "”delete(array)” är en icke portabel tawk-utökning" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "flerstegs dubbelriktade rör fungerar inte" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "konkatenering som omdirigeringsmålet för I/O ”>” är tvetydig" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "reguljärt uttryck i högerledet av en tilldelning" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "reguljärt uttryck på vänster sida om en ”~”- eller ”!~”-operator" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "gamla awk stöder inte nyckelordet ”in” utom efter ”for”" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "reguljärt uttryck i högerledet av en jämförelse" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "icke omdirigerad ”getline” är ogiltigt inuti ”%s”-regel" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "icke omdirigerad ”getline” odefinierad inuti END-åtgärd" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "gamla awk stöder inte flerdimensionella vektorer" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "anrop av ”length” utan parenteser är inte portabelt" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "indirekta funktionsanrop är en gawk-utökning" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "" "det går inte att använda specialvariabeln ”%s” för indirekta funktionsanrop" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "försök att använda en icke-funktion ”%s” i ett funktionsanrop" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "ogiltigt indexuttryck" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "varning: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "ödesdigert: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "oväntat nyradstecken eller slut på strängen" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" "källkodsfiler/kommandoradsargument måste innehålla kompletta funktioner " "eller regler" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "kan inte öppna källfilen ”%s” för läsning: %s" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "kan inte öppna det delade biblioteket ”%s” för läsning: %s" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "okänd anledning" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "kan inte inkludera ”%s” och använda den som en programfil" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "inkluderade redan källfilen ”%s”" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "inkluderade redan det delade biblioteket ”%s”" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "@include är en gawk-utökning" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "tomt filnamn efter @include" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "@load är en gawk-utökning" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "tomt filnamn efter @load" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "tom programtext på kommandoraden" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "kan inte läsa källfilen ”%s”: %s" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "källfilen ”%s” är tom" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "fel: ogiltigt tecken ”\\%03o” i källkoden" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "källfilen slutar inte med en ny rad" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "oavslutat reguljärt uttryck slutar med ”\\” i slutet av filen" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" "%s: %d: tawk-modifierare för reguljära uttryck ”/.../%c” fungerar inte i gawk" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "tawk-modifierare för reguljära uttryck ”/.../%c” fungerar inte i gawk" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "oavslutat reguljärt uttryck" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "oavslutat reguljärt uttryck i slutet av filen" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "Användning av ”\\ #...” för radfortsättning är inte portabelt" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "sista tecknet på raden är inte ett omvänt snedstreck" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "flerdimensionella matriser är en gawk-utökning" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX tillåter inte operatorn ”%s”" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "operatorn ”%s” stöds inte i gamla awk" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "oavslutad sträng" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "POSIX tillåter inte fysiska nyrader i strängvärden" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "strängfortsättning med omvänt snedstreck är inte portabelt" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "ogiltigt tecken ”%c” i uttryck" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "”%s” är en gawk-utökning" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX tillåter inte ”%s”" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "”%s” stöds inte i gamla awk" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "”goto” anses skadligt!" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d är ett ogiltigt antal argument för %s" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "" "%s: bokstavlig sträng som sista argument till ersättning har ingen effekt" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "%s: tredje argumentet är inte ett ändringsbart objekt" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match: tredje argumentet är en gawk-utökning" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close: andra argumentet är en gawk-utökning" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "användandet av dcgettext(_\"...\") är felaktigt: ta bort det inledande " "understrykningstecknet" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "användandet av dcngettext(_\"...\") är felaktigt: ta bort det inledande " "understrykningstecknet" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "index: reguljäruttryck som andra argumentet är inte tillåtet" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "funktionen ”%s”: parametern ”%s” överskuggar en global variabel" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "kunde inte öppna ”%s” för skrivning: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "skickar variabellista till standard fel" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "%s: misslyckades att stänga: %s" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "shadow_funcs() anropad två gånger!" #: awkgram.y:4980 msgid "there were shadowed variables" msgstr "det fanns överskuggade variabler" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "funktionsnamnet ”%s” är definierat sedan tidigare" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "funktionen ”%s”: kan inte använda funktionsnamn som parameternamn" #: awkgram.y:5126 #, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" "funktionen ”%s”: parametern ”%s”: POSIX tillåter inte att använda en " "specialvariabel som en funktionsparameter" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "funktionen ”%s”: parametern ”%s” får inte innehålla en namnrymd" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "funktionen ”%s”: parameter %d, ”%s”, är samma som parameter %d" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "funktionen ”%s” anropad men aldrig definierad" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "funktionen ”%s” definierad men aldrig anropad direkt" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "konstant reguljärt uttryck för parameter %d ger ett booleskt värde" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "funktionen ”%s” anropad med blanktecken mellan namnet och ”(”,\n" "eller använd som variabel eller vektor" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "försökte dividera med noll" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "försökte dividera med noll i ”%%”" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "" "kan inte tilldela ett värde till uttryck som är en efterinkrementering av " "ett fält" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "ogiltigt mål för tilldelning (op-kod %s)" #: awkgram.y:6266 msgid "statement has no effect" msgstr "satsen har ingen effekt" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" "identifierare %s: kvalificerade namn är inte tillåtna i traditionellt/POSIX-" "läge" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "identifierare %s: namnrymdsseparatorn är två kolon, inte ett" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "den kvalificerade identifieraren ”%s” är felaktigt formad" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" "identifierare ”%s”: namnrymdsseparatorn kan endast förekomma en gång i ett " "kvalificerat namn" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" "att använda den reserverade identifieraren ”%s” som en namnrymd är inte " "tillåtet" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" "att använda den reserverade identifieraren ”%s” som den andra komponenten i " "ett kvalificerat namn är inte tillåtet" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "@namespace är en gawk-utökning" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" "namnrymdsnamnet ”%s” måste följa namngivningsreglerna för identifierare" #: builtin.c:93 builtin.c:100 #, c-format msgid "%s: called with %d arguments" msgstr "%s: anropad med %d argument" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "%s till \"%s\" misslyckades: %s" #: builtin.c:129 msgid "standard output" msgstr "standard ut" #: builtin.c:130 msgid "standard error" msgstr "standard fel" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s: fick ett ickenumeriskt argument" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp: argumentet %g är inte inom tillåten gräns" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "%s: fick ett argument som inte är en sträng" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: kan inte spola: röret ”%.*s” är öppnat för läsning, inte skrivning" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" "fflush: kan inte spola: filen ”%.*s” är öppnad för läsning, inte skrivning" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush: kan inte spola filen ”%.*s”: %s" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "fflush: kan inte spola: tvåvägsröret ”%.*s” har en stängd skrivände" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "fflush: ”%.*s” är inte en öppen fil, rör eller koprocess" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "%s: första argumentet är inte en sträng" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "%s: andra argumentet är inte en sträng" #: builtin.c:595 msgid "length: received array argument" msgstr "length: fick ett vektorargument" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "”length(array)” är en gawk-utökning" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "%s: fick ett negativt argument %g" #: builtin.c:698 builtin.c:2949 #, c-format msgid "%s: received non-numeric third argument" msgstr "%s: fick ett ickenumeriskt tredje argument" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "%s: fick ett ickenumeriskt andra argument" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: längden %g är inte >= 1" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: längden %g är inte >= 0" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: längden %g som inte är ett heltal kommer huggas av" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "substr: längden %g är för stor för strängindexering, hugger av till %g" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: startindex %g är ogiltigt, använder 1" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "substr: startindex %g som inte är ett heltal kommer huggas av" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: källsträngen är tom" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: startindex %g är bortom strängens slut" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: längden %g vid startindex %g överskrider det första argumentets " "längd (%lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "strftime: formatvärde i PROCINFO[\"strftime\"] har numerisk typ" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "strftime: andra argumentet mindre än 0 eller för stort för time_t" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "strftime: andra argumentet utanför intervallet för time_t" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: fick en tom formatsträng" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "mktime: åtminstone ett av värdena är utanför standardintervallet" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "funktionen ”system” är inte tillåten i sandlådeläge" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "print: försök att skriva till stängd skrivände av ett tvåvägsrör" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "referens till icke initierat fält ”$%d”" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "%s: första argumentet är inte numeriskt" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: tredje argumentet är inte en vektor" #: builtin.c:1604 #, c-format msgid "%s: cannot use %s as third argument" msgstr "%s: det går inte att använda %s som tredje argument" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: tredje argumentet ”%.*s” behandlat som 1" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s: kan anropas indirekt endast med två argument" #: builtin.c:2242 msgid "indirect call to gensub requires three or four arguments" msgstr "indirekt anrop av gensub kräver tre eller fyra argument" #: builtin.c:2304 msgid "indirect call to match requires two or three arguments" msgstr "indirekt anrop av match kräver två eller tre argument" #: builtin.c:2365 #, c-format msgid "indirect call to %s requires two to four arguments" msgstr "indirekt anrop av %s kräver två till fyra argument" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): negativa värden är inte tillåtna" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f): flyttalsvärden kommer huggas av" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "lshift(%f, %f): för stort skiftvärde kommer ge konstiga resultat" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f, %f): negativa värden är inte tillåtna" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): flyttalsvärden kommer huggas av" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "rshift(%f, %f): för stort skiftvärde kommer ge konstiga resultat" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "%s: anropad med färre än två argument" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "%s: argument %d är inte numeriskt" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%s: argument %d:s negativa värde %g är inte tillåtet" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): negativt värde är inte tillåtet" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): flyttalsvärde kommer huggas av" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: ”%s” är inte en giltig lokalkategori" #: builtin.c:2842 builtin.c:2860 #, c-format msgid "%s: received non-string third argument" msgstr "%s: tredje argumentet är inte en sträng" #: builtin.c:2915 builtin.c:2936 #, c-format msgid "%s: received non-string fifth argument" msgstr "%s: femte argumentet är inte en sträng" #: builtin.c:2925 builtin.c:2942 #, c-format msgid "%s: received non-string fourth argument" msgstr "%s: fjärde argumentet är inte en sträng" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "intdiv: tredje argumentet är inte en vektor" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "intdiv: försökte dividera med noll" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "typeof: andra argumentet är inte en vektor" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" "typeof upptäckte en ogiltig flaggkombination ”%s”, skicka gärna en felrapport" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "typeof: okänd argumenttyp ”%s”" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "kan inte lägga till en ny fil (%.*s) till ARGV i sandlådeläge" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "Skriv (g)awk-satser. Avsluta med kommandot ”end”\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "ogiltigt ramnummer: %d" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "info: ogiltig flagga — ”%s”" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "source: ”%s”: redan inläst" #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "save: ”%s”: kommandot inte tillåtet" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" "det går inte att använda kommandot ”commands” i brytpunkts-/" "observationspunktskommandon" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "ingen brytpunkt/observationspunkt har satts ännu" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "ogiltigt brytpunkts-/observationspunktsnummer" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "Skriv kommandon att användas när %s %d träffas, ett per rad.\n" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "Avsluta med kommandot ”end”\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "”end” är giltigt endast i kommandona ”commands” och ”eval”" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "”silent” är giltigt endast i kommandot ”commands”" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "trace: ogiltig flagga — ”%s”" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "condition: ogiltigt brytpunkts-/observationspunktsnummer" #: command.y:452 msgid "argument not a string" msgstr "argumentet är inte en sträng" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "option: ogiltig parameter — ”%s”" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "ingen sådan funktion — ”%s”" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "enable: ogiltig flagga — ”%s”" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "ogiltigt intervallspecifikation: %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "icke numeriskt värde som fältnummer" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "ickenumeriskt värde fanns, numeriskt förväntades" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "heltalsvärde som inte är noll" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" "backtrace [N] — skriv ett spår över alla eller N innersta (yttersta om N < " "0) ramar" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "break [[filename:]N|function] — sätt brytpunkt på den angivna platsen" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "clear [[filnamn:]N|funktion] — radera tidigare satta brytpunkter" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" "commands [num] — startar en lista av kommandon att köra när en " "brytpunkt(observationspunkt) träffas" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" "condition num [uttr] — sätt eller töm en brytpunkts eller observationspunkts " "villkor" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "continue [ANTAL] — fortsätt programmet som felsöks" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "delete [brytpunkter] [intervall] — radera angivna brytpunkter" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "disable [brytpunkter] [intervall] — avaktivera angivna brytpunkter" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "" "display [var] — skriv ut värdet på variabeln varje gång programmet stoppar" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "down [N] — flytta N ramar ner i stacken" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "dump [filnamn] — skriv instruktioner till filen eller standard ut" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" "enable [once|del] [brytpunkter] [intervall] — aktivera angivna brytpunkter" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "end — avsluta en lista av kommandon eller awk-satser" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "eval sats|[p1, p2, …] — utför awk-sats(er)" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "exit — (samma som quit) avsluta felsökaren" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "finish — kör tills den valda stackramen returnerar" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "frame [N] — välj och skriv ut stackram nummer N" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "" "help [kommando] — skriv listan av kommandon eller en förklaring av kommando" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "" "ignore N ANTAL — sätt ignoreringsantal på brytpunkt nummer N till ANTAL" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info topic — source|sources|variables|functions|break|frame|args|locals|" "display|watch" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "list [-|+|[filnamn:]radnr|funktion|intervall] — lista angivna rad(er)" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "next [ANTAL] — stega programmet, passera genom subrutinanrop" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "nexti [ANTAL] — stega en instruktion, men passera genom subrutinanrop" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "option [namn[=värde]] — sätt eller visa felsökningsalternativ" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "print var [var] — skriv värdet på en variabel eller vektor" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "printf format, [arg], … — formaterad utskrift" #: command.y:872 msgid "quit - exit debugger" msgstr "quit — avsluta felsökaren" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "return [värde] — låt den valda stackramen returnera till sin anropare" #: command.y:876 msgid "run - start or restart executing program" msgstr "run — starta eller starta om körningen av programmet" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "save filnamn — spara kommandon från sessionen i en fil" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "set var = värde — tilldela värde till en skalär variabel" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" "silent — undertrycker normala meddelanden vid stopp på en brytpunkt/" "observationspunkt" #: command.y:886 msgid "source file - execute commands from file" msgstr "source fil — kör kommandon från fil" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "step [ANTAL] — stega programmet tills det når en annan källkodsrad" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [ANTAL] — stega exakt en instruktion" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "tbreak [[filnamn:]N|funktion] — sätt en tillfällig brytpunkt" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "trace on|off — skriv ut instruktioner före de körs" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "undisplay [N] — ta bort variabler från listan över automatiskt visade" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" "until [[filnamn:]N|funktion] — kör tills programmet når en annan rad eller " "rad N inom aktuell ram" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [N] — ta bort variabler från observationslistan" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "up [N] — flytta N ramar uppåt i stacken" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "watch var — sätt en observationspunkt för en variabel" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "where [N] — (samma som backtrace) skriv ett spår över alla eller N innersta " "(yttersta om N < 0) ramar" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "fel: " #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "kan inte läsa kommando: %s\n" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "kan inte läsa kommandot: %s" #: command.y:1126 msgid "invalid character in command" msgstr "ogiltigt tecken i kommandot" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "okänt kommando — ”%.*s”, försök med help" #: command.y:1294 msgid "invalid character" msgstr "ogiltigt tecken" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "odefinierat kommando: %s\n" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "sätt eller visa antalet rader att behålla i historikfilen" #: debug.c:259 msgid "set or show the list command window size" msgstr "sätt eller visa fönsterstorleken för listkommandot" #: debug.c:261 msgid "set or show gawk output file" msgstr "sätt eller visa gawks utmatningsfil" #: debug.c:263 msgid "set or show debugger prompt" msgstr "sätt eller visa felsökningsprompten" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "slå av/på eller visa sparandet av kommandohistorik (värde=on|off)" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "slå av/på eller visa sparandet av flaggor (värde=on|off)" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "slå av/på eller visa instruktionsspårande (värde=on|off)" #: debug.c:358 msgid "program not running" msgstr "programmet kör inte" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "källfilen ”%s” är tom.\n" #: debug.c:502 msgid "no current source file" msgstr "ingen aktuell källkodsfil" #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "kan inte hitta någon källfil med namnet ”%s”: %s" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "varning: källfilen ”%s” ändrad sedan programmet kompilerades.\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "radnummer %d utanför intervallet; ”%s” har %d rader" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "oväntat filslut när filen ”%s” lästes, rad %d" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "källfilen ”%s” ändrad sedan början av programkörningen" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "Aktuell källfil: %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "Antalet rader: %d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "Källfilen (rader): %s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "Nummer Visa Aktiv Plats\n" "\n" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "\tantal träffar = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "\tignorera nästa %ld träffar\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "\tstoppvillkor: %s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "\tkommandon:\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "Aktuell ram: " #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "Anropad av ramen: " #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "Anropare av ramen: " #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "Ingen i main().\n" #: debug.c:870 msgid "No arguments.\n" msgstr "Inga argument.\n" #: debug.c:871 msgid "No locals.\n" msgstr "Inga lokala.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "Alla definierade variabler:\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "Alla definierade funktioner:\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "Automatvisade variabler:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "Observerade variabler:\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "ingen symbol ”%s” i aktuellt sammanhang\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "”%s” är inte en vektor\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = oinitierat fält\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "vektorn ”%s” är tom\n" #: debug.c:1184 debug.c:1236 #, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "indexet ”%.*s” finns inte i vektorn ”%s”\n" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "”%s[\"%.*s\"]” är inte en vektor\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "”%s” är inte en skalär variabel" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "försök att använda vektorn ”%s[\"%.*s\"]” i skalärt sammanhang" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "försök att använda skalären ”%s[\"%.*s\"]” som en vektor" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "”%s” är en funktion" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "observationspunkt %d är ovillkorlig\n" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "ingen visningspost med numret %ld" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "ingen observationspost med numret %ld" #: debug.c:1596 #, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d: indexet ”%.*s” finns inte i vektorn ”%s”\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "försök att använda ett skalärt värde som vektor" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "" "Observationspunkt %d raderad för att parametern är utanför sin räckvidd.\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "Visning %d raderad för att parametern är utanför sin räckvidd.\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr " i filen ”%s”, rad %d\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr " vid ”%s”:%d" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "#%ld\ti " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "Fler stackramar följer …\n" #: debug.c:2092 msgid "invalid frame number" msgstr "Ogiltigt ramnummer" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Observera: brytpunkt %d (aktiverad, ignorera följande %ld träffar), är också " "satt vid %s:%d" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "Observera: brytpunkt %d (aktiverad), är också satt vid %s:%d" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Observera: brytpunkt %d (avaktiverad, ignorera följande %ld träffar), är " "också satt vid %s:%d" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "Observera: brytpunkt %d (avaktiverad), är också satt vid %s:%d" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "Brytpunkt %d satt vid filen ”%s”, rad %d\n" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "kan inte sätta en brytpunkt i filen ”%s”\n" #: debug.c:2444 #, c-format msgid "line number %d in file `%s' is out of range" msgstr "radnummer %d i filen ”%s” är utanför tillåtet intervall" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "internt fel: kan inte hitta regeln\n" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "kan inte sätta en brytpunkt vid ”%s”:%d\n" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "kan inte sätta en brytpunkt i funktionen ”%s”\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "brytpunkt %d satt i filen ”%s”, rad %d är ovillkorlig\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "radnummer %d i filen ”%s” är utanför tillåtet intervall" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "Raderade brytpunkt %d" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "Inga brytpunkter vid ingången till funktionen ”%s”\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "Ingen brytpunkt i filen ”%s”, rad nr. %d\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "ogiltigt brytpunktsnummer" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "Radera alla brytpunkter? (j eller n) " #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "j" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "Kommer ignorera följande %ld passager av brytpunkt %d.\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "Kommer stanna nästa gång brytpunkt %d nås.\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "Kan bara felsöka program som getts flaggan ”-f”.\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "Startar om …\n" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "Misslyckades att starta om felsökaren" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "Programmet kör redan. Starta om från början (j/n)? " #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "Programmet inte omstartat\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "fel: kan inte starta om, åtgärden är inte tillåten\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "fel (%s): kan inte starta om, ignorerar resten av kommandona\n" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "Startar programmet:\n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "Programmet avslutade onormalt med slutvärdet: %d\n" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "Programmet avslutade normalt med slutvärdet: %d\n" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "Programmet kör. Avsluta ändå (j/n)? " #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "Inte stoppad vid någon brytpunkt, argumentet ignoreras.\n" #: debug.c:3091 #, c-format msgid "invalid breakpoint number %d" msgstr "ogiltigt brytpunktsnummer %d" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "Kommer ignorera de nästa %ld passagerna av brytpunkt %d.\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "”finish” är inte meningsfullt i den yttersta ramen main()\n" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "Kör till retur från " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "”return” är inte meningsfullt i den yttersta ramen main()\n" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "kan inte hitta angiven plats i funktionen ”%s”\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "ogiltig källrad %d i filen ”%s”" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "kan inte hitta angiven plats %d i filen ”%s”\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "elementet finns inte i vektorn\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "otypad variabel\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "Stannar i %s …\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "”finish” är inte meningsfullt med icke lokalt hopp ”%s”\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "”until” är inte meningsfullt med icke lokalt hopp ”%s”\n" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "" "\t------[Retur] för att fortsätta eller [q] + [Retur] för att avsluta------" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%.*s\"] finns inte i vektorn ”%s”" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "skickar utdata till standard ut\n" #: debug.c:5449 msgid "invalid number" msgstr "ogiltigt tal" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "”%s” är inte tillåtet i det aktuella sammanhanget; satsen ignoreras" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "" "”return” är inte tillåtet i det aktuella sammanhanget; satsen ignoreras" #: debug.c:5639 #, c-format msgid "fatal error during eval, need to restart.\n" msgstr "ödesdigert fel under eval, behöver omstart.\n" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "ingen symbol ”%s” i aktuellt sammanhang" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "okänd nodtyp %d" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "okänd op-kod %d" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "op-kod %s är inte en operator eller ett nyckelord" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "buffertöverflöd i genflags2str" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# Funktionsanropsstack:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "”IGNORECASE” är en gawk-utökning" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "”BINMODE” är en gawk-utökning" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "BINMODE-värde ”%s” är ogiltigt, behandlas som 3" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "felaktig ”%sFMT”-specifikation ”%s”" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "slår av ”--lint” på grund av en tilldelning till ”LINT”" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "referens till icke initierat argument ”%s”" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "referens till icke initierad variabel ”%s”" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "försök att fältreferera från ickenumeriskt värde" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "försök till fältreferens från en tom sträng" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "försök att komma åt fält nummer %ld" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "referens till icke initierat fält ”$%ld”" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "funktionen ”%s” anropad med fler argument än vad som deklarerats" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: oväntad typ ”%s”" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "försökte dividera med noll i ”/=”" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "försökte dividera med noll i ”%%=”" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "utökningar är inte tillåtna i sandlådeläge" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "-l / @load är gawk-utökningar" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext: mottog NULL-lib_name" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext: kan inte öppna biblioteket ”%s”: %s" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "" "load_ext: biblioteket ”%s”: definierar inte ”plugin_is_GPL_compatible”: %s" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "load_ext: biblioteket ”%s”: kan inte anropa funktionen ”%s”: %s" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "load_ext: initieringsrutinen ”%2$s” i biblioteket ”%1$s” misslyckades" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin: funktionsnamn saknas" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "" "make_builtin: kan inte använda gawks inbyggda ”%s” som ett funktionsnamn" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" "make_builtin: kan inte använda gawks inbyggda ”%s” som ett namnrymdsnamn" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin: det går inte att definiera om funktionen ”%s”" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin: funktionen ”%s” är redan definierad" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin: funktionsnamnet ”%s” är definierat sedan tidigare" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin: negativt argumentantal för funktionen ”%s”" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "funktionen ”%s”: argument %d: försök att använda skalär som vektor" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "funktionen ”%s”: argument %d: försök att använda vektor som skalär" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "dynamisk laddning av bibliotek stödjs inte" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "stat: kan inte läsa den symboliska länken ”%s”" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "stat: första argumentet är inte en sträng" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "stat: andra argumentet är inte en vektor" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stat: felaktiga parametrar" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "fts init: kunde inte skapa variabeln %s" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "fts stödjs inte på detta system" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element: kunde inte skapa en vektor, slut på minne" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element: kunde inte sätta ett element" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element: kunde inte sätta ett element" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element: kunde inte sätta ett element" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts-process: kunde inte skapa en vektor" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts-process: kunde inte sätta ett element" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "fts: anropad med felaktigt antal argument, förväntade 3" #: extension/filefuncs.c:853 msgid "fts: first argument is not an array" msgstr "fts: första argumentet är inte en vektor" #: extension/filefuncs.c:859 msgid "fts: second argument is not a number" msgstr "fts: andra argumentet är inte ett tal" #: extension/filefuncs.c:865 msgid "fts: third argument is not an array" msgstr "fts: tredje argumentet är inte en vektor" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts: kunde inte platta till en vektor\n" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "fts: ignorerar lömsk FTS_NOSTAT-flagga, nä, nä, nä." #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch: kunde inte hämta första argumentet" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch: kunde inte hämta andra argumentet" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch: kunde inte hämta ett tredje argument" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "fnmatch är inte implementerat på detta system\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "fnmatch init: kunde inte lägga till en FNM_NOMATCH-variabel" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "fnmatch init: kunde inte sätta vektorelement %s" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "fnmatch init: kunde inte installera en FNM-vektor" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork: PROCINFO är inte en vektor!" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "inplace::begin: redigering på plats är redan aktivt" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "inplace::begin: förväntar sig 2 argument men anropad med %d" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "inplace::begin: kan inte hämta 1:a argumentet som en filnamnssträng" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" "inplace::begin: avaktiverar redigering på plats för ogiltigt FILNAMN ”%s”" #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "inplace::begin: kan inte ta status på ”%s” (%s)" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "inplace::begin: ”%s” är inte en vanlig fil" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace::begin: mkstemp(”%s”) misslyckades (%s)" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace::begin: chmod misslyckades (%s)" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace::begin: dup(standard ut) misslyckades (%s)" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace::begin: dup2(%d, standard ut) misslyckades (%s)" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace::begin: close(%d) misslyckades (%s)" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "inplace::end: förväntar sig 2 argument men anropad med %d" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "inplace::end: kan inte hämta 1:a argumentet som en filnamnssträng" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "inplace::end: redigering på plats är inte aktivt" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace::end: dup2(%d, standard ut) misslyckades (%s)" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace::end: close(%d) misslyckades (%s)" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace::end: fsetpos(standard ut) misslyckades (%s)" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace::end: link(”%s”, ”%s”) misslyckades (%s)" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace::end: rename(”%s”, ”%s”) misslyckades (%s)" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "ord: första argumentet är inte en sträng" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "chr: första argumentet är inte ett tal" #: extension/readdir.c:291 #, c-format msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "dir_take_control_of: %s: opendir/fdopendir misslyckades: %s" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "readfile: anropad med fel sorts argument" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput: kunde inte initiera REVOUT-variabeln" #: extension/rwarray.c:145 extension/rwarray.c:548 #, c-format msgid "%s: first argument is not a string" msgstr "%s: första argumentet är inte en sträng" #: extension/rwarray.c:189 msgid "writea: second argument is not an array" msgstr "writea: andra argumentet är inte en vektor" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "writeall: kan inte hitta SYMTAB-vektor" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "write_array: kunde inte platta till vektor" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "write_array: kunde inte släppa en tillplattad vektor" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "vektorvärde har en okänd typ %d" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" "rwarray-utvidgning: mottog GMP-/MPFR-värde me kompilerades utan stöd för GMP/" "MPFR." #: extension/rwarray.c:437 #, c-format msgid "cannot free number with unknown type %d" msgstr "det går inte att frigöra tal med okänd typ %d" #: extension/rwarray.c:442 #, c-format msgid "cannot free value with unhandled type %d" msgstr "det går inte att frigöra ett värde med ohanterad typ %d" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "readall: kan inte sätta %s::%s" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "readall: kan inte sätta %s" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "reada: clear_array misslyckades" #: extension/rwarray.c:611 msgid "reada: second argument is not an array" msgstr "reada: andra argumentet är inte en vektor" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "read_array: set_array_element misslyckades" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "hanterar återvunnet värde med okänd typkod %d som en sträng" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" "rwarray-utvidgning: GMP-/MPFR-värde i filen men kompilerad utan stöd för GMP/" "MPFR." #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday: stödjs inte på denna plattform" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep: nödvändigt numeriskt argument saknas" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep: argumentet är negativt" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep: stödjs inte på denna plattform" #: extension/time.c:232 msgid "strptime: called with no arguments" msgstr "strptime: anropad utan argument" #: extension/time.c:240 #, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "do_strptime: argument 1 är inte en sträng\n" #: extension/time.c:245 #, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "do_strptime: argument 2 är inte en sträng\n" #: field.c:321 msgid "input record too large" msgstr "indataposten är för stor" #: field.c:443 msgid "NF set to negative value" msgstr "NF satt till ett negativt värde" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "dekrementering av NF är inte portabelt till många awk-versioner" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "att komma åt fält från en END-regel är inte med säkerhet portabelt" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split: fjärde argumentet är en gawk-utökning" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split: fjärde argumentet är inte en vektor" #: field.c:1138 field.c:1240 #, c-format msgid "%s: cannot use %s as fourth argument" msgstr "%s: det går inte att använda %s som fjärde argument" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: andra argumentet är inte en vektor" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "" "split: det går inte att använda samma vektor som andra och fjärde argument" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "" "split: det går inte att använda en delvektor av andra argumentet som fjärde " "argument" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "" "split: det går inte att använda en delvektor av fjärde argumentet som andra " "argument" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "split: tom sträng som tredje argument är en icke-standard-utökning" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: fjärde argumentet är inte en vektor" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: andra argumentet är inte en vektor" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit: tredje argumentet får inte vara tomt" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "" "patsplit: det går inte att använda samma vektor som andra och fjärde argument" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" "patsplit: det går inte att använda en delvektor av andra argumentet som " "fjärde argument" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" "patsplit: det går inte att använda en delvektor av fjärde argumentet som " "andra argument" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" "tilldelning till FS/FIELDWIDTHS/FPAT har ingen effekt när --csv används" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "”FIELDWIDTHS” är en gawk-utökning" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "”*” måste vara den sista beteckningen i FIELDWIDTHS" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "ogiltigt FIELDWIDTHS-värde, för fält %d, i närheten av ”%s”" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "tom sträng som ”FS” är en gawk-utökning" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "gamla awk stöder inte reguljära uttryck som värden på ”FS”" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "”FPAT” är en gawk-utökning" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node: mottog null-returvärde" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "awk_value_to_node: inte i MPFR-läge" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "awk_value_to_node: MPFR stödjs inte" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node: felaktig numerisk typ ”%d”" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "add_ext_func: mottog NULL-name_space-parameter" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" "node_to_awk_value: upptäckte felaktig kombination av numeriska flaggor ”%s”, " "vänligen skicka en felrapport" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value: mottog null-nod" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value: mottog null-värde" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" "node_to_awk_value upptäckte felaktig kombination av numeriska flaggor ”%s”, " "vänligen skicka en felrapport" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element: fick en null-vektor" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element: mottog null-index" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "api_flatten_array_typed: kunde inte konvertera index %d till %s" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "api_flatten_array_typed: kunde inte konvertera värdet %d till %s" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "api_get_mpfr: MPFR stödjs inte" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "kan inte hitta slutet på BEGINFILE-regeln" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "kan inte öppna okänd filtyp ”%s” för ”%s”" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "kommandoradsargumentet ”%s” är en katalog: hoppas över" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "kan inte öppna filen ”%s” för läsning: %s" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "stängning av fb %d (”%s”) misslyckades: %s" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "”%.*s” använd som indatafil och som utdatafil" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "”%.*s” använd som indatafil och indatarör" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "”%.*s” använd som indatafil och tvåvägsrör" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "”%.*s” använd som indatafil och utdatarör" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "onödig blandning av ”>” och ”>>” för filen ”%.*s”" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "”%.*s” använd som indatarör och utdatafil" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "”%.*s” använd som utdatafil och utdatarör" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "”%.*s” använd som utdatafil och tvåvägsrör" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "”%.*s” använd som indatarör och utdatarör" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "”%.*s” använd som indatarör och tvåvägsrör" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "”%.*s” använd som utdatarör och tvåvägsrör" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "omdirigering är inte tillåten i sandlådeläge" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "uttrycket i ”%s”-omdirigering är ett tal" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "uttrycket för ”%s”-omdirigering har en tom sträng som värde" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "filnamnet ”%.*s” för ”%s”-omdirigering kan vara resultatet av ett logiskt " "uttryck" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "get_file kan inte skapa röret ”%s” med fb %d" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "kan inte öppna röret ”%s” för utmatning: %s" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "kan inte öppna röret ”%s” för inmatning: %s" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" "att get_file skapar ett uttag stödjs inte på denna plattform för ”%s” med fb " "%d" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "kan inte öppna tvåvägsröret ”%s” för in-/utmatning: %s" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "kan inte dirigera om från ”%s”: %s" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "kan inte dirigera om till ”%s”: %s" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "nådde systembegränsningen för öppna filer: börjar multiplexa filbeskrivare" #: io.c:1221 #, c-format msgid "close of `%s' failed: %s" msgstr "att stänga ”%s” misslyckades: %s" #: io.c:1229 msgid "too many pipes or input files open" msgstr "för många rör eller indatafiler öppna" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: andra argumentet måste vara ”to” eller ”from”" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "close: ”%.*s” är inte en öppen fil, rör eller koprocess" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "stängning av omdirigering som aldrig öppnades" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close: omdirigeringen ”%s” öppnades inte med ”|&”, andra argumentet ignorerat" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "felstatus (%d) från rörstängning av ”%s”: %s" #: io.c:1400 #, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "felstatus (%d) när tvåvägsrör stängdes av ”%s”: %s" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "felstatus (%d) från filstängning av ”%s”: %s" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "ingen explicit stängning av uttaget ”%s” tillhandahållen" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "ingen explicit stängning av koprocessen ”%s” tillhandahållen" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "ingen explicit stängning av röret ”%s” tillhandahållen" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "ingen explicit stängning av filen ”%s” tillhandahållen" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "fflush: kan inte spola standard ut: %s" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "fflush: kan inte spola standard fel: %s" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "fel vid skrivning till standard ut: %s" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "fel vid skrivning till standard fel: %s" #: io.c:1513 #, c-format msgid "pipe flush of `%s' failed: %s" msgstr "rörspolning av ”%s” misslyckades: %s" #: io.c:1516 #, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "koprocesspolning av röret till ”%s” misslyckades: %s" #: io.c:1519 #, c-format msgid "file flush of `%s' failed: %s" msgstr "filspolning av ”%s” misslyckades: %s" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "lokal port %s ogiltig i ”/inet“: %s" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "lokal port %s ogiltig i ”/inet”" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "ogiltig information (%s, %s) för fjärrvärd och fjärrport: %s" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "ogiltig information (%s, %s) för fjärrvärd och fjärrport" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "TCP/IP-kommunikation stöds inte" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "kunde inte öppna ”%s”, läge ”%s”" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "stängning av huvudpty misslyckades: %s" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "stängning av standard ut i barnet misslyckades: %s" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "flyttandet av slavpty till standard ut i barnet misslyckades (dup: %s)" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "stängning av standard in i barnet misslyckades: %s" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "flyttandet av slavpty till standard in i barnet misslyckades (dup: %s)" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "stängning av slavpty misslyckades: %s" #: io.c:2317 msgid "could not create child process or open pty" msgstr "kan inte skapa barnprocess eller öppna en pty" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "flyttande av rör till standard ut i barnet misslyckades (dup: %s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "flyttande av rör till standard in i barnet misslyckades (dup: %s)" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "återställande av standard ut i föräldraprocessen misslyckades" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "återställande av standard in i föräldraprocessen misslyckades" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "stängning av röret misslyckades: %s" #: io.c:2534 msgid "`|&' not supported" msgstr "”|&” stöds inte" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "kan inte öppna röret ”%s”: %s" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "kan inte skapa barnprocess för ”%s” (fork: %s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "getline: försök att läsa från stängd läsände av ett tvåvägsrör" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser: mottog NULL-pekare" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" "inmatningstolken ”%s” står i konflikt med tidigare installerad " "inmatningstolk ”%s”" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "inmatningstolken ”%s” misslyckades att öppna ”%s”" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_wrapper: mottog NULL-pekare" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" "utmatningsomslag ”%s” står i konflikt med tidigare installerat " "utmatningsomslag ”%s”" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "utmatningsomslag ”%s” misslyckades att öppna ”%s”" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor: mottog NULL-pekare" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" "tvåvägsprocessorn ”%s” står i konflikt med tidigare installerad " "tvåvägsprocessor ”%s”" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "tvåvägsprocessorn ”%s” misslyckades att öppna ”%s”" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "datafilen ”%s” är tom" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "kunde inte allokera mer indataminne" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "tilldelning till RS har ingen effekt när --csv används" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "flerteckensvärdet av ”RS” är en gawk-utökning" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "IPv6-kommunikation stöds inte" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "gawk_popen_write: misslyckades att pipe-fd:n till standard in" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "miljövariabeln ”POSIXLY_CORRECT” satt: slår på ”--posix”" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "”--posix” åsidosätter ”--traditional”" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "”--posix”/”--traditional” åsidosätter ”--non-decimal-data”" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "”--posix” åsidosätter ”--characters-as-bytes”" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "”--posix” och ”--csv” står i konflikt" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "att köra %s setuid root kan vara ett säkerhetsproblem" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "Flaggorna -r/--re-interval har inte någon effekt längre" #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "kan inte sätta binärläge på standard in: %s" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "kan inte sätta binärläge på standard ut: %s" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "kan inte sätta binärläge på standard fel: %s" #: main.c:483 msgid "no program text at all!" msgstr "ingen programtext alls!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "" "Användning: %s [POSIX- eller GNU-stilsflaggor] -f progfil [--] fil ...\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "Användning: %s [POSIX- eller GNU-stilsflaggor] %cprogram%c fil ...\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "POSIX-flaggor:\t\tGNU långa flaggor: (standard)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f progfil\t\t--file=progfil\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F fs\t\t\t--field-separator=fs\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "\t-v var=värde\t\t--assign=var=värde\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "Korta flaggor:\t\tGNU långa flaggor: (utökningar)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[fil]\t\t\t--dump-variables[=fil]\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-D[fil]\t\t\t--debug[=fil]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e 'programtext'\t--source='programtext'\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E fil\t\t\t--exec=fil\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "\t-i inkluderingsfil\t--include=inkluderingsfil\n" #: main.c:602 msgid "\t-I\t\t\t--trace\n" msgstr "\t-I\t\t\t--trace\n" #: main.c:603 msgid "\t-k\t\t\t--csv\n" msgstr "\t-k\t\t\t--csv\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "\t-l bibliotek\t\t--load=bibliotek\n" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "\t-M\t\t\t--bignum\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-o[fil]\t\t\t--pretty-print[=fil]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[fil]\t\t\t--profile[=fil]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-s\t\t\t--no-optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "\t-Z lokalnamn\t\t--locale=lokalnamn\n" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "För att rapportera fel, använd programmet ”gawkbug”.\n" "För fullständiga instruktioner, se noden ”Bugs” i ”gawk.info”, vilket\n" "är avsnittet ”Reporting Problems and Bugs” i den utskrivna versionen.\n" "Samma information finns på\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "VÄNLIGEN försök INTE rapportera fel genom att skriva i comp.lang.awk. \n" "eller genom att använda ett webbforum såsom Stack Overflow.\n" "\n" "Rapportera synpunkter på översättningen till .\n" "\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" "Källkod till gawk kan fås från\n" "%s/gawk-%s.tar.gz\n" "\n" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk är ett mönsterskannande och -bearbetande språk.\n" "Normalt läser det från standard in och skriver till standard ut.\n" "\n" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "Exempel:\n" "\t%s '{ sum += $1 }; END { print sum }' fil\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Copyright © 1989, 1991-%d Free Software Foundation.\n" "\n" "Detta program är fri programvara. Du kan distribuera det och/eller\n" "modifiera det under villkoren i GNU General Public License, publicerad\n" "av Free Software Foundation, antingen version 3 eller (om du så vill)\n" "någon senare version.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "Detta program distribueras i hopp om att det ska vara användbart,\n" "men UTAN NÅGON SOM HELST GARANTI, även utan underförstådd garanti\n" "om SÄLJBARHET eller LÄMPLIGHET FÖR NÅGOT SPECIELLT ÄNDAMÅL. Se GNU\n" "General Public License för ytterligare information.\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "Du bör ha fått en kopia av GNU General Public License tillsammans\n" "med detta program. Om inte, se http://www.gnu.org/licenses/.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "-Ft sätter inte FS till tab i POSIX-awk" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: Argumentet ”%s” till ”-v” är inte på formatet ”var=värde”\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "”%s” är inte ett giltigt variabelnamn" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "”%s” är inte ett variabelnamn, letar efter filen ”%s=%s”" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "kan inte använda gawks inbyggda ”%s” som ett variabelnamn" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "kan inte använda funktionen ”%s” som variabelnamn" #: main.c:1294 msgid "floating point exception" msgstr "flyttalsundantag" #: main.c:1304 msgid "fatal error: internal error" msgstr "ödesdigert fel: internt fel" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "ingen föröppnad fb %d" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "kunde inte föröppna /dev/null för fb %d" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "tomt argument till ”-e/--source” ignorerat" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "”--profile” åsidosätter ”--pretty-print”" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "-M ignoreras: MPFR/GMP-stöd är inte inkompilerat" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "Använd ”GAWK_PERSIST_FILE=%s gawk …” istället för --persist." #: main.c:1726 msgid "Persistent memory is not supported." msgstr "Bestående minne stödjs inte." #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: flaggan ”-W %s” okänd, ignorerad\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: flaggan kräver ett argument -- %c\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "%s: ödesdigert: kan inte ta status på %s: %s\n" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" "%s: ödesdigert: användning av varaktigt minne är inte tillåtet när man kör " "som root.\n" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "%s: varning: %s ägs inte av eaid %d.\n" #: main.c:1913 msgid "persistent memory is not supported" msgstr "varaktigt minne MPFR stödjs inte" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" "%s: ödesdigert: allokerare av varaktigt minne misslyckades att initiera: " "returvärde %d, pma.c rad: %d.\n" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "PREC-värdet ”%.*s” är ogiltigt" #: mpfr.c:718 #, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "ROUNDMODE-värdet ”%.*s” är ogiltigt" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: fick ett ickenumeriskt första argument" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: fick ett ickenumeriskt andra argument" #: mpfr.c:825 #, c-format msgid "%s: received negative argument %.*s" msgstr "%s: fick ett negativt argument %.*s" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int: fick ett ickenumeriskt argument" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: fick ett ickenumeriskt argument" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%Rg): negativt värde är inte tillåtet" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "compl(%Rg): flyttalsvärden kommer huggas av" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%Zd): negativa värden är inte tillåtna" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s: fick ett ickenumeriskt argument nr. %d" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "%s: argument nr. %d har ogiltigt värde %Rg, använder 0" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%s: argument nr. %d:s negativa värde %Rg är inte tillåtet" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "%s: argument nr. %d flyttalsvärde %Rg kommer huggas av" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%s: argument nr. %d:s negativa värde %Zd är inte tillåtet" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: anropad med mindre än två argument" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or: anropad med färre än två argument" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "xor: anropad med färre än två argument" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: fick ett ickenumeriskt argument" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "intdiv: fick ett ickenumeriskt första argument" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "intdiv: fick ett ickenumeriskt andra argument" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "kommandorad:" #: node.c:477 msgid "backslash at end of string" msgstr "ett omvänt snedstreck i slutet av strängen" #: node.c:511 msgid "could not make typed regex" msgstr "kunde inte göra ett typat reguljärt uttryck" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "gamla awk stöder inte kontrollsekvensen ”\\%c”" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX tillåter inte ”\\x”-kontrollsekvenser" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "inga hexadecimala siffror i ”\\x”-kontrollsekvenser" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "hexkod \\x%.*s med %d tecken tolkas förmodligen inte på det sätt du " "förväntar dig" #: node.c:705 msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX tillåter inte ”\\u”-kontrollsekvenser" #: node.c:713 msgid "no hex digits in `\\u' escape sequence" msgstr "inga hexadecimala siffror i ”\\u”-kontrollsekvenser" #: node.c:744 msgid "invalid `\\u' escape sequence" msgstr "felaktig ”\\u”-kontrollsekvenser" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "kontrollsekvensen ”\\%c” behandlad som bara ”%c”" #: node.c:908 msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "Ogiltig multibytedata upptäckt. Dina data och din lokal stämmer kanske inte " "överens" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "%s %s ”%s”: kunde inte hämta fb-flaggor: (fcntl F_GETFD: %s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "%s %s ”%s”: kunde inte sätta stäng-vid-exec (fcntl F_SETFD: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "varning: /proc/self/exe: readlink: %s\n" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "varning: personality: %s\n" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "waitpid: fick slutstatus %#o\n" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "ödesdigert: posix_spawn: %s\n" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "Programindenteringsnivån är för djup. Överväg att refaktorera din kod" #: profile.c:114 msgid "sending profile to standard error" msgstr "skickar profilen till standard fel" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# %s-regler\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# Regel/regler\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "internt fel: %s med null vname" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "internt fel: inbyggd med tomt fname" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "%s# Inlästa utvidgningar (-l och/eller @load)\n" "\n" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\n" "# Inkluderade filer (-i och/eller @include)\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# gawkprofil, skapad %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# Funktioner, listade alfabetiskt\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str: okänd omdirigeringstyp %d" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" "beteendet vid matchning av ett reguljäruttryck som innehåller NULL-tecken är " "inte definierat av POSIX" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "felaktig NULL-byte i dynamiskt reguljäruttryck" #: re.c:215 #, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "kontrollsekvensen ”\\%c” i reguljäruttryck behandlad som bara ”%c”" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" "kontrollsekvensen ”\\%c” i reguljäruttryck är inte en känd operator i " "reguljäruttryck" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "komponenten ”%.*s” i reguljäruttryck skall förmodligen vara ”[%.*s]”" #: support/dfa.c:910 msgid "unbalanced [" msgstr "obalanserad [" #: support/dfa.c:1031 msgid "invalid character class" msgstr "ogiltig teckenklass" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "syntaxen för teckenklass är [[:space:]], inte [:space:]" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "oavslutad \\-följd" #: support/dfa.c:1345 msgid "? at start of expression" msgstr "? i inledningen av ett uttryck" #: support/dfa.c:1357 msgid "* at start of expression" msgstr "* i inledningen av ett uttryck" #: support/dfa.c:1371 msgid "+ at start of expression" msgstr "+ i inledningen av ett uttryck" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "{…} i början av uttryck" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "ogiltigt innehåll i \\{\\}" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "reguljärt uttryck för stort" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "vilsekommet \\ före oskrivbart tecken" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "vilsekommet \\ före blanktecken" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "vilsekommet \\ före %s" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "vilsekommet \\" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "obalanserad (" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "ingen syntax angiven" #: support/dfa.c:2077 msgid "unbalanced )" msgstr "obalanserad )" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: flaggan ”%s” är tvetydig; möjligheter:" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s: flaggan ”--%s” tillåter inte något argument\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: flaggan ”%c%s” tillåter inte något argument\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: flaggan ”%s” kräver ett argument\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: okänd flagga ”--%s”\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: okänd flagga ”%c%s”\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: ogiltig flagga -- ”%c”\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s: flaggan kräver ett argument -- ”%c”\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: flaggan ”-W %s” är tvetydig\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: flaggan ”-W %s” tillåter inte något argument\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: flaggan ”-W %s” kräver ett argument\n" #: support/regcomp.c:122 msgid "Success" msgstr "Lyckades" #: support/regcomp.c:125 msgid "No match" msgstr "Misslyckades" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "Ogiltigt reguljärt uttryck" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "Ogiltigt kollationeringstecken" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "Ogiltigt teckenklassnamn" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "Eftersläpande omvänt snedstreck" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "Ogiltig bakåtrerefens" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "Obalanserad [, [^, [:, [. eller [=" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "Obalanserad ( eller \\(" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "Obalanserad \\{" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "Ogiltigt innehåll i \\{\\}" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "Ogiltigt omfångsslut" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "Minnet slut" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "Ogiltigt föregående reguljärt uttryck" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "För tidigt slut på reguljärt uttryck" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "Reguljärt uttryck för stort" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr "Obalanserad ) eller \\)" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "Inget föregående reguljärt uttryck" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" "aktuell inställning av -M/--bignum stämmer inte överens med sparad " "inställning i PMA-stödsfilen" #: symbol.c:781 #, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "" "funktionen ”%s”: kan inte använda funktionen ”%s” som ett parameternamn" #: symbol.c:911 msgid "cannot pop main context" msgstr "kan inte poppa huvudsammanhang" EOF echo Extracting po/tr.po cat << \EOF > po/tr.po # This file is distributed under the same license as the gawk package. # Turkish translations for GNU awk messages # Copyright (C) 2022 Free Software Foundation, Inc. # # Nilgün Belma Bugüner , 2001, ..., 2022. msgid "" msgstr "" "Project-Id-Version: gawk 5.1.65\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2022-08-23 01:50+0300\n" "Last-Translator: Nilgün Belma Bugüner \n" "Language-Team: Turkish \n" "Language: tr\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Bugs: Report translation errors to the Language-Team address.\n" "X-Generator: Poedit 2.4.2\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #: array.c:249 #, c-format msgid "from %s" msgstr "%s'den" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "sayıl değer dizi olarak kullanılmaya çalışılıyor" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "sayısal paramaetre `%s' bir dizi olarak kullanılmaya çalışılıyor" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "sayıl `%s' dizi olarak kullanılmaya çalışılıyor" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "`%s' dizisi bir sayısal bağlamda kullanılmaya çalışılıyor" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "delete: `%.*s' indisi `%s' dizisinde değil" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "sayıl `%s[\"%.*s\"]' dizi olarak kullanılmaya çalışılıyor" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "%s: ilk değiştirge bir dizi değil" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "%s: alınan ikinci değiştirge dizi değil" #: array.c:901 field.c:1150 field.c:1247 #, c-format msgid "%s: cannot use %s as second argument" msgstr "%s: %s ikinci değiştirge olarak kullanılamaz" #: array.c:909 #, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "%s: ilk değiştirge, ikinci değiştirge olmaksızın SYMTAB olamaz" #: array.c:911 #, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "%s: ilk değiştirge, ikinci değiştirge olmaksızın FUNCTAB olamaz" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" "asort/asorti: aynı diziyi kaynak ve hedef olarak üçüncü değiştirge olmadan " "kullanmak akılcı değil." #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "%s: ikinci değiştirge için ilk değiştirgenin altdizisi kullanılamaz" #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "%s: ilk değiştirge için ikinci değiştirgenin altdizisi kullanılamaz" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "`%s' işlev ismi olarak geçersiz" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "sıralayıcı karşılaştırma işlevi `%s' tanımlanmamış" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "%s blokları bir eylem bölümü içermeli" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "her kural bir eylem bölümü veya bir kalıp içermeli" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "eski awk çok sayıda `BEGIN' veya `END' kuralını desteklemiyor" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "`%s' bir yerleşik işlevdir, yeniden atanamaz" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "düzenli ifade sabiti `//' bir C++ açıklaması gibi görünüyor ama değil" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "düzenli ifade sabiti `/%s/' bir C açıklaması gibi görünüyor ama değil" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "switch içinde yinelenmiş case değerleri var: %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "switch içinde `default' tekrarı saptandı" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "döngü veya switch dışında `break' kullanımı yasak" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "döngü dışında `continue' kullanımı yasak" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "`next' %s eyleminde kullanılmış" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "`nextfile' %s eyleminde kullanılmış" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "`return' işlev bağlamının dışında kullanılmış" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "BEGIN veya END kuralındaki `print' aslında `print \"\"' olmalıydı" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "`delete' ile SYMTAB birlikte kullanılamaz" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "`delete' ile FUNCTAB birlikte kullanılamaz" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "`delete array' taşınabilir olmayan gawk eklentisidir" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "çok katlı iki yönlü borular çalışmaz" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "G/Ç `>' yeniden yönlendirme hedefi olarak birleştirme belirsiz" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "düzenli ifade atamanın sağında" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "düzenli ifade `~' ya da `!~' işlecinin solunda" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "eski awk `for'dan sonra gelmeyen `in' anahtar sözcüğünü desteklemiyor" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "düzenli ifade karşılaştırmanın sağında" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "`%s' kuralının içinde yönlendirme yapmayan `getline' geçersiz" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "END eyleminin içinde yönlendirme yapmayan `getline' tanımsız" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "eski awk çok boyutlu dizileri desteklemiyor" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "parantezsiz `length' çağrısı taşınabilir değil" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "örtük işlev çağrıları gawk eklentisidir" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "örtük işlev çağrısı için `%s' özel değişkeni kullanılamıyor" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "işlev çağrısında işlev olmayan `%s' kullanılmaya çalışılıyor" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "indis ifadesi geçersiz" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "uyarı: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "ölümcül: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "beklenmeyen satırsonu ya da dizge sonu" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" "kaynak dosyaları / komut satırı değiştirgeleri işlev ve kuralların tamamını " "içermelidir" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "`%s' kaynak dosyası okumak için açılamıyor: %s" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "`%s' paylaşımlı kütüphanesi okumak için açılamıyor: %s" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "sebebi bilinmiyor" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "`%s' içerilemiyor, uygulama dosyası olarak kullanılıyor" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "kaynak dosyası `%s' içinde zaten var" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "paylaşımlı kütüphane `%s' zaten yüklü" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "@include gawk eklentisidir" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "boş dosyalı @include" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "@load gawk eklentisidir" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "boş dosyalı @load" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "komut satırında boş uygulama metni" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "`%s' kaynak dosyası okunamıyor: %s" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "kaynak dosyası `%s' boş" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "hata: kaynak kod içindeki '\\%03o' karakteri geçersiz" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "kaynak dosyasının sonunda satır sonu eksik" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "sonlandırılmamış düzenli ifade dosya sonunda `\\' ile bitiyor" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "%s: %d: tawk regex değiştirici `/.../%c' gawk'ta çalışmaz" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "tawk regex değiştirici `/.../%c' gawk'ta çalışmaz" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "sonlandırılmamış düzenli ifade" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "dosya sonunda sonlandırılmamış düzenli ifade" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "`\\ #...' satır uzatma kullanımı taşınabilir değil" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "tersbölü satırdaki son karakter değil" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "çok boyutlu diziler gawk eklentisidir" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "`%s' işlecine POSIX izin vermez" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "`%s' işlecini eski awk desteklemiyor" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "sonlandırılmamış dizge" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "Dizge değerlerde fiziki satır sonlarına POSIX izin vermez" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "dizge devamı için ters eğik çizgi kullanımı taşınabilir değil" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "ifade içinde '%c' karakteri geçersiz" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "`%s' gawk eklentisidir" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "`%s' POSIX uyumlu değil" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "`%s' eski awk tarafından desteklemiyor" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "`goto' zararlı sayılır!" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d değiştirge sayısı olarak %s için geçersiz" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "%s: ikamenin son değiştirgesi olarak dizgesel sabit etkisiz" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "üçüncü %s değiştirgesi değiştirilebilir bir nesne değil" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match: üçüncü değiştirge gawk eklentisidir" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close: ikinci değiştirge gawk eklentisidir" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "dcgettext(_\"...\") kullanımı yanlış: baştaki alt çizgiyi kaldırın" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "dcngettext(_\"...\") kullanımı yanlış: baştaki alt çizgiyi kaldırın" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "index: ikinci değiştirge olarak düzenli ifade sabiti kullanılamaz" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "`%s' işlevi: değiştirge, `%s'global değişkeni gölgeliyor" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "`%s' yazmak için açılamadı: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "değişken listesi standart hataya gönderiliyor" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "%s: kapatma başarısız: %s" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "shadow_funcs() iki kere çağrıldı!" #: awkgram.y:4980 msgid "there were shadowed variables" msgstr "gölgeli değişkenler vardı" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "işlev ismi `%s' önceden atanmış" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "işlev `%s': işlev ismi değiştirge ismi olarak kullanılamaz" #: awkgram.y:5126 #, fuzzy, c-format #| msgid "" #| "function `%s': cannot use special variable `%s' as a function parameter" msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "işlev `%s': özel değişken `%s' işlev değiştirgesi olarak kullanılamaz" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "`%s' işlevi: değiştirge `%s' bir isim alanı içermiyor" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "`%s' işlevi: %d. değiştirge, `%s', %d. değiştirgenin tekrarı" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "`%s' işlevi çağrıldı ama hiç atanmamış" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "`%s' işlevi tanımlı ama hiç doğrudan çağrılmadı" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "%d numaralı değiştirge bir düzenli ifade sabiti" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "`%s' işlevi `(' ile isim arasında boşlukla çağrılmış,\n" "ya da bir değişken veya bir dizi olarak kullanılmış" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "sıfırla bölme hatası" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "`%%'de sıfırla bölme hatası" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "sonradan arttırımlı bir alan ifadesinin sonucuna değer atanamaz" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "atama hedefi geçersiz (opcode %s)" #: awkgram.y:6266 msgid "statement has no effect" msgstr "deyim etkisiz" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" "%s tanımlayıcısı: nitelikli isimlere geleneksel / POSIX kipinde izin verilmez" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "" "%s tanımlayıcısı: isim uzayı ayracı bir değil iki tane iki nokta üst üstedir" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "niteliki tanıtıcı `%s' kötü biçimlendirilmiş" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" "%s tanımlayıcısı: isim uzayı ayracı bir nitelikli isimde yalnızca bir kere " "belirtilebilir" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "isim uzayı olarak `%s' anahtar sözcüğünün kullanımına izin verilmedi" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" "nitelikli ismin 2. bileşeni olarak `%s' anahtar sözcüğünün kullanımına izin " "verilmedi" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "@namespace gawk eklentisidir" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "isim uzayı adı `%s' tanımlayıcı adlandırma kurallarını karşılamalı" #: builtin.c:93 builtin.c:100 #, c-format msgid "%s: called with %d arguments" msgstr "%s: %d değiştirge ile çağrıldı" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "%s den \"%s\" ye başarısız: %s" #: builtin.c:129 msgid "standard output" msgstr "standart çıktı" #: builtin.c:130 msgid "standard error" msgstr "standart hata" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s: sayısal olmayan değiştirge alındı" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp: %g kapsamdışı" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "%s: alınan değiştirge dizge değil" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: kanala yazılamadı: boru `%.*s' okumak için açıldı, yazmak için değil" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" "fflush: kanala yazılamadı: dosya `%.*s' okumak için açıldı, yazmak için değil" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush: `%.*s' dosyası kanala yazılamıyor: %s" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" "fflush: kanala yazılamadı: iki yönlü boru `%.*s' yazma bitiminde kapandı" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "fflush: `%.*s' bir açık dosya, boru ya da bir yan süreç değil" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "%s: alınan ilk değiştirge dizge değil" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "%s: alınan ikinci değiştirge dizge değil" #: builtin.c:595 msgid "length: received array argument" msgstr "length: dizi değiştirge alındı" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "`length(array)' gawk eklentisidir" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "%s: negatif değiştirge %g alındı" #: builtin.c:698 builtin.c:2949 #, c-format msgid "%s: received non-numeric third argument" msgstr "%s: alınan üçüncü değiştirge sayısal değil" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "%s: alınan ikinci değiştirge sayısal değil" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: uzunluk %g >= 1 değil" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: uzunluk %g => 0 değil" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: tamsayı olmayan uzunluk %g den ondalık kısım çıkarılacak" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "" "substr: dizge indislemesi için uzunluk olarak %g çok fazla, %g den sonrası " "gözardı ediliyor" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: başlangıç indeksi olarak %g geçersiz, 1 kullanılıyor" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "" "substr: tamsayı olmayan başlangıç indeksi %g den ondalık kısım çıkarılacak" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: kaynak dizge sıfır uzunlukta" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: başlangıç indisi %g dizgenin sonundan sonra" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: uzunluk %g, %g başlangıç indisinde ilk değiştirgesinin uzunluğunu " "(%lu) aşıyor" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "strftime: PROCINFO[\"strftime\"] içindeki biçem değeri sayısal türde" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "strftime: ikinci değiştirge 0'dan küçük ya da time_t için çok büyük" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "strftime: ikinci değiştirge time_t için aralık dışında" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: boş biçem dizgesi alındı" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "mktime: en azından değerlerden biri öntanımlı aralığın dışında" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "'system' işlevine kum kutusu kipinde izin yok" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "print: iki yönlü borunun kapalı yazma ucuna yazılmaya çalışılıyor" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "ilklendirilmemiş `$%d' alanına başvuru" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "%s: alınan ilk değiştirge sayısal değil" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: üçüncü değiştirge bir dizi değil" #: builtin.c:1604 #, c-format msgid "%s: cannot use %s as third argument" msgstr "%s: %s üçüncü değiştirge olarak kullanılamaz" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: `%.*s' olan üçüncü değiştirge 1 kabul edildi" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s: örtük olarak yalnızca 2 değiştirge ile çağrılabilir" #: builtin.c:2242 msgid "indirect call to gensub requires three or four arguments" msgstr "gensub örtük çağrısı üç veya dört değiştirge gerektirir" #: builtin.c:2304 msgid "indirect call to match requires two or three arguments" msgstr "match örtük çağrısı iki veya üç değiştirge gerektirir" #: builtin.c:2365 #, c-format msgid "indirect call to %s requires two to four arguments" msgstr "%s örtük çağrısı iki ila dört değiştirge gerektirir" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): negatif değerler kullanılamaz" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f): ondalık kısımlar kırpılacak" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "lshift(%f, %f): çok büyük kaydırma değeri tuhaf sonuçlar verecek" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%lf, %lf): negatif değerlere izin yok" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): ondalık kısımlar kırpılacak" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "rshift(%f, %f): çok büyük kaydırma değeri tuhaf sonuçlar verecek" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "%s: ikiden az değiştirge ile çağrıldı" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "%s: %d. değiştirge sayısal değil" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%s: %d. değiştirgede %g negatif değerine izin verilmiyor" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): negatif değere izin yok" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): ondalık kısım kırpılacak" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: `%s' geçerli bir yerel kategori değil" #: builtin.c:2842 builtin.c:2860 #, c-format msgid "%s: received non-string third argument" msgstr "%s: alınan üçüncü değiştirge dizge değil" #: builtin.c:2915 builtin.c:2936 #, c-format msgid "%s: received non-string fifth argument" msgstr "%s: alınan beşinci değiştirge dizge değil" #: builtin.c:2925 builtin.c:2942 #, c-format msgid "%s: received non-string fourth argument" msgstr "%s: alınan dördüncü değiştirge dizge değil" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "intdiv: üçüncü değiştirge bir dizi değil" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "intdiv: sıfırla bölme hatası" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "typeof: ikinci değiştirge bir dizi değil" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" "typeof `%s' geçersiz seçenek birleşimini saptadı; lütfen hata bildirimi yapın" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "typeof: değiştirge türü `%s' bilinmiyor" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "Kum kutusu kipinde ARGV'ye yeni dosya (%.*s) eklenemez" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "(g)awk deyimlerini yazın. `end' komutuyla bitirin\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "çerçeve numarası geçersiz: %d" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "info: geçersiz seçenek - `%s'" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "source: `%s': zaten yürütülüyor" #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "save: `%s': komuta izin yok" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "kesme/izleme noktası komutları için `commands' komutu kullanılamıyor" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "henüz atanmış bir kesme/izleme noktası yok" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "kesme/izleme noktası numarası geçersiz" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "" "Her satıra bir tane olmak üzere, %s %d isabetine ulaşıldığında kullanılacak " "komutları yazın.\n" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "`end' komutuyla sonlandı\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "`end' yalnızca `commands' veya `eval' komutunda geçerlidir" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "`silent' yalnızca `commands' komutunda geçerlidir" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "trace: geçersiz seçenek - `%s'" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "condition: kesme/izleme noktası numarası geçersiz" #: command.y:452 msgid "argument not a string" msgstr "değiştirge bir dizge değil" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "option: geçersiz değiştirge - `%s'" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "böyle bir işlev yok - `%s'" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "enable: geçersiz seçenek - `%s'" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "aralık belirtimi geçersiz: %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "alan numarası için değer bir sayı değil" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "sayısal değer beklenirken sayı olmayan değer bulundu" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "sıfırdan farklı tamsayı değer" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" "backtrace [N] - tümünün veya en içteki (N < 0 ise en dıştaki) N çerçevenin " "izini bas" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "break [[dosya:]N|işlev] - belirtilen konuma kesme noktası atar" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "clear [[dosya:]N|işlev] - önceden belirlenmiş kesme noktasını siler" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" "commands [sayı] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" "condition num [ifade] - kesme/izleme noktası koşulunu tanımlar veya temizler" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "continue [SAYI] - hata ayıklanan yazılıma devam eder" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "delete [kesmenoktaları] [aralık] - belirtilen kesme noktalarını siler" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "" "disable [kesmenoktaları] [aralık] - belirtilen kesme noktalarını iptal eder" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "display [dğş] - uygulamanın her duruşunda değişkenin değeri basılır" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "down [N] - N kareyi yığıtta aşağı taşır" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "dump [dosya] - talimatları dosyaya veya standart çıktıya döker" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" "enable [once|del] [kesmenoktaları] [aralık] - belirtilen kesme noktaları " "etkin olur" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "end - komut ve awk deyimleri listesini sonlandırır" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "eval stmt|[p1, p2, ...] - awk deyim(ler)ini yorumlar" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "exit - (quit gibi) hata ayıklayıcıdan çıkar" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "finish - seçili yığıt çerçevesi dönene kadar yürütme sürer" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "frame [N] - N'inci yığıt çerçevesini seçer ve basar" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "help [komut] - komutun açıklamasını ya da komutların listesini basar" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "" "ignore N SAYI - N kesme noktasının yoksayma sayısını SAYI olarak ayarlar" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info başlığı - source|sources|variables|functions|break|frame|args|locals|" "display|watch" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "" "list [-|+|[dosya:]satırno|işlev|aralık] - belirtilen satır(lar)ı listeler" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "next [SAYI] - adım uygulaması, alt yordam çağrıları yoluyla ilerler" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" "nexti [SAYI] - tek adım talimatı, ancak alt yordam çağrıları yoluyla devam " "eder" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "" "option [isim[=değer]] - hata ayıklama seçeneğini tanımlar veya görüntüler" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "print var [değ] - belirtilen değişken veya dizinin değerini basar" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "printf biçem, [değ], ... - biçemli çıktı" #: command.y:872 msgid "quit - exit debugger" msgstr "quit - hata ayıklayıcıdan çıkar" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "return [değer] - seçilen yığıt çerçevesinin çağrıcıya dönmesini sağlar" #: command.y:876 msgid "run - start or restart executing program" msgstr "" "run - uygulamanın çalışmasını başlatır veya çalışıyorsa yeniden başlatır" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "save dosya - oturumdaki komutları dosyaya kaydeder" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "set değişken = değer - değeri bir sayıl değişkene atar" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "silent - bir kesme/izleme noktasında durduğunda ileti askıya alınır" #: command.y:886 msgid "source file - execute commands from file" msgstr "source dosya - dosyadaki komutları çalıştırır" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" "step [SAYI] - farklı bir kaynak satırına ulaşana kadar uygulamayı adımlar" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [SAYI] - tam olarak bir talimatlık adımlar" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "tbreak [[dosya:]N|işlev] - geçici bir kesme noktası tanımlar" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "trace on|off - çalıştırmadan önce talimatı basar" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "undisplay [N] - değişkenleri otomatik görüntüleme listesinden kaldırır" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" "until [[dosya:]N|işlev] - farklı bir satıra veya geçerli çerçeve içindeki N. " "satıra ulaşana kadar uygulamayı yürütür" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [N] - değişkenleri izleme listesinden kaldırır" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "up [N] - N çerçeveyi yığıtta yukarı taşır" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "watch değ - değişken için izleme noktası tanımlar" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "where [N] - (backtrace gibi) tamamını veya en içteki (N < 0 ise en dıştaki) " "N çerçeveyi basar" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "hata: " #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "komut okunamıyor: %s\n" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "komut okunamıyor: %s" #: command.y:1126 msgid "invalid character in command" msgstr "Komuttaki karakter geçersiz" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "bilinmeyen komut - `%.*s', help yazın" #: command.y:1294 msgid "invalid character" msgstr "karakter geçersiz" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "tanımsız komut: %s\n" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "geçmiş dosyasında tutulan satır sayısını tanımlar veya görüntüler" #: debug.c:259 msgid "set or show the list command window size" msgstr "liste komutu pencere boyutunu tanımlar veya görüntüler" #: debug.c:261 msgid "set or show gawk output file" msgstr "gawk çıktı dosyasını tanımlar veya görüntüler" #: debug.c:263 msgid "set or show debugger prompt" msgstr "hata ayıklama istemini tanımlar veya görüntüler" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "" "komut geçmişinin kaydedilmesi etkin/etkisiz olur veya görüntülenir (değer=on|" "off)" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "" "seçeneklerin kaydedilmesi etkin/etkisiz olur veya görüntülenir (değer=on|off)" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "talimat izleme etkin/etkisiz olur veya görüntülenir (değer=on|off)" #: debug.c:358 msgid "program not running" msgstr "uygulama çalışıyor" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "kaynak dosyası `%s' boş.\n" #: debug.c:502 msgid "no current source file" msgstr "geçerli kaynak dosyası yok" #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "kaynak dosyası `%s' bulunamıyor: %s" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "" "uyarı: uygulamanın derlenmesinden beri `%s' kaynak dosyası değişikliğe " "uğradı.\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "satır numarası %d aralık dışında: `%s' içinde %d satır var" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "`%s' dosyası okunurken %d. satırda beklenmeyen satır sonu" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "" "`%s' kaynak dosyası uygulama yürütmesinin başlangıcından bu yana değiştirildi" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "Geçerli kaynak dosyası: %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "Satır sayısı: %d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "Kaynak dosyası (satır sayısı): %s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "Numara Gör Etkin Konum\n" "\n" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "\tisabet sayısı = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "\tsonraki %ld isabeti yoksay\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "\tdurma koşulu: %s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "\tkomutlar:\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "Geçerli çerçeve: " #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "Çerçevenin çağırdığı: " #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "Çerçeveyi çağıran: " #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "main() içinde yok.\n" #: debug.c:870 msgid "No arguments.\n" msgstr "Hiç değiştirge yok.\n" #: debug.c:871 msgid "No locals.\n" msgstr "Yerli öğe yok.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "Tanımlı tüm değişkenler:\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "Tanımlı tüm işlevler:\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "Auto-display değişkenleri:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "İzlenen değişkenler:\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "geçerli bağlamda `%s' diye bir simge yok\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "`%s' bir dizi değil\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = ilklendirilmemiş alan\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "`%s' dizisi boş\n" #: debug.c:1184 debug.c:1236 #, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "\"%.*s\" indisi `%s' dizisi içinde değil\n" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "`%s[\"%.*s\"]' bir dizi değil\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "`%s' sayıl bir değişken değil" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "`%s[\"%.*s\"]' dizisi sayıl bağlamda kullanılmaya çalışılıyor" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "sayıl %s[\"%.*s\"]' dizi olarak kullanılmaya çalışılıyor" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "`%s' bir işlevdir" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "%d izleme noktası koşulsuz\n" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "%ld numaralı görüntüleme öğesi yok" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "%ld numaralı izleme öğesi yok" #: debug.c:1596 #, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d: \"%.*s\" indisi `%s' dizisi içinde değil\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "sayıl değer dizi olarak kullanılmaya çalışılıyor" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "Değiştirge kapsamdışı olduğundan %d izleme noktası silindi.\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "display %d silindi, çünkü değiştirge kapsamdışı.\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr " `%s' dosyasının %d. satırında\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr " `%s':%d. satırda" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "bu dosyanın %ld. satırı: " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "Daha fazla yığın çerçevesi takip eder ...\n" #: debug.c:2092 msgid "invalid frame number" msgstr "çerçeve numarası geçersiz" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Bilgi: kesme noktası %d (etkinleştirildi, sonraki %ld isabet yok sayılıyor), " "ayrıca %s:%d etkinleştirildi" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "" "Bilgi: kesme noktası %d (etkinleştirildi), ayrıca %s:%d etkinleştirildi" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Bilgi: kesme noktası %d (iptal edildi, sonraki %ld isabet yok sayılıyor), " "ayrıca %s:%d etkinleştirildi" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "Bilgi: kesme noktası %d (iptal edildi), ayrıca %s:%d etkinleştirildi" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "%d. kesme noktası `%s' dosyasının %d. satırına atandı\n" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "`%s' dosyasında kesme noktası oluşturulamıyor\n" #: debug.c:2444 #, c-format msgid "line number %d in file `%s' is out of range" msgstr "satır numarası %d, `%s' dosyası için aralık dışında" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "iç hata: kural bulunamadı\n" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "`%s':%d. satırda kesme noktası oluşturulamıyor\n" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "`%s' işlevinde kesme noktası oluşturulamıyor\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "" "%d. kesme noktasının `%s' dosyasının %d. satırında atanması koşulsuzdur.\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "satır numarası %d, `%s' dosyası için aralık dışı" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "Kesme noktası %d silindi" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "`%s' işlevine girdide kesme noktası yok\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "`%s' dosyasının %d. satırında kesme noktası yok\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "kesme noktası numarası geçersiz" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "Tüm kesme noktaları silinsin mi? (y, e veya n, h)" #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "e" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "%2$d kesme noktasının sonraki %1$ld geçişi yok sayılacak.\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "%d kesme noktasına tekrar ulaşıldığında duracak.\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "Yalnızca, `-f' seçenekli uygulamalar hata ayıklayabilir.\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "Yeniden başlatılıyor...\n" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "Hata ayıklayıcı yeniden başlatılamadı" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "Uygulama zaten çalışıyor. Baştan başlatılsın mı (y/n)? " #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "Uygulama yeniden başlamadı\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "" "hata: yeniden başlatılamıyor, işleme izin verilmedi\n" "\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "hata (%s): yeniden başlatılamıyor, komutların kalanı yok sayılıyor\n" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "Uygulama başlatılıyor:\n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "Anormal şekilde uygulamadan çıkıldı. Çıkış değeri: %d\n" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "Normal şekilde uygulamadan çıkıldı. Çıkış değeri: %d\n" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "Uygulama çalışıyor. Yine de çıkılsın mı (y/n)? " #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "Herhangi bir kesme noktasında durmadı; değiştirge yok sayıldı.\n" #: debug.c:3091 #, c-format msgid "invalid breakpoint number %d" msgstr "kesme noktası numarası %d geçersiz" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "%2$d kesme noktasının sonraki %1$ld geçişi yok sayılacak.\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "'finish' dış çerçeve main() içinde anlamlı değil\n" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "Şundan dönene kadar çalışır: " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "" "'return' dış çerçeve main() içinde anlamlı değil\n" "\n" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "belirtilen konum, `%s' işlevinde bulunamadı\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "`%2$s' dosyasındaki %1$d. kaynak satırı geçersiz" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "belirtilen konum %d, `%s' dosyasında bulunamadı\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "öğe dizide yok\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "yazılmamış değişken\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "%s de durduruluyor ...\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "'finish' yerel olmayan '%s' atlaması ile anlamlı değil\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "" "'until' yerel olmayan '%s' atlaması ile anlamlı değil\n" "\n" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "--Devam etmek için [Enter] - Çıkmak için [q] + [Enter]--" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%.*s\"] öğesi `%s' dizisinde değil" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "çıktı standart çıktıya gönderiliyor\n" #: debug.c:5449 msgid "invalid number" msgstr "sayı geçersiz" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "`%s' geçerli bağlamda izin verilmiyor; deyim yok sayıldı" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "`return' geçerli bağlamda izin verilmiyor; deyim yok sayıldı" #: debug.c:5639 #, fuzzy, c-format #| msgid "fatal error: internal error" msgid "fatal error during eval, need to restart.\n" msgstr "ölümcül iç hata" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "geçerli bağlamda `%s' diye bir simge yok" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "%d. düğüm türü bilinmiyor" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "opcode %d bilinmiyor" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "opcode %s bir işleç veya anahtar sözcük değil" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "genflags2str içinde tampon taştı" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# İşlev Çağrısı Yığıtı:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "`IGNORECASE' gawk eklentisidir" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "`BINMODE' gawk eklentisidir" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "BINMODE değeri `%s' geçersiz, 3 olarak ele alındı" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "`%sFMT' özelliği `%s' hatalı" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "`LINT' atamasından dolayı `--lint' kapatılıyor" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "başlangıç değeri olmayan `%s' değiştirgesine başvuru" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "öndeğer ataması yapılmamış `%s' değişkenine başvuru" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "sayısal olmayan değerden alan başvurusu" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "null dizgeden alana başvurulmaya çalışılyor" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "%ld. alana erişilmeye çalışılıyor" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "ilklendirilmemiş `$%ld' alanına başvuru" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "`%s' işlevi bildirilenden daha fazla değiştirgela çağrıldı" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: beklenmeyen `%s' türü" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "`/='de sıfırla bölme hatası" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "`%%='de sıfırla bölme hatası" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "kum kutusu kipinde eklentilere izin verilmez" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "-l / @load gawk eklentileridir" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext: NULL lib_name alındı" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext: kütüphane `%s' açılamıyor: %s" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "load_ext: kütüphane `%s': `plugin_is_GPL_compatible' tanımlanmamış: %s" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "load_ext: kütüphane `%s': `%s' işlevi çağrılamıyor: %s" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "load_ext: `%s' kütüphanesini ilklendirme yordamı `%s' başarısız oldu" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin: işlev ismi eksik" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "make_builtin: gawk yerleşiği olan `%s' işlev ismi olamaz" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "make_builtin: gawk yerleşiği olan `%s' isim uzayı ismi olamaz" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin: `%s' işlevi yeniden tanımlanamaz" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin: `%s' işlevi zaten tanımlı" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin: işlev ismi `%s' evvelce tanımlanmış" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin: `%s' işlevi için değiştirge sayısı negatif" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "" "`%s' işlevi: %d. değiştirge: tek değerli değişken bir dizi olarak " "kullanılmaya çalışılıyor" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "" "`%s' işlevi: %d. değiştirge: dizi tek değerli bir değişken olarak " "kullanılmaya çalışılıyor" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "Kütüphanelerin dinamik yüklenmesi desteklenmiyor" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "stat: sembolik bağ `%s' okunamıyor" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "stat: ilk değiştirge bir dizge değil" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "stat: ikinci değiştirge bir dizi değil" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stat: değiştirgeler kötü" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "fts başlatma: %s değişkeni oluşturulamadı" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "fts bu sistemde desteklenmiyor" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element: dizi oluşturulamadı, bellek yetersiz" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element: öğe atanamadı" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element: öğe atanamadı" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element: öğe atanamadı" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts işlemi: dizi oluşturulamadı" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts işlemi: öğe atanamadı" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "fts: yanlış sayıda değiştirge ile çağrıldı, 3 olacaktı" #: extension/filefuncs.c:853 msgid "fts: first argument is not an array" msgstr "fts: ilk değiştirge bir dizi değil" #: extension/filefuncs.c:859 msgid "fts: second argument is not a number" msgstr "fts: ikinci değiştirge bir sayı değil" #: extension/filefuncs.c:865 msgid "fts: third argument is not an array" msgstr "fts: üçüncü değiştirge bir dizi değil" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts: dizi düzleştirilemedi\n" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "fts: sinsi FTS_NOSTAT seçeneği yok sayılıyor. nayır, nolamaz." #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch: ilk değiştirge alınamadı" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch: ikinci değiştirge alınamadı" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch: üçüncü değiştirge alınamadı" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "fnmatch bu sistemde gerçeklenmiyor\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "fnmatch init: FNM_NOMATCH değişkeni eklenemedi" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "fnmatch init: dizi öğesi %s atanamadı" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "fnmatch init: FNM dizisi kurulamadı" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork: PROCINFO bir dizi değil!" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "inplace::begin: yerinde düzenleme zaten etkin" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "inplace::begin: 2 değiştirge gerekirken %d değiştirge ile çağrıldı" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "inplace::begin: birinci değiştirge dosya adını bir dizge olarak alamaz" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" "inplace::begin: geçersiz DOSYA `%s' için yerinde düzenleme iptal ediliyor." #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "inplace::begin: `%s' durumlanamıyor (%s)" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "inplace::begin: `%s' normal dosya değil" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace::begin: mkstemp(`%s') başarısız (%s)" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace::begin: chmod başarısız (%s)" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace::begin: dup(stdout) başarısız (%s)" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace::begin: dup2(%d, stdout) başarısız (%s)" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace::begin: close(%d) başarısız (%s)" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "inplace::end: 2 değiştirge gerekirken %d değiştirge ile çağrıldı" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "inplace::end: birinci değiştirge dosya adını bir dizge olarak alamaz" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "inplace::end: yerinde düzenleme etkin değil" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace::end: dup2(%d, stdout) başarısız (%s)" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace::end: close(%d) başarısız (%s)" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace::end: fsetpos(stdout) başarısız (%s)" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace::end: link(`%s', `%s') başarısız (%s)" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace::end: rename(`%s', `%s') başarısız (%s)" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "ord: ilk değiştirge bir dizge değil" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "chr: ilk değiştirge bir sayı değil" #: extension/readdir.c:291 #, fuzzy, c-format #| msgid "dir_take_control_of: opendir/fdopendir failed: %s" msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "dir_take_control_of: opendir/fdopendir başarısız: %s" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "readfile: değiştirgenin yanlış çeşidi ile çağrıldı" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput: REVOUT değişkeni ilklendirilemedi" #: extension/rwarray.c:145 extension/rwarray.c:548 #, c-format msgid "%s: first argument is not a string" msgstr "%s: ilk değiştirge bir dizge değil" #: extension/rwarray.c:189 msgid "writea: second argument is not an array" msgstr "writea: ikinci değiştirge bir dizi değil" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "writeall: SYMTAB dizisi bulunamıyor" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "write_array: dizi düzleştirilemedi" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "write_array: düzleştirillmiş dizi serbest bırakılamıyor" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "dizi değeri bilinmeyen %d türünde" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" "rwarray eklentisi: GMP/MPFR değeri alındı ama GMP/MPFR desteği olmaksızın " "derlendi." #: extension/rwarray.c:437 #, c-format msgid "cannot free number with unknown type %d" msgstr "bilnmeyen %d türündeki sayı serbest bırakılamaz" #: extension/rwarray.c:442 #, c-format msgid "cannot free value with unhandled type %d" msgstr "elde edilemeyen %d türündeki değer serbest bırakılamaz" #: extension/rwarray.c:481 #, fuzzy, c-format #| msgid "readall: unable to set %s" msgid "readall: unable to set %s::%s" msgstr "readall: %s tanımlanamadı" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "readall: %s tanımlanamadı" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "reada: clear_array başarısız" #: extension/rwarray.c:611 msgid "reada: second argument is not an array" msgstr "reada: ikinci değiştirge bir dizi değil" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "read_array: set_array_element başarısız" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "%d bilinmeyen tür koduyla kurtarılan değer bir dizge olarak işleniyor" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" "rwarray eklentisi: dosyada GMP/MPFR değeri var ama GMP/MPFR desteği " "olmaksızın derlendi." #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday: bu sistemde desteklenmiyor" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep: gereken sayısal değiştirge eksik" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep: negatif değiştirge" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep: bu sistemde desteklenmiyor" #: extension/time.c:232 #, fuzzy #| msgid "%s: called with %d arguments" msgid "strptime: called with no arguments" msgstr "%s: %d değiştirge ile çağrıldı" #: extension/time.c:240 #, fuzzy, c-format #| msgid "stat: first argument is not a string" msgid "do_strptime: argument 1 is not a string\n" msgstr "stat: ilk değiştirge bir dizge değil" #: extension/time.c:245 #, fuzzy, c-format #| msgid "stat: first argument is not a string" msgid "do_strptime: argument 2 is not a string\n" msgstr "stat: ilk değiştirge bir dizge değil" #: field.c:321 msgid "input record too large" msgstr "girdi kaydı çok büyük" #: field.c:443 msgid "NF set to negative value" msgstr "NF negatif değere ayarlı" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "NF'yi azaltmak, birçok awk sürümüne taşınabilir değildir" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "END kuralından alanlara erişim taşınabilir olmayabilir" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split: dördüncü değiştirge gawk eklentisidir" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split: dördüncü değiştirge bir dizi değil" #: field.c:1138 field.c:1240 #, c-format msgid "%s: cannot use %s as fourth argument" msgstr "%s: %s dördüncü değiştirge olarak kullanılamaz" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: ikinci değiştirge bir dizi değil" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "split: 2. ve 4. değiştirge için aynı dizi kullanılamaz" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "split: 4. değiştirge için 2. değiştirgenin alt dizisi kullanılamaz" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "split: 2. değiştirge için 4. değiştirgenin alt dizisi kullanılamaz" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "split: üçüncü değiştirge için null dizge gawk eklentisidir" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: dördüncü değiştirge bir dizi değil" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: ikinci değiştirge bir dizi değil" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit: üçüncü değiştirge null olmamalı" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "patsplit: 2. ve 4. değiştirge için aynı dizi kullanılamaz" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "patsplit: 4. değiştirge için 2. değiştirgenin alt dizisi kullanılamaz" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "patsplit: 2. değiştirge için 4. değiştirgenin alt dizisi kullanılamaz" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "`FIELDWIDTHS' gawk ekentisidir" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "`*' FIELDWIDTHS içindeki son tanımlayıcı olmalıdır" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "alan %d için `%s' yanında FIELDWIDTHS değeri geçersiz" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "`FS' için null dizge gawk eklentisidir" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "eski awk düzenli ifadeleri `FS' değeriyle desteklemiyor" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "`FPAT' gawk eklentisidir" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node: null dönüş değeri alındı" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "awk_value_to_node: MPFR kipinde değil" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "awk_value_to_node: MPFR desteklenmiyor" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node: sayı türü `%d' geçersiz" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "add_ext_func: name_space için NULL alındı" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" "node_to_awk_value: geçersiz sayısal seçenek birleşimi `%s' saptandı; lütfen " "hata bildirimi yapın" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value: null düğüm alındı" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value: null değer alındı" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" "node_to_awk_value: geçersiz seçenek birleşimi `%s' saptandı; lütfen hata " "bildirimi yapın" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element: null dizi alındı" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element: null indis alındı" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "api_flatten_array_typed: %d. indis %s olarak dönüştürülemedi" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "api_flatten_array_typed: %d değeri %s olarak dönüştürülemedi" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "api_get_mpfr: MPFR desteklenmiyor" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "BEGINFILE kuralının sonu bulunamadı" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "bilinmeyen `%s' dosya türü `%s' için açılamıyor" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "komut satırı değiştirgesi `%s' bir dizin: atlandı" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "`%s' okumak için açılamıyor: %s" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "dosya tanıtıcı %d (`%s') kapatılamadı: %s" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "`%.*s' girdi dosyası ve çıktı dosyası için kullanılmış" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "`%.*s' girdi dosyası ve girdi borusu için kullanılmış" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "`%.*s' girdi dosyası ve iki yönlü boru için kullanılmış" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "`%.*s' girdi dosyası ve çıktı borusu için kullanılmış" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "`%.*s' dosyası için `>' ve `>>' karışımı gereksiz" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "`%.*s' girdi borusu ve çıktı dosyası için kullanılmış" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "`%.*s' çıktı dosyası ve çıktı borusu için kullanılmış" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "`%.*s' çıktı dosyası ve iki yönlü boru için kullanılmış" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "`%.*s' girdi borusu ve çıktı borusu için kullanılmış" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "`%.*s' girdi borusu ve iki yönlü boru için kullanılmış" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "`%.*s' çıktı borusu ve iki yönlü boru için kullanılmış" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "kum kutusu kipinde yönlendirmeye izin verilmez" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "`%s' yönlendirmesi içindeki ifade bir sayı" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "`%s' yönlendirmesi içindeki ifade null dizge değeri içeriyor" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "`%.*s' dosya ismi (`%s' yönlendirmesi için) mantıksal ifadenin sonucu " "olabilir" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "get_file `%s' borusunu dosya tanıtıcı %d ile oluşturamıyor" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "`%s' borusu çıktı için açılamıyor: %s" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "`%s' borusu girdi için açılamıyor: %s" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" "`%s' için dosya tanıtıcı %d ile get_file üzerinden soket oluşturma bu " "sistemde desteklenmiyor" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "iki yönlü `%s' borusu G/Ç için açılamıyor: %s" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "`%s'den yönlendirilemiyor: %s" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "`%s'e yönlendirilemiyor: %s" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "açık dosyalar için sistem sınırı aşıldı: çoğul dosya tanımlayıcılara " "başlarken" #: io.c:1221 #, c-format msgid "close of `%s' failed: %s" msgstr "`%s' kapatılamadı: %s" #: io.c:1229 msgid "too many pipes or input files open" msgstr "çok fazla boru ya da dosya açık" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: ikinci değiştirge `to' ya da `from' olmalı" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "close: `%.*s' bir açık dosya, boru ya da alt-süreç değil" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "hiç açılmamış bir yönlendirmenin kapatılması" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close: `%s' yönlendirmesi bir `|&' ile açılmamış, ikinci değiştirge " "yoksayıldı" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "başarısızlık durumu (%d): `%s' borusunun kapatılması: %s" #: io.c:1400 #, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "başarısızlık durumu (%d): iki yönlü `%s' borusunun kapatılması: %s" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "başarısızlık durumu (%d): `%s' dosyasının kapatılması: %s" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "`%s' soketinin açıkça kapatılması istenmedi" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "`%s' alt-işleminin açıkça kapatılması istenmedi" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "`%s' borusunun açıkça kapatılması istenmedi" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "`%s' dosyasının açıkça kapatılması istenmedi" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "fflush: standard çıktı boşaltılamadı: %s" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "fflush: standard hata boşaltılamadı: %s" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "standart çıktıya yazarken hata: %s" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "standart hataya yazarken hata: %s" #: io.c:1513 #, c-format msgid "pipe flush of `%s' failed: %s" msgstr "`%s' borusunun boşaltımı başarısız: %s" #: io.c:1516 #, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "`%s'e borulanan alt-süreç ile aktarım başarısız: %s" #: io.c:1519 #, c-format msgid "file flush of `%s' failed: %s" msgstr "`%s için dosya ile boşaltım başarısız: %s" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "yerel port `%s' `/inet' için geçersiz: %s" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "yerel port `%s' `/inet' için geçersiz" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "uzak konak ve port bilgisi (%s, %s) geçersiz: %s" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "uzak konak ve port bilgisi (%s, %s) geçersiz" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "TCP/IP haberleşmesi desteklenmiyor" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "`%s', `%s' kipinde açılamadı" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "ana pty kapatılamadı: %s" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "ast süreçte stdÇ kapatılamadı: %s" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "ast süreçte yardımcı pty standart çıktıya taşınamadı (dup: %s)" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "ast süreçte stdG kapatılamadı: %s" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "ast süreçte yardımcı pty standart girdiye taşınamadı (dup: %s)" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "yardımcı pty kapatılamadı: %s" #: io.c:2317 msgid "could not create child process or open pty" msgstr "süreç çatallanamıyor ya da pty açılamıyor" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "alt süreçteki boru standart çıktıya taşınamadı (dup: %s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "ast süreçteki boru standart girdiye taşınamadı (dup: %s)" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "üst süreçte stdÇ eski durumuna getirilemedi" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "üst süreçte stdG eski durumuna getirilemedi" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "boru kapatılamadı: %s" #: io.c:2534 msgid "`|&' not supported" msgstr "`|&' desteklenmiyor" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "`%s' borusu açılamıyor: %s" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "`%s' için ast süreç oluşturulamıyor (fork: %s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "getline: iki yönlü borunun kapalı okuma ucu okunmaya çalışılıyor" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser: NULL gösterici alındı" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" "girdi çözümleyici `%s' evvelce kurulmuş girdi çözümleyici `%s' ile çelişiyor" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "`%2$s' açılırken girdi çözümleyici `%1$s' başarısız oldu" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_wrapper: NULL gösterici alındı" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" "çıktı sarmalayıcı `%s' evvelce kurulmuş çıktı sarmalayıcı `%s' ile çelişiyor" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "çıktı sarmalayıcı `%s' `%s' açılırken başarısız oldu" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor: NULL gösterici alındı" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" "iki yollu işlemci `%s' evvelce kurulmuş iki yollu işlemci `%s' ile çelişiyor" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "iki yollu işlemci `%s', `%s' açılırken başarısız oldu" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "veri dosyası `%s' boş" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "daha fazla girdi belleği ayrılamadı" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "`RS' çoklu karakter değeri gawk eklentisidir" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "IPv6 iletişimi desteklenmiyor" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "ortam değişkeni `POSIXLY_CORRECT' var: `--posix' kullanılıyor" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "`--posix' seçeneği `--traditional' seçeneğini etkisiz kılar" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "" "`--posix'/`--traditional' seçenekleri `--non-decimal-data' seçeneğini " "etkisiz kılar" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "`--posix' seçeneği `--characters-as-bytes' seçeneğini geçersiz kılar" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "%s setuid root çalıştırıldığında güvenlik sorunları olabilir" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "-r/--re-interval seçeneklerinin artık etkisi yok" #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "standart girdi ikil kipe ayarlanamaz: %s" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "standart çıktı ikil kipe ayarlanamaz: %s" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "standart hata ikil kipe ayarlanamaz: %s" #: main.c:483 msgid "no program text at all!" msgstr "uygulama metni hiç yok!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "" "Kullanımı: %s [POSIX veya GNU tarzı seçenekler] -f betik [--] dosya ...\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "Kullanımı: %s [POSIX veya GNU tarzı seçenekler] %ckodlar%c dosya ...\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "POSIX seçenekleri:\tGNU uzun seçenekleri: (standart)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f progDosyası\t\t--file=progDosyası\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F ayraç\t\t--field-separator=ayraç\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "\t-v var=değer\t\t--assign=var=değer\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "POSIX seçenekleri:\tGNU uzun seçenekleri: (eklentiler)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[dosya]\t\t--dump-variables[=dosya]\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-D[dosya]\t\t--debug[=dosya]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e 'yazılım-metni'\t--source='yazılım-metni'\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E dosya\t\t--exec=dosya\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "\t-i dosya\t\t--include=dosya\n" #: main.c:602 msgid "\t-I\t\t\t--trace\n" msgstr "\t-I\t\t\t--trace\n" #: main.c:603 #, fuzzy #| msgid "\t-I\t\t\t--trace\n" msgid "\t-k\t\t\t--csv\n" msgstr "\t-I\t\t\t--trace\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "\t-l kütüphane\t\t--load=kütüphane\n" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L[fatal|invalid|no-ext] --lint[=fatal|invalid|no-ext]\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "\t-M\t\t\t--bignum\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-o[dosya]\t\t--pretty-print[=dosya]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[dosya]\t\t--profile[=dosya]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-s\t\t\t--no-optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "\t-Z yerel\t\t--locale=yerel\n" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "Hataları bildirmek için, `gawkbug' uygulamasını kullanın.\n" "Talimatların tamamı, `gawk.info' içinde\n" "`Reporting Problems and Bugs' başlıklı `Bugs' bölümündedir\n" "Bu bilgi şu adreste de bulunabilir:\n" "https://www.gnu.org/software/gawk/manual/gawk.html#Bugs.\n" "Hataları LÜTFEN comp.lang.awk haber grubundan veya\n" "Stack Overflow gibi forumlar üzerinden bildirmeyin.\n" "\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk dizge kalıplarını tarama ve işleme dilidir.\n" "Öntanımlı olarak standart girdiyi okur ve standart çıktıya yazar.\n" "\n" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "Örnekler:\n" "\t%s '{ sum += $1 }; END { print sum }' dosya\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Telif hakkı (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "Bu uygulama serbest yazılımdır. Bu yazılımı Free Software Foundation\n" "tarafından yayınlanmış olan GNU Genel Kamu Lisansının 3. ya da sonraki\n" "herhangi bir sürümünün koşulları altında kopyalayabilir, dağıtabilir ve/" "veya\n" "üzerinde değişiklik yapabilirsiniz.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "Bu uygulama kullanışlı olabileceği umularak dağıtılmaktadır. Ancak,\n" "hiçbir GARANTİSİ YOKTUR; hatta SATILABİLİRLİĞİ veya HERHANGİ BİR\n" "AMACA UYGUNLUĞU için bile garanti verilmez. Daha ayrıntılı bilgi\n" "edinmek için GNU Genel Kamu Lisansına bakınız.\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "GNU Genel Kamu Lisansının bir kopyasını bu uygulama ile birlikte almış\n" "olacaksınız; yoksa http://www.gnu.org/licenses/ adresine bakın.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "-Ft, POSIX awk'da FS'yi sekmeye ayarlamaz" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: `-v' ile verilen `%s' değiştirgesi `değişken=değer' biçiminde değil\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "`%s' kurala uygun bir değişken ismi değil" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "`%2$s=%3$s' için dosyaya bakınca, `%1$s' bir değişken ismi değil" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "gawk yerleşiği olan `%s' değişken ismi olamaz" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "`%s' işlev ismi bir değişken olarak kullanılamaz" #: main.c:1294 msgid "floating point exception" msgstr "Gerçel sayı istisnası" #: main.c:1304 msgid "fatal error: internal error" msgstr "ölümcül iç hata" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "ön açılışlı bir %d dosya tanımlayıcısı yok" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "%d dosya tanımlayıcısı için /dev/null ön açılışı yapılamadı" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "`-e/--source' seçeneği için boş değiştirge yoksayıldı" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "`--posix' seçeneği `--pretty-print' seçeneğini geçersiz kılar" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "-M yoksayıldı: MPFR/GMP desteği derlenmemiş" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "--persist yerine `GAWK_PERSIST_FILE=%s gawk ...' kullanın." #: main.c:1726 msgid "Persistent memory is not supported." msgstr "Kalıcı bellek desteklenmiyor." #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: `-W %s' seçeneği tanımlı değil, yok sayıldı\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: seçenek bir değiştirgela kullanılır -- %c\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "" #: main.c:1913 msgid "persistent memory is not supported" msgstr "kalıcı bellek desteklenmiyor" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" "%s: ölümcül: kalıcı bellek ayırıcı ilklendirmede başarısız: dönen değer %d, " "pma.c satırı: %d.\n" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "PREC değeri `%.*s' geçersiz" #: mpfr.c:718 #, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "ROUNDMODE değeri `%.*s' geçersiz" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: ilk değiştirge sayısal olmayan türde alındı" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: ikinci değiştirge sayısal olmayan türde alındı" #: mpfr.c:825 #, c-format msgid "%s: received negative argument %.*s" msgstr "%s: negatif değiştirge %.*s alındı" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int: sayısal olmayan değiştirge alındı" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: sayısal olmayan değiştirge alındı" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%Rg): negatif değere izin yok" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "comp(%Rg): ondalık kısım kırpılacak" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%Zd): negatif değerlere izin yok" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s: alınan %d. değiştirge sayısal değil" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "%s: %d. değiştirge geçersiz %Rg değerini içeriyor, 0 kullanılıyor" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%s: %d. değiştirgede %Rg negatif değerine izin verilmiyor" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "%s: %d. değiştirge %Rg için ondalık kısım kırpılacak" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%s: %d. değiştirgede %Zd negatif değerine izin verilmiyor" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: ikiden az değiştirge ile çağrıldı" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or: iki değiştirgeden azı ile çağrıldı" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "xor: iki değiştirgeden azı ile çağrıldı" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: sayısal olmayan değiştirge alındı" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "intdiv: ilk değiştirge sayısal olmayan türde alındı" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "intdiv: ikinci değiştirge sayısal değil" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "komut satırı:" #: node.c:477 #, fuzzy #| msgid "backslash not last character on line" msgid "backslash at end of string" msgstr "tersbölü satırdaki son karakter değil" #: node.c:511 msgid "could not make typed regex" msgstr "yazılan düzenli ifade derlenemedi" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "eski awk `\\%c' önceleme dizilimini desteklemiyor" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX `\\x' öncelemelerine izin vermez" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "`\\x' önceleme dizgesinde onaltılık rakamlar yok" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "%1$d karakterlik \\x%2$.*3$s onaltılık öncellemi muhtemelen umduğunuz gibi " "yorumlanmayacak" #: node.c:705 #, fuzzy #| msgid "POSIX does not allow `\\x' escapes" msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX `\\x' öncelemelerine izin vermez" #: node.c:713 #, fuzzy #| msgid "no hex digits in `\\x' escape sequence" msgid "no hex digits in `\\u' escape sequence" msgstr "`\\x' önceleme dizgesinde onaltılık rakamlar yok" #: node.c:744 #, fuzzy #| msgid "no hex digits in `\\x' escape sequence" msgid "invalid `\\u' escape sequence" msgstr "`\\x' önceleme dizgesinde onaltılık rakamlar yok" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "`\\%c' önceleme dizgesi `%c' olarak kullanıldı" #: node.c:908 msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "Geçersiz çok baytlı veri saptandı. Verileriniz ile yereliniz arasında bir " "uyumsuzluk olabilir" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "%s %s `%s': dosya tanıtıcı seçenekleri alınamadı: (fcntl F_GETFD: %s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "%s %s `%s': close-on-exec atanamadı: (fcntl: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "" "Uygulama girinti düzeyi çok derin. Kodunuzu yeniden düzenlemeyi düşünün" #: profile.c:114 msgid "sending profile to standard error" msgstr "profil standart hataya gönderiliyor" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# %s kural(lar)ı\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# Kurallar\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "iç hata: null vname'li %s" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "iç hata: null fname'li yerleşik" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "%s# Yüklü eklentiler (-l ve/veya @load)\n" "\n" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\n" "# İçerilen dosyalar (-i ve/veya @include)\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# gawk profili, oluşturuldu: %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# İşlevler, alfabetik sırayla\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str: bilinmeyen yönlendirme türü %d" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" "NUL karakterler içeren bir düzenli ifadenin eşleşme davranışı POSIX'te " "tanımsızdır" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "dinamik düzenli ifade içinde geçersiz NUL bayt" #: re.c:215 #, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "düzenli ifade `\\%c' önceleme dizgesi `%c' olarak ele alındı" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "düzenli ifade öncelemi `\\%c' bilinen bir düzenli ifade işleci değil" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "düzenli ifade bileşeni `%.*s' muhtemelen `[%.*s]' olmalı" #: support/dfa.c:910 msgid "unbalanced [" msgstr "dengesiz [" #: support/dfa.c:1031 msgid "invalid character class" msgstr "karakter sınıfı geçersiz" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "karakter sınıfı sözdizimi için [[:space:]] geçerlidir, [:space:] değil" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "bitmemiş \\ öncelemi" #: support/dfa.c:1345 msgid "? at start of expression" msgstr "ifade başlangıcında ?" #: support/dfa.c:1357 msgid "* at start of expression" msgstr "ifade başlandıcında *" #: support/dfa.c:1371 msgid "+ at start of expression" msgstr "ifade başlangıcında +" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "ifade başlangıcında {...}" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "\\{\\} içeriği geçersiz" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "düzenli ifade çok büyük" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "yazılamayan karakter öncesi serseri \\" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "boşluk karakterinden önce serseri \\" #: support/dfa.c:1594 #, fuzzy, c-format #| msgid "stray \\ before %lc" msgid "stray \\ before %s" msgstr "%lc öncesi serseri \\" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "serseri \\" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "dengesiz (" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "sözdizimi belirtilmemiş" #: support/dfa.c:2077 msgid "unbalanced )" msgstr "dengesiz )" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: `%s' seçeneğinde belirsizlik; olasılıklar:" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s: `--%s' seçeneği değiştirgesiz kullanılmaz\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: seçenek `%c%s' değiştirgesiz kullanılır\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: `--%s' seçeneği bir değiştirge gerektirir\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: '--%s' seçeneği bilinmiyor\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: '%c%s' seçeneği bilinmiyor\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: geçersiz seçenek -- '%c'\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s: seçenek bir değiştirge gerektirir -- '%c'\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: `-W %s' seçeneğinde belirsizlik\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: `-W %s' seçeneği değiştirgesiz kullanılır\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: '-W %s' seçeneği bir değiştirge gerektirir\n" #: support/regcomp.c:122 msgid "Success" msgstr "Başarılı" #: support/regcomp.c:125 msgid "No match" msgstr "Eşleşmez" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "Düzenli ifade geçersiz" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "Karşılaştırma karakteri geçersiz" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "Karakter sınıf ismi geçersiz" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "İzleyen tersbölü" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "Geriye başvuru geçersiz" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "[, [^, [:, [. veya [= eşleşmiyor" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "( ya da \\( eşleşmiyor" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "\\{ eşleşmiyor" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "\\{\\} içeriği geçersiz" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "Kapsam sonu geçersiz" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "Bellek tükendi" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "düzenli ifade önceliği geçersiz" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "Düzenli ifade sonu eksik kalmış" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "Düzenli ifade çok büyük" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr ") ya da \\) eşleşmiyor" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "Daha önce düzenli ifade yok" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" #: symbol.c:781 #, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "işlev `%s': işlev ismi `%s' değiştirge ismi olarak kullanılamaz" # (translator) # pop: point of presence; point of access to the internet. #: symbol.c:911 msgid "cannot pop main context" msgstr "ana bağlam erişim noktası olamıyor" #~ msgid "fatal: must use `count$' on all formats or none" #~ msgstr "" #~ "ölümcül: tüm biçemlerde ya `count$' kullanmalısınız ya da hiçbir şey" #, c-format #~ msgid "field width is ignored for `%%' specifier" #~ msgstr "alan genişliği `%%' belirteci için yok sayıldı" #, c-format #~ msgid "precision is ignored for `%%' specifier" #~ msgstr "hassasiyet `%%' belirteci için yok sayıldı" #, c-format #~ msgid "field width and precision are ignored for `%%' specifier" #~ msgstr "alan genişliği ve hassasiyeti `%%' belirteci için yok sayıldı" #~ msgid "fatal: `$' is not permitted in awk formats" #~ msgstr "ölümcül: `$' awk biçemlerde kullanılmaz" #~ msgid "fatal: argument index with `$' must be > 0" #~ msgstr "ölümcül: `$' ile birlikte verilen değiştirge indisi > 0 olmalıdır" #, c-format #~ msgid "" #~ "fatal: argument index %ld greater than total number of supplied arguments" #~ msgstr "" #~ "ölümcül: değiştirge indisi %ld sağlanan toplam değiştirge sayısından büyük" #~ msgid "fatal: `$' not permitted after period in format" #~ msgstr "ölümcül: `$' biçem içinde noktadan sonra kullanılmaz" #~ msgid "fatal: no `$' supplied for positional field width or precision" #~ msgstr "" #~ "ölümcül: konumsal alan genişliği ya da duyarlığı için `$' kullanılmamış" #, c-format #~ msgid "`%c' is meaningless in awk formats; ignored" #~ msgstr "`%c' awk biçemlerde anlamsız; yoksayıldı" #, c-format #~ msgid "fatal: `%c' is not permitted in POSIX awk formats" #~ msgstr "ölümcül: `%c' POSIX awk biçemlerde kullanılmaz" #, c-format #~ msgid "[s]printf: value %g is too big for %%c format" #~ msgstr "[s]printf: %g değeri `%%c' biçimi için çok büyük" #, c-format #~ msgid "[s]printf: value %g is not a valid wide character" #~ msgstr "[s]printf: %g değeri geçerli bir geniş karakter değil" #, c-format #~ msgid "[s]printf: value %g is out of range for `%%%c' format" #~ msgstr "[s]printf: %g değeri `%%%c' biçimi için kapsamdışı" #, c-format #~ msgid "[s]printf: value %s is out of range for `%%%c' format" #~ msgstr "[s]printf: %s değeri `%%%c' biçimi için kapsamdışı" #, c-format #~ msgid "%%%c format is POSIX standard but not portable to other awks" #~ msgstr "" #~ "%%%c biçemi POSIX standardıdır ama diğer awk'lara taşınabilir değildir" #, c-format #~ msgid "" #~ "ignoring unknown format specifier character `%c': no argument converted" #~ msgstr "" #~ "bilinmeyen biçem belirteç karakteri `%c' yok sayılıyor: dönüştürülen " #~ "değiştirge yok" #~ msgid "fatal: not enough arguments to satisfy format string" #~ msgstr "ölümcül: biçem dizgesini oluşturacak yeterli değiştirge yok" #~ msgid "^ ran out for this one" #~ msgstr "bir bunun için ^ tükendi" #~ msgid "[s]printf: format specifier does not have control letter" #~ msgstr "[s]printf: biçem belirteci denetim karakteri içermiyor" #~ msgid "too many arguments supplied for format string" #~ msgstr "biçem dizgesi için çok fazla değiştirge sağlanmış" #, c-format #~ msgid "%s: received non-string format string argument" #~ msgstr "%s: alınan biçem dizgesi değiştirgesi dizge değil" #~ msgid "sprintf: no arguments" #~ msgstr "sprintf: değiştirge yok" #~ msgid "printf: no arguments" #~ msgstr "printf: değiştirge yok" #~ msgid "printf: attempt to write to closed write end of two-way pipe" #~ msgstr "printf: iki yönlü borunun kapalı yazma ucuna yazılmaya çalışılıyor" #, c-format #~ msgid "typeof: invalid argument type `%s'" #~ msgstr "typeof: değiştirge türü `%s' geçersiz" #, c-format #~ msgid "%s" #~ msgstr "%s" #~ msgid "" #~ "The time extension is obsolete. Use the timex extension from gawkextlib " #~ "instead." #~ msgstr "" #~ "time eklentisi kullanımdışı. Yerine gawkextlib altındaki timex " #~ "eklentisini kulanın." #~ msgid "\t-W nostalgia\t\t--nostalgia\n" #~ msgstr "\t-W nostalgia\t\t--nostalgia\n" #~ msgid "fatal error: internal error: segfault" #~ msgstr "" #~ "ölümcül iç hata: parçalama arızası (tr_TR yerine C yereli kullanımı çözüm " #~ "olabilir)" #~ msgid "fatal error: internal error: stack overflow" #~ msgstr "ölümcül iç hata: yığıt taşması" EOF echo Extracting po/uk.po cat << \EOF > po/uk.po # Ukrainian translation of gawk # Copyright (C) 2023 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # Volodymyr M. Lisivka , 2023 # msgid "" msgstr "" "Project-Id-Version: GNU gawk 5.2.1b\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2023-06-25 18:32+0300\n" "Last-Translator: Yuri Chornoivan \n" "Language-Team: Ukrainian \n" "Language: uk\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Bugs: Report translation errors to the Language-Team address.\n" #: array.c:249 #, c-format msgid "from %s" msgstr "з %s" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "спроба використати скалярне значення, як масив" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "спроба використати скалярний параметр «%s» як масив" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "спроба використати скаляр «%s» як масив" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "спроба використати масив «%s» в скалярному контексті" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "видалення: індекс «%.*s» не знайдено в масиві «%s»" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "спроба використати скаляр «%s[\"%.*s\"]» як масив" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "%s: перший аргумент не є масивом" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "%s: другий аргумент не є масивом" #: array.c:901 field.c:1150 field.c:1247 #, c-format msgid "%s: cannot use %s as second argument" msgstr "%s: не можу використати %s як другий аргумент" #: array.c:909 #, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "%s: перший аргумент не може бути SYMTAB без другого аргументу" #: array.c:911 #, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "%s: перший аргумент не може бути FUNCTAB без другого аргументу" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" "asort/asorti: використовувати той же масив як джерело та призначення без " "третього аргументу є дивним." #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "" "%s: не можна використовувати підмасив першого аргументу для другого аргументу" #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "" "%s: не можна використовувати підмасив другого аргументу для першого аргументу" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "«%s» є недійсним ім'ям функції" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "функція порівняння сортування «%s» не визначена" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "блоки %s повинні мати виконувану частину" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "кожне правило повинно мати шаблон або виконувану частину" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "стара версія awk не підтримує кілька правил «BEGIN» або «END»" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "«%s» є вбудованою функцією, її неможливо перевизначити" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "константа регулярного виразу «//» схожа з коментарем С++, але не є" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "константа регулярного виразу «/%s/» схожа з коментарем С, але не є" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "подвійні значення case у виразі switch: %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "виявлено подвійне «default» у виразі switch" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "команда «break» поза межами циклу або виразу switch не дозволена" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "команда «continue» поза межами циклу не дозволена" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "команда «next» застосована в дії %s" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "команда «nextfile» застосована в дії %s" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "Команда «return» використовується поза контекстом функції." #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" "Простий «print» у правилах BEGIN або END має бути, ймовірно, «print \"\"»" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "«delete» не дозволяється з SYMTAB" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "«delete» не дозволяється з FUNCTAB" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "«delete(array)» є технічним розширенням tawk, яке не є переносним" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "Багатоступеневі двосторонні канали не працюють" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "Конкатенація у вигляді цілі перенаправлення I/O «>» є неоднозначною" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "Регулярний вираз з правого боку призначення" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "Регулярний вираз в лівій частині оператора «~» або «!~»" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "Старий awk не підтримує ключове слово «in», крім після «for»" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "Регулярний вираз з правого боку порівняння" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "неперенаправлений «getline» невірний всередині правила «%s»" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "невизначений неперенаправлений «getline» всередині дії END" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "стара версія awk не підтримує багатовимірні масиви" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "виклик «length» без дужок є непереносним" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "непрямі виклики функцій є розширенням gawk" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "" "не можна використовувати спеціальну змінну «%s» для непрямих викликів функцій" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "спроба використовувати ненаявну функцію «%s» у виклику функції" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "невірний вираз підпису" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "попередження: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "фатально: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "неочікуваний новий рядок або кінець стрічки" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" "файли джерельного коду / аргументи командного рядка мають містити повні " "функції або правила" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "не можу відкрити файл джерельного коду «%s» для читання: %s" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "не можу відкрити спільну бібліотеку «%s» для читання: %s" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "причина невідома" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "не можна включати «%s» та використовувати його як файл програми" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "джерельний файл коду «%s» вже був включений" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "спільна бібліотека «%s» вже була завантажена" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "@include - розширення для gawk" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "пусте ім'я файлу після @include" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "@load є розширенням gawk" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "пусте ім'я файлу після @load" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "порожній текст програми в командному рядку" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "не можу прочитати джерельний файл «%s»: %s" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "джерельний файл «%s» порожній" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "помилка: недійсний символ '\\%03o' в джерельному коді" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "джерельний файл не закінчується символом нового рядка" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "не закінчений регулярний вираз закінчується на «\\» в кінці файлу" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "%s: %d: Модифікатор tawk «/.../%c» не працює в gawk" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "Модифікатор tawk «/.../%c» не працює в gawk" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "незавершений регулярний вираз" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "незавершений регулярний вираз у кінці файлу" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "використання продовження рядка «\\ ...» не є переносимим" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "«\\» не в кінці рядка" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "багатовимірні масиви - це розширення gawk" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX не дозволяє оператор «%s»" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "оператор «%s» не підтримується в старому awk" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "незавершена стрічка" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "POSIX не дозволяє фізичні переноси рядків в стрічках" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "використання «\\» для продовження стрічки не є переносимим" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "недійсний символ '%c' у виразі" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "«%s» - це розширення gawk" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX не дозволяє «%s»" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "«%s» не підтримується у старому awk" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "«goto» розглядається як шкідлива практика!" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d є неприпустимою кількістю аргументів для %s" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "%s: текстовий літерал як останній аргумент заміни не має ефекту" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "третій параметр %s не є змінним об'єктом" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match: третій аргумент - розширення gawk" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close: другий аргумент - це розширення gawk" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "використання dcgettext(_\"...\") є неправильним: видаліть початкові " "підкреслювання" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "" "використання dcngettext(_\"...\") є неправильним: видаліть початкові " "підкреслювання" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "index: регулярний вираз другим аргументом заборонено" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "функція «%s»: параметр «%s» затіняє глобальну змінну" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "не вдалося відкрити «%s» для запису: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "надсилання списку змінних до стандартного виводу для помилок" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "%s: не вдалося закрити: %s" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "shadow_funcs() було викликано двічі!" #: awkgram.y:4980 msgid "there were shadowed variables" msgstr "існували затінені змінні" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "ім'я функції «%s» вже було визначено раніше" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "" "функція «%s»: не можна використовувати назву функції як назву параметра" #: awkgram.y:5126 #, fuzzy, c-format #| msgid "" #| "function `%s': cannot use special variable `%s' as a function parameter" msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "" "функція «%s»: не можна використовувати спеціальну змінну «%s» як параметр " "функції" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "функція «%s»: параметр «%s» не може містити простір імен" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "функція «%s»: параметр №%d, «%s», дублює параметр №%d" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "функція «%s» викликається, але ніколи не визначалась" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "функцію «%s» визначено, але не викликали безпосередньо" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "" "константа регулярного виразу для параметру №%d повертає булеве значення" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "функцію «%s» викликано зі спробою вставити пробіл між назвою та «(»,\n" "або використовується як змінна або масив" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "спроба ділення на нуль" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "спроба ділення на нуль в «%%»" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "не можна присвоювати значення результату постінкрементного виразу" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "невірна ціль присвоєння (опкод %s)" #: awkgram.y:6266 msgid "statement has no effect" msgstr "оператор не має ефекту" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" "ідентифікатор %s: кваліфіковані імена не дозволені в традиційному / POSIX " "режимі" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "ідентифікатор %s: роздільник простору імен - дві двокрапки, а не одна" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "кваліфікований ідентифікатор «%s» має неправильний формат" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" "ідентифікатор «%s»: роздільник простору імен може з'являтися лише раз у " "кваліфікованому імені" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" "використання зарезервованого ідентифікатора «%s» як простору імен не " "дозволено" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" "використання зарезервованого ідентифікатора «%s» як другого компонента " "кваліфікованого імені не дозволено" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "@namespace - розширення gawk" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "ім'я простору імен «%s» повинно відповідати правилам ідентифікаторів" #: builtin.c:93 builtin.c:100 #, c-format msgid "%s: called with %d arguments" msgstr "%s: викликано з %d аргументами" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "%s не вдалося в «%s»: %s" #: builtin.c:129 msgid "standard output" msgstr "стандартний вивід" #: builtin.c:130 msgid "standard error" msgstr "стандартний вивід для помилок" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s: отримано нечисловий аргумент" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp: аргумент %g виходить за межі допустимого" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "%s: отримано не стрічковий аргумент" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: не можу змити буфер: кінець. «%.*s» відкритий для читання, а не " "запису" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" "fflush: не можу змити буфер: файл «%.*s» відкритий для читання, а не для " "запису" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush: не можу змити буфер у файл «%.*s»: %s" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" "fflush: не можу змити буфер: двосторонній канал «%.*s» закритий для запису" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "fflush: «%.*s» не є відкритим файлом, каналом або спільним процесом" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "%s: була отримана не стрічка як перший аргумент" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "%s: була отримана не стрічка як другий аргумент" #: builtin.c:595 msgid "length: received array argument" msgstr "length: отримано масив як аргумент" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "«length(array)» - розширення gawk" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "%s: отримано від'ємний аргумент %g" #: builtin.c:698 builtin.c:2949 #, c-format msgid "%s: received non-numeric third argument" msgstr "%s: отримано нечисловий третій аргумент" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "%s: отримано нечисловий другий аргумент" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: довжина %g менше 1" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: довжина %g менше 0" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: недійсна довжина %g буде скорочена" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "" "substr: довжина %g занадто велика для індексації стрічки, обрізано до %g" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: початковий індекс %g недійсний, використовується 1" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "substr: нечисловий індекс початку %g буде обрізаний" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: джерельна стрічка нульової довжини" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: індекс початку %g перевищує довжину стрічки" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: довжина %g з індексу початку %g перевищує довжину першого аргументу " "(%lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "strftime: значення формату у PROCINFO[\"strftime\"] має числовий тип" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "strftime: другий аргумент менше 0 або завеликий для time_t" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "strftime: другий аргумент поза діапазоном для time_t" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: отримано порожню стрічку форматування" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "mktime: принаймні одне зі значень виходить за стандартний діапазон" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "функція «system» заборонена в режимі пісочниці" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "" "print: спроба запису в закритий для запису кінець двостороннього каналу" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "посилання на неініціалізоване поле «$%d»" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "%s: отримано нечисловий перший аргумент" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: третій аргумент не є масивом" #: builtin.c:1604 #, c-format msgid "%s: cannot use %s as third argument" msgstr "%s: не можу використати %s як третій аргумент" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: третій аргумент «%.*s» розглядається як 1" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s: може бути викликаний опосередковано лише з двома аргументами" #: builtin.c:2242 msgid "indirect call to gensub requires three or four arguments" msgstr "опосередкований виклик gensub вимагає трьох або чотирьох аргументів" #: builtin.c:2304 msgid "indirect call to match requires two or three arguments" msgstr "опосередкований виклик match вимагає двох або трьох аргументів" #: builtin.c:2365 #, c-format msgid "indirect call to %s requires two to four arguments" msgstr "опосередкований виклик %s потребує від двох до чотирьох аргументів" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): від'ємні значення заборонені" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f): дробові значення будуть обрізані" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "lshift(%f, %f): занадто великі значення зсуву дадуть дивні результати" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f, %f): від'ємні значення заборонені" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): дробові значення будуть обрізані" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "rshift(%f, %f): занадто великі значення зсуву дадуть дивні результати" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "%s: викликано з менше, ніж двох аргументів" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "%s: аргумент %d є нечисловим" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%s: аргумент %d зі значенням %g, яке від'ємне, заборонено" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): від'ємне значення не допускається" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): дробова частина буде відкинута" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: «%s» не є дійсною категорією локалі" #: builtin.c:2842 builtin.c:2860 #, c-format msgid "%s: received non-string third argument" msgstr "%s: отримано не стрічковий третій аргумент" #: builtin.c:2915 builtin.c:2936 #, c-format msgid "%s: received non-string fifth argument" msgstr "%s: отримано не стрічковий п'ятий аргумент" #: builtin.c:2925 builtin.c:2942 #, c-format msgid "%s: received non-string fourth argument" msgstr "%s: отримано не стрічковий четвертий аргумент" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "intdiv: третій аргумент не є масивом" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "intdiv: спроба ділення на нуль" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "typeof: другий аргумент не є масивом" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" "typeof виявив недійсну комбінацію прапорців «%s»; будь ласка, повідомте про " "помилку" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "typeof: невідомий тип аргументу «%s»" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "не можу додати новий файл (%.*s) до ARGV у режимі пісочниці" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "Введіть оператор (g)awk. Завершіть за допомогою команди «end»\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "некоректний номер кадру: %d" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "інформація: некоректна опція - «%s»" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "джерело: «%s»: вже вже виконано" #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "збереження: «%s»: команда не дозволена" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "" "не можна використовувати команду «commands» для команд точок зупинки/стеження" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "ще не встановлено жодної точки зупинки/стеження" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "некоректний номер точки зупинки/стеження" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "Введіть команди для виконання при влучанні %s %d, по одній на рядок.\n" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "Завершіть команду за допомогою команди «end»\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "«end» дійсний тільки у команді «commands» або «eval»" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "«silent» дійсний тільки у команді «commands»" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "trace: неправильна опція - «%s»" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "умова: неправильний номер точки зупинки/стеження" #: command.y:452 msgid "argument not a string" msgstr "аргумент не стрічка" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "опція: неправильний параметр - «%s»" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "функція не існує - «%s»" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "enable: неправильна опція - «%s»" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "недійсна специфікація діапазону: %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "Не-числове значення для номера поля" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "Знайдено не-числове значення, очікувався числовий тип" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "Не-нульове ціле значення" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" "backtrace [КІЛЬКІСТЬ] - друкувати слід всіх або КІЛЬКІСТЬ внутрішніх " "(зовнішніх якщо від'ємне) кадрів" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "" "break [[файл:]№_рядка|функція] - встановити точку зупинки на вказаному місці" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "" "clear [[файл:]№_рядка|функція] - видалити раніше встановлені точки зупинки" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" "commands [№_точки] - починає список команд, які будуть виконані при влучанні " "в точку зупинки(стеження) " #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" "condition №_точки [вираз] - встановити або очистити умову точки зупинки або " "стеження" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "continue [КІЛЬКІСТЬ] - продовжити відлагодження програми" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "delete [точки] [діапазон] - видалити вказані точки зупинки" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "disable [точки] [діапазон] - деактивувати вказані точки зупинки" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "" "display [змінна] - друкувати значення змінної кожного разу, коли програма " "зупиняється" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "down [КІЛЬКІСТЬ] - переміститися вниз на КІЛЬКІСТЬ кадрів в стеці" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "" "dump [файлу] - вивантажити інструкції до файлу або на стандартний вивід" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "" "enable [once|del] [точки_зупинки] [діапазон] - активувати вказані точки " "зупинки" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "end - закінчити список команд або виразів awk" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "eval вираз|[p1, p2, ...] - виконати вирази awk" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "exit - (також quit) вихід з відлагоджувача" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "finish - виконувати до повернення обраного кадру стеку" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "frame [№_кадру] - вибір і виведення кадру номер № у стеку кадрів" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "help [команда] - виводить список команд або пояснення до команди" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "" "ignore № КІЛЬКІСТЬ - встановити значення лічильника ігнорування точки " "зупинки номер № на КІЛЬКІСТЬ" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info тема - source|sources|variables|functions|break|frame|args|locals|" "display|watch" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "list [-|+|[файл:]№_рядка|функція|діапазон] - перелічити вказані рядки" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "" "next [КІЛЬКІСТЬ] - виконати наступний крок програми, переходячи через " "підпрограми" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" "nexti [КІЛЬКІСТЬ] - крокувати одну інструкцію, але продовжити переходячи " "через підпрограми" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "" "option [ім'я[=значення]] - встановити або вивести значення опції(й) " "відлагоджувача" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "print змінна [змінна] - вивести значення змінної або масиву" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "printf формат, [аргумент], ... - відформатований вивід" #: command.y:872 msgid "quit - exit debugger" msgstr "quit - вийти з відлагоджувача" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "" "return [значення] - виконати повернення вибраного кадру в стеку до його " "викликача" #: command.y:876 msgid "run - start or restart executing program" msgstr "run - запустити або перезапустити виконання програми" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "save файл - зберегти команди з сеансу до файлу" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "set змінна = значення - присвоїти значення скалярній змінній" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" "silent - зупиняє звичайне повідомлення, коли зупинений на точці зупинки/" "стеження" #: command.y:886 msgid "source file - execute commands from file" msgstr "source файл - виконати команди з файлу" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "step [КІЛЬКІСТЬ] - виконати програму до наступного рядка коду" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [КІЛЬКІСТЬ] - виконати саме одну інструкцію" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "" "tbreak [[ім'я_файлу:]№_рядка|функція] - встановити тимчасову точку зупинки" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "trace on|off - вивести інструкцію перед виконанням" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "" "undisplay [№_змінної] - видалити змінну зі списку автоматичного відображення " "змінних" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" "until [[ім'я_файлу:]№_рядка|функція] - виконувати до досягнення програмою " "іншого рядка або рядка номер № у поточному стеку" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [№_змінної] - видалити змінну зі списку відстеження змінних" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "up [КІЛЬКІСТЬ] - перейти КІЛЬКІСТЬ кадрів вгору по стеку" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "watch змінна - встановити точку відстеження змінної" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "where [КІЛЬКІСТЬ] - (таке ж як backtrace) друкувати слід всіх або КІЛЬКІСТЬ " "найвнутрішніших (або найзовнішніших, якщо КІЛЬКІСТЬ від'ємна) кадрів стеку" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "помилка: " #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "не можу прочитати команду: %s\n" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "не можу прочитати команду: %s" #: command.y:1126 msgid "invalid character in command" msgstr "недійсний символ у команді" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "невідома команда - «%.*s», загляньте у довідку" #: command.y:1294 msgid "invalid character" msgstr "недійсний символ" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "невизначена команда: %s\n" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "" "встановити або показати кількість рядків для зберігання в історії файлу" #: debug.c:259 msgid "set or show the list command window size" msgstr "встановити або показати розмір вікна списку команд" #: debug.c:261 msgid "set or show gawk output file" msgstr "встановити або показати вихідний файл gawk" #: debug.c:263 msgid "set or show debugger prompt" msgstr "встановити або показати запрошення налагоджувача" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "" "увімкнути/вимкнути або показати збереження історії команд (значення=on|off)" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "" "увімкнути/вимкнути або показати збереження налаштувань (значення=on/off)" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "увімкнути/вимкнути відстеження виконання інструкцій (значення=on|off))" #: debug.c:358 msgid "program not running" msgstr "програма не запущена" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "джерельний файл «%s» порожній.\n" #: debug.c:502 msgid "no current source file" msgstr "немає поточного джерельного файлу" #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "не можу знайти джерельний файл з іменем «%s»: %s" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "" "попередження: джерельний файл «%s» змінений після компіляції програми.\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "номер рядка %d має недопустиме значення; «%s» має %d рядків" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "неочікуваний кінець файлу під час читання файлу «%s», рядок %d" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "джерельний файл «%s» змінений після початку виконання програми" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "Поточний джерельний файл: %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "Кількість рядків: %d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "Джерельний файл (рядки): %s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "Номер Вивід Активний Розташування\n" "\n" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "\tкількість влучань = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "\tпропустити наступні %ld влучань\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "\tумова зупинки: %s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "\tкоманди:\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "Поточний кадр: " #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "Викликано кадром: " #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "Викликач кадру: " #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "Немає в main().\n" #: debug.c:870 msgid "No arguments.\n" msgstr "Немає аргументів.\n" #: debug.c:871 msgid "No locals.\n" msgstr "Немає локальних змінних.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "Всі визначенні змінні:\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "Всі визначенні функції:\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "Автоматичне відображення змінних:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "Змінні під стеженням:\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "немає символу «%s» в поточному контексті\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "«%s» не є масивом\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = неініціалізоване поле\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "масив «%s» порожній\n" #: debug.c:1184 debug.c:1236 #, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "індекс \"%.*s\" не присутній в масиві «%s»\n" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "«%s[\"%.*s\"]» не є масивом\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "«%s» не є скалярною змінною" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "спроба використання масиву «%s[\"%.*s\"]» в скалярному контексті" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "спроба використання скалярної змінної «%s[\"%.*s\"]» як масиву" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "«%s» є функцією" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "точка стеження %d є безумовною\n" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "немає елементу показу з номером %ld" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "немає елементу перегляду з номером %ld" #: debug.c:1596 #, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d: підписка \"%.*s\" не є в масиві «%s»\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "спроба використання скалярного значення як масиву" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "" "Точка стеження %d видалена, тому що параметр виходить за межі області " "видимості.\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "" "Показ %d видалений, тому що параметр виходить за межі області видимості.\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr " у файлі «%s», рядок %d\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr " на `%s':%d" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "№%ld\tу " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "Слідують ще кадри стеку...\n" #: debug.c:2092 msgid "invalid frame number" msgstr "неправильний номер кадру" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Примітка: точка зупинки %d (увімкнена, ігнорує наступні %ld влучань), також " "встановлена у %s:%d" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "Примітка: точка зупинки %d (увімкнена), також встановлена в %s:%d" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Примітка: точка зупинки %d (вимкнена, ігнорує наступні %ld влучань), також " "встановлена в %s:%d" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "Примітка: точка зупинки %d (вимкнена), також встановлена в %s:%d" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "Точку зупинки %d встановлено в файлі «%s», рядок %d\n" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "не можу встановити точку зупинки у файлі «%s»\n" #: debug.c:2444 #, c-format msgid "line number %d in file `%s' is out of range" msgstr "номер рядка %d у файлі «%s» виходить за межі діапазону" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "внутрішня помилка: не можу знайти правило\n" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "не можу встановити точку зупинки на «%s»:%d\n" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "не можу встановити точку зупинки у функції «%s»\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "переривання %d встановлено для файлу «%s», рядок %d є безумовним\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "номер рядка %d в файлі «%s» за межами діапазону" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "Видалено точку зупинки %d" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "Немає жодної точки зупинки на входженні у функцію «%s»\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "Немає жодної точки зупинки у файлі «%s», рядок №%d\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "неприпустимий номер точки зупинки" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "Видалити всі точки зупинки? (т або н) " #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "т" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "Ігноруватиме наступні %ld перетинів точки зупинки %d.\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "Зупиниться наступного разу, коли досягне точки зупинки %d.\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "Можна відлагоджувати лише програми, що надаються з опцією «-f».\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "Перезапуск ...\n" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "Не можу перезапустити зневаджувач" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "Програма вже запущена. Перезапустити з початку (т/н)?" #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "Програма не перезапущена\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "помилка: не можу перезапустити, операція не дозволяється\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "помилка (%s): не можу перезапустити, ігноруючи решту команд\n" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "Запуск програми:\n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "Програма завершилася ненормально зі значенням виходу: %d\n" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "Програма завершилася нормально зі значенням виходу: %d\n" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "Програма працює. Вийти в будь-якому випадку (т/н)? " #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "Не зупинено на жодній точці зупинки; аргумент ігнорується.\n" #: debug.c:3091 #, c-format msgid "invalid breakpoint number %d" msgstr "недійсний номер точки зупинки %d" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "Ігноруватиме наступних %ld перетинів точки зупинки %d.\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "«finish» не має сенсу в зовнішньому блоці main()\n" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "Виконувати до повернення з " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "«return» не має сенсу в зовнішньому блоці main()\n" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "не можу знайти вказане місцезнаходження у функції «%s»\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "недійсний номер рядка %d у файлі «%s»" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "не можу знайти вказане місцезнаходження %d у файлі «%s»\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "елемент не знайдений у масиві\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "нетипізована змінна\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "Зупинка у %s ...\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "«finish» не має змісту з не-локальним стрибком «%s»\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "«until» не має змісту з не-локальним стрибком «%s»\n" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "\t------[Enter] продовжити або [q] + [Enter] для виходу------" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%.*s\"] не в масиві «%s»" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "відсилаю вивід на стандартний вивід\n" #: debug.c:5449 msgid "invalid number" msgstr "невірний номер" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "«%s» не дозволяється в поточному контексті; оператор ігнорується" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "«return» не дозволено в поточному контексті; оператор ігнорується" #: debug.c:5639 #, c-format msgid "fatal error during eval, need to restart.\n" msgstr "фатальна помилка під час оцінки, необхідно перезапустити.\n" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "немає символу «%s» в поточному контексті" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "невідомий тип вузла %d" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "невідомий опкод %d" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "опкод %s не є оператором або ключовим словом" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "переповнення буфера в genflags2str" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# Стек викликів функцій:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "«IGNORECASE» - це розширення gawk" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "«BINMODE» - це розширення gawk" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "Неправильне значення BINMODE «%s», трактується як 3" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "некоректна специфікація для «%sFMT»: «%s»" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "вимкнення «--lint» через призначення для «LINT»" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "звернення до неініціалізованого аргументу «%s»" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "звернення до неініціалізованої змінної «%s»" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "спроба посилання на поле з не числовим значенням" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "спроба посилання на поле з пустої стрічки" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "спроба доступу до поля %ld" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "звернення до неініціалізованого поля «$%ld»" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "функція «%s» викликана з більшою кількістю аргументів, ніж заявлено" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: неочікуваний тип «%s»" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "спроба ділення на нуль в «/=»" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "спроба ділення на нуль в «%%=»" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "розширення заборонені в режимі пісочниці" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "-l / @load - це розширення gawk" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext: отримано NULL lib_name" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext: не можу відкрити бібліотеку «%s»: %s" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "load_ext: бібліотека «%s»: не визначає «plugin_is_GPL_compatible»: %s" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "load_ext: бібліотеку «%s» не можу викликати функцію «%s»: %s" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "load_ext: ініціалізація бібліотеки «%s» у функції «%s» не вдалася" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin: відсутнє ім'я функції" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "" "make_builtin: не можу використати вбудовану функцію «%s» gawk як назву " "функції" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" "make_builtin: не можу використати вбудовану функцію «%s» gawk як назву " "простору імен" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin: не можу перевизначити функцію «%s»" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin: функція «%s» вже визначена" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin: назва функції «%s» вже була визначена" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin: від'ємна кількість аргументів для функції «%s»" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "функція «%s»: аргумент №%d: спроба використовувати скаляр як масив" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "функція «%s»: аргумент №%d: спроба використовувати масив як скаляр" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "динамічне завантаження бібліотек не підтримується" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "stat: неможливо прочитати символічне посилання «%s»" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "stat: перший аргумент не є стрічкою" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "stat: другий аргумент не є масивом" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stat: погані параметри" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "fts init: не вдалося створити змінну %s" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "fts не підтримується на цій системі" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element: не вдалося створити масив, закінчилася пам'ять" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element: не вдалося задати елемент" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element: не вдалося задати елемент" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element: не вдалося задати елемент" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts-process: не вдалося створити масив" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts-процес: не вдалося задати елемент" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "fts: викликано з неправильною кількістю аргументів, очікується 3" #: extension/filefuncs.c:853 msgid "fts: first argument is not an array" msgstr "fts: перший аргумент - не масив" #: extension/filefuncs.c:859 msgid "fts: second argument is not a number" msgstr "fts: другий аргумент - не число" #: extension/filefuncs.c:865 msgid "fts: third argument is not an array" msgstr "fts: третій аргумент - не масив" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts: не вдалося вирівняти масив\n" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "fts: ігнорує підступний прапорець FTS_NOSTAT. ня-ня-ня." #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch: не вдалося отримати перший аргумент" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch: не вдалося отримати другий аргумент" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch: не вдалося отримати третій аргумент" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "fnmatch не реалізовано на цій системі\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "початок fnmatch: не вдалося додати змінну FNM_NOMATCH" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "початок fnmatch: не вдалося встановити елемент масиву %s" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "початок fnmatch: не вдалося встановити масив FNM" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork: PROCINFO не є масивом!" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "inplace::begin: редагування на місці вже активне" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "inplace::begin: очікує 2 аргументи, але викликано з %d" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "" "inplace::begin: не можу отримати 1-й аргумент як стрічку з іменем файлу" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "" "inplace::begin: вимкнення редагування на місці для недійсного ІМЕНІ_ФАЙЛУ " "«%s»" #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "inplace::begin: Не можу отримати властивості файлу «%s» (%s)" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "inplace::begin: «%s» не є звичайним файлом" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace::begin: mkstemp(«%s») не вдалося (%s)" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace::begin: не вдалося змінити дозволи (%s)" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace::begin: не вдалося продублювати stdout (%s)" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace::begin: не вдалося перенаправити (%d, stdout) (%s)" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace::begin: не вдалося закрити (%d) (%s)" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "inplace::end: очікує 2 аргументи, але було передано %d" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "" "inplace::end: не можу отримати перший аргумент як стрічку з ім'ям файлу" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "inplace::end: редагування на місці не активовано" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace::end: dup2(%d, stdout) не вдалося (%s)" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace::end: close(%d) не вдалося (%s)" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace::end: fsetpos(stdout) не вдалося (%s)" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace::end: link(«%s», «%s») не вдалося (%s)" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace::end: rename(«%s», «%s») не вдалося (%s)" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "ord: перший аргумент не є стрічкою" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "chr: перший аргумент не є числом" #: extension/readdir.c:291 #, fuzzy, c-format #| msgid "dir_take_control_of: opendir/fdopendir failed: %s" msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "dir_take_control_of: opendir/fdopendir не вдалося: %s" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "readfile: викликано з неправильним типом аргументу" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput: не вдалося ініціалізувати змінну REVOUT" #: extension/rwarray.c:145 extension/rwarray.c:548 #, c-format msgid "%s: first argument is not a string" msgstr "%s: перший аргумент не є стрічкою" #: extension/rwarray.c:189 msgid "writea: second argument is not an array" msgstr "writea: другий аргумент не є масивом" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "writeall: не вдалося знайти масив SYMTAB" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "write_array: не вдалося плоско скласти масив" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "write_array: не вдалося звільнити плоский масив" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "масив має невідомий тип %d" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" "розширення rwarray: отримано значення GMP/MPFR, але скомпільовано без " "підтримки GMP/MPFR." #: extension/rwarray.c:437 #, c-format msgid "cannot free number with unknown type %d" msgstr "не можу звільнити число з невідомим типом %d" #: extension/rwarray.c:442 #, c-format msgid "cannot free value with unhandled type %d" msgstr "не можу звільнити значення з невідомим типом %d" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "readall: не вдалося встановити %s::%s" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "readall: неможливо встановити %s" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "reada: очищення масиву не вдалося" #: extension/rwarray.c:611 msgid "reada: second argument is not an array" msgstr "reada: другим аргументом не є масив" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "read_array: встановлення елементу в масиві не вдалося" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "обробка відновленого значення з невідомим кодом типу %d як стрічки" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" "розширення rwarray: значення GMP/MPFR в файлі, але програма скомпільована " "без підтримки GMP/MPFR." #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday: не підтримується на цій платформі" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep: відсутній необхідний числовий аргумент" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep: аргумент є від'ємним" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep: не підтримується на цій платформі" #: extension/time.c:232 msgid "strptime: called with no arguments" msgstr "strptime: викликано без аргументів" #: extension/time.c:240 #, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "do_strptime: перший аргумент не є стрічкою\n" #: extension/time.c:245 #, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "do_strptime: другий аргумент не є стрічкою\n" #: field.c:321 msgid "input record too large" msgstr "вхідний запис занадто великий" #: field.c:443 msgid "NF set to negative value" msgstr "NF встановлено на від'ємне значення" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "зменшення NF не переносимо до багатьох версій awk" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "доступ до полів з правила END може бути не переносимим" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split: четвертий аргумент - розширення gawk" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split: четвертий аргумент не є масивом" #: field.c:1138 field.c:1240 #, c-format msgid "%s: cannot use %s as fourth argument" msgstr "%s: не можу використовувати %s як четвертий аргумент" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: другий аргумент не є масивом" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "" "split: не можна використовувати той самий масив для другого та четвертого " "аргументів" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "" "split: не можна використовувати підмасив другого аргументу для четвертого " "аргументу" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "" "split: не можна використовувати підмасив четвертого аргументу для другого " "аргументу" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "" "split: нульова стрічка для третього аргументу - це нестандартне розширення" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: четвертий аргумент не є масивом" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: другий аргумент не є масивом" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit: третій аргумент повинен бути не нульовим" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "" "patsplit: не можна використовувати той самий масив для другого та четвертого " "аргументів" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" "patsplit: не можна використовувати підмасив другого аргументу для четвертого " "аргументу" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" "patsplit: не можна використовувати підмасив четвертого аргументу для другого " "аргументу" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "«FIELDWIDTHS» - це розширення gawk" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "«*» повинен бути останнім знаком у FIELDWIDTHS" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "невірне значення FIELDWIDTHS, для поля %d, біля «%s»" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "нульова стрічка для «FS» - це розширення gawk" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "стара версія awk не підтримує регулярні вирази як значення для «FS»" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "«FPAT» - це розширення gawk" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node: отримано пустий retval" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "awk_value_to_node: не в режимі MPFR" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "awk_value_to_node: MPFR не підтримується" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node: недійсний тип числа «%d»" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "add_ext_func: отримано нульовий параметр name_space" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" "node_to_awk_value: виявлено неправильну комбінацію числових прапорців «%s»; " "будь ласка, створіть звіт про помилку" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value: отримано нульовий вузол" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value: отримано нульове значення" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" "node_to_awk_value: виявлено неправильну комбінацію прапорців «%s»; будь " "ласка, створіть звіт про помилку" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element: отримано нульовий масив" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element: отримано нульовий номер елементу" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "api_flatten_array_typed: не вдалося перетворити індекс %d в %s" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "api_flatten_array_typed: не вдалося перетворити значення %d в %s" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "api_get_mpfr: MPFR не підтримується" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "не можу знайти кінець правила BEGINFILE" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "не можу відкрити невідомий тип файлу «%s» для «%s»" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "аргумент командного рядка «%s» є каталогом: пропущено" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "не можу відкрити файл «%s» для читання: %s" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "закриття fd %d («%s») не вдалося: %s" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "«%.*s» використовується як вхідний файл і як вихідний файл" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "«%.*s» використовується як вхідний файл і вхідний канал" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "«%.*s» використовується як вхідний файл і двосторонній канал" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "«%.*s» використовується як вхідний файл і вихідний канал" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "непотрібне змішування «>» та «>>» для файлу «%.*s»" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "«%.*s» використовується для вхідного каналу та вихідного файлу" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "«%.*s» використовується для вихідного файлу та вихідного каналу" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "«%.*s» використовується для вихідного файлу та двостороннього каналу" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "«%.*s» використовується для вхідного та вихідного каналу" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "«%.*s» використовується для вхідного каналу та двостороннього каналу" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "«%.*s» використовується для вихідного каналу і двостороннього каналу" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "перенаправлення заборонено в режимі пісочниці" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "вираз в перенаправленні «%s» - це число" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "вираз для перенаправлення «%s» має нульову стрічку як значення" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "ім'я файлу «%.*s» для перенаправлення «%s» може бути результатом логічного " "виразу" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "get_file не може створити канал «%s» з файловим дескриптором %d" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "не можу відкрити канал «%s» для виведення: %s" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "не можу відкрити канал «%s» для введення: %s" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" "створення сокету get_file не підтримується на даній платформі для «%s» з fd " "%d" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "не можу відкрити двосторонній канал «%s» для введення/виведення: %s" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "не можу перенаправити від «%s»: %s" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "не можу перенаправити до «%s»: %s" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "досягнуто системного обмеження на відкриття файлів: починається " "мультиплексування дескрипторів файлів" #: io.c:1221 #, c-format msgid "close of `%s' failed: %s" msgstr "не вдалося закрити «%s»: %s" #: io.c:1229 msgid "too many pipes or input files open" msgstr "відкрито забагато каналів або вхідних файлів" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: другим аргументом має бути «to» або «from»" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "close: «%.*s» не є відкритим файлом, каналом або співпроцесом" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "закриття перенаправлення, яке ніколи не було відкрито" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close: перенаправлення «%s» не відкрито з «|&», другий аргумент ігнорується" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "статус з помилкою (%d) при закритті каналу «%s»: %s" #: io.c:1400 #, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "статус з помилкою (%d) при закритті двостороннього каналу «%s»: %s" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "статус з помилкою (%d) при закритті файлу «%s»: %s" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "не зазначено явного закриття гнізда «%s»" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "не зазначено явного закриття співпроцеса «%s»" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "не вказано явного закриття каналу «%s»" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "не надано явного закриття файлу «%s»" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "fflush: не можу змити стандартний вивід: %s" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "fflush: не можу змити стандартний вивід для помилок: %s" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "помилка запису стандартного виводу: %s" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "помилка запису стандартного виводу для помилок %s" #: io.c:1513 #, c-format msgid "pipe flush of `%s' failed: %s" msgstr "не вдалося змити канал «%s»: %s" #: io.c:1516 #, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "не вдалося змити канал співпроцесу до «%s»: %s" #: io.c:1519 #, c-format msgid "file flush of `%s' failed: %s" msgstr "не вдалося змити файл «%s»: %s" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "неприпустимий номер локального порту «%s» у «/inet»: %s" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "неприпустимий локальний порт %s у «/inet»" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "інформація про віддалений хост та порт (%s, %s) недійсна: %s" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "інформація про віддалений хост та порт (%s, %s) недійсна" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "комунікація через TCP/IP не підтримується" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "не вдалося відкрити «%s», режим «%s»" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "закриття головного pty не вдалося: %s" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "закриття stdout в дочірньому процесі не вдалося: %s" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "" "перенесення підлеглого pty в стандартний вивід дочірнього процесу не вдалося " "(dup: %s)" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "закриття станартного вводу в дочірньому процесі не вдалося: %s" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "" "перенесення підлеглого pty до стандартного виводу в дочірньому процесі не " "вдалося (dup: %s)" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "закриття підлеглого pty не вдалося: %s" #: io.c:2317 msgid "could not create child process or open pty" msgstr "не вдалося створити дочірній процес або відкрити pty" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "" "переміщення каналу до стандартного виводу в дочірньому процесі не вдалося " "(dup: %s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "" "переміщення каналу до стандартного вводу в дочірньому процесі не вдалося " "(dup: %s)" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "відновлення стандартного виводу в батьківському процесі не вдалося" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "відновлення стандартного вводу у батьківському процесі не вдалося" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "закриття каналу не вдалося: %s" #: io.c:2534 msgid "`|&' not supported" msgstr "не підтримується «|&»" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "не можу відкрити канал «%s»: %s" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "не можу створити дочірній процес для «%s» (fork: %s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "" "getline: спроба читання з закритого для читання кінця двостороннього каналу" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser: отримано нульовий вказівник" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" "парсер введення «%s» конфліктує з раніше встановленим парсером введення «%s»" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "парсер введення «%s» не зміг відкрити «%s»" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_wrapper: отримано нульовий вказівник" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" "обгортка виводу «%s» конфліктує з раніше встановленою обгорткою виводу «%s»" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "обгортка виводу «%s» не змогла відкрити «%s»" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor: отримано нульовий вказівник" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" "двосторонній процесор «%s» конфліктує з раніше встановленим двостороннім " "процесором «%s»" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "двосторонній процесор «%s» не зміг відкрити «%s»" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "файл з даними «%s» порожній" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "не вдалося виділити більше пам'яті для введення" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "багатосимвольне значення «RS» - це розширення gawk" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "Комунікація через IPv6 не підтримується" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "змінна середовища «POSIXLY_CORRECT» встановлена: вмикається «--posix»" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "«--posix» перевизначає «--traditional»" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "«--posix»/«--traditional» перевизначає «--non-decimal-data»" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "«--posix» перевизначає «--characters-as-bytes»" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "виконання %s з setuid root може бути проблемою безпеки" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "Опції -r/--re-interval більше не мають жодного ефекту" #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "не можу встановити двійковий режим на стандартному вводі: %s" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "не можу встановити двійковий режим на стандартному вводі: %s" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "" "не можу встановити двійковий режим на стандартному виводі для помилок: %s" #: main.c:483 msgid "no program text at all!" msgstr "жодного тексту програми!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "" "Використання: %s [параметри в стилі POSIX або GNU] -f файл_програми [--] " "файл ...\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "" "Використання: %s [параметри в стилі POSIX або GNU] [--] %cпрограма%c " "файл ...\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "Параметри POSIX:\t\tДовгі параметри GNU: (стандартні)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f файл_програми\t--file=файл_програми (виконати файл)\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F РП\t\t\t--field-separator=РП (встановити Розділювач Полів)\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "" "\t-v змінна=значення\t--assign=змінна=значення (присвоїти значення змінній)\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "Короткі параметри:\t\tДовгі параметри GNU: (розширення)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes (символи як байти)\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "" "\t-c\t\t\t--traditional (обмежити можливості до можливостей старого AWK)\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright (авторське право)\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[файл]\t\t--dump-variables[=файл] (показати змінні)\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-D[файл]\t\t--debug[=файл] (відлагодження)\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e 'текст-програми'\t--source='текст-програми' (виконати текст)\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E файл\t\t\t--exec=файл (виконати файл)\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot (згенерувати шаблон для перекладу)\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help (довідка)\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "\t-i файл_включення\t--include=файл_включення (включити файл)\n" #: main.c:602 msgid "\t-I\t\t\t--trace\n" msgstr "\t-I\t\t\t--trace (відстежити виконання)\n" #: main.c:603 #, fuzzy #| msgid "\t-I\t\t\t--trace\n" msgid "\t-k\t\t\t--csv\n" msgstr "\t-I\t\t\t--trace (відстежити виконання)\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "\t-l бібліотека\t\t--load=бібліотека (завантажити бібліотеку)\n" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "" "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext] (перевірити на " "критичні|помилки|розширення)\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "\t-M\t\t\t--bignum (великі числа)\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric (місцева десяткова кома)\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "" "\t-n\t\t\t--non-decimal-data (не десяткові числа - вісімкові, " "шістнадцяткові)\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-o[файл]\t\t--pretty-print[=файл] (надрукувати гарно)\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize (оптимізувати)\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[файл]\t\t--profile[=файл] (зробити профіль виконання)\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix (обмежити можливості стандартом POSIX)\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "" "\t-r\t\t\t--re-interval (для --traditional, використовувати інтервали в РВ)\n" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-s\t\t\t--no-optimize (без оптимізації)\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox (пісочниця)\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old (перевірити на придатність для старого AWK)\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version (версія)\n" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "\t-Z назва-локалі\t\t--locale=назва-локалі\n" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "Щоб повідомити про помилки, використовуйте програму «gawkbug».\n" "Для повних інструкцій дивіться розділ «Bugs» в «gawk.info»,\n" "це розділ «Reporting Problems and Bugs» в друкованій версії.\n" "Цю ж інформацію можна знайти на\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "БУДЬ ЛАСКА, не намагайтеся повідомляти про помилки, публічно,\n" "наприклад, в комп'ютерній групі comp.lang.awk, або використовуючи\n" "веб-форуми, такі як Stack Overflow.\n" "\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" "Джерельний код для gawk можна отримати з\n" "%s/gawk-%s.tar.gz\n" "\n" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk - це виконувач мови для пошуку і обробки шаблонів.\n" "За замовчуванням він читає стандартний ввід і записує вивід до стандартного " "виводу.\n" "\n" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "Приклади:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Авторські права (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "Ця програма - вільне програмне забезпечення, яке можна поширювати\n" "та/або змінювати за умовами ліцензії GNU General Public License,\n" "яка опублікована Free Software Foundation; або версія 3 ліцензії\n" "або (на ваш вибір) будь-яка наступна версія.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "Ця програма постачається з надією, що вона буде корисною,\n" "АЛЕ БЕЗ ЖОДНИХ ГАРАНТІЙ, навіть неявних гарантій КОРИСНОСТІ чи\n" "ПРИДАТНОСТІ ДЛЯ ПЕВНОЇ МЕТИ. Для отримання додаткових відомостей\n" "дивіться ліцензію GNU General Public License.\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "Ви маєте отримати копію GNU General Public License разом з цією програмою.\n" "Якщо цього не сталося, перегляньте ліцензію тут: http://www.gnu.org/" "licenses/.\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "-Ft не встановлює РП на символ табуляції в POSIX awk" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: В аргументі для «-v», «%s» не у формі «змінна=значення»\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "«%s» не є допустимим ім'ям змінної" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "«%s» не є ім'ям змінної, шукається файл «%s=%s»" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "не можна використовувати вбудовану функцію «%s» в якості імені змінної" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "не можна використовувати функцію «%s» в якості імені змінної" #: main.c:1294 msgid "floating point exception" msgstr "виняткова ситуація у числі з плаваючою комою" #: main.c:1304 msgid "fatal error: internal error" msgstr "фатальна помилка: внутрішня помилка" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "ніяких попередньо відкритих файлових дескрипторів %d" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "не вдалося попередньо відкрити /dev/null для файлового дескриптору %d" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "порожній аргумент для «-e/--source» ігнорується" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "«--profile» перевизначає параметр «--pretty-print»" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "-M ігнорований: підтримка MPFR/GMP не скомпільована" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "Використовуйте «GAWK_PERSIST_FILE=%s gawk ...» замість --persist." #: main.c:1726 msgid "Persistent memory is not supported." msgstr "Постійна пам'ять не підтримується." #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: параметр «-W %s» не впізнаний, проігнорований.\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: параметр потребує аргумент -- %c\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "%s: фатально: не можу отримати відомості про %s: %s\n" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" "%s: фатально: використання постійної пам'яті заборонено під час виконання " "програми від імені root.\n" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "%s: попередження: %s не є власністю користувача з euid %d.\n" #: main.c:1913 msgid "persistent memory is not supported" msgstr "постійна пам'ять не підтримується" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" "%s: фатально: виділяча постійної пам'яті не вдалося ініціалізувати: " "повертається значення %d, рядок pma.c: %d.\n" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "Значення PREC «%.*s» недійсне" #: mpfr.c:718 #, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "Значення ROUNDMODE «%.*s» недійсне" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: перший аргумент не є числом" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: другий аргумент не є числом" #: mpfr.c:825 #, c-format msgid "%s: received negative argument %.*s" msgstr "%s: отримано від'ємний аргумент %.*s" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int: отриманий аргумент не є числом" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: отриманий аргумент не є числом" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%Rg): від'ємні значення не допускаються" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "compl(%Rg): дробові значення будуть обрізані" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%Zd): від'ємні значення не допускаються" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s: отримано нечисловий аргумент №%d" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "%s: аргумент №%d має неправильне значення %Rg, використовується 0" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%s: для аргменту №%d від'ємне значення %Rg не дозволене" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "%s: для аргументу №%d дробове значення %Rg буде обрізане" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%s: для аргументу №%d від'ємне значення %Zd не дозволене" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: викликано з менш ніж двома аргументами" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or: викликано з менш ніж двома аргументами" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "xor: викликано з мен ніж двома аргументами" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: отримано нечисловий аргумент" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "intdiv: отримано нечисловий перший аргумент" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "intdiv: отримано нечисловий другий аргумент" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "командний рядок:" #: node.c:477 #, fuzzy #| msgid "backslash not last character on line" msgid "backslash at end of string" msgstr "«\\» не в кінці рядка" #: node.c:511 msgid "could not make typed regex" msgstr "не вдалося створити типизований регулярний вираз" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "стара версія awk не підтримує послідовність екранування «\\%c»" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX не дозволяє послідовності екранування «\\x»" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "немає шістнадцяткових цифр у послідовності екранування «\\x»" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "підозріло неправильно інтерпретована шістнадцяткова послідовність " "екранування \\x%.*s (з %d символів)" #: node.c:705 #, fuzzy #| msgid "POSIX does not allow `\\x' escapes" msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX не дозволяє послідовності екранування «\\x»" #: node.c:713 #, fuzzy #| msgid "no hex digits in `\\x' escape sequence" msgid "no hex digits in `\\u' escape sequence" msgstr "немає шістнадцяткових цифр у послідовності екранування «\\x»" #: node.c:744 #, fuzzy #| msgid "no hex digits in `\\x' escape sequence" msgid "invalid `\\u' escape sequence" msgstr "немає шістнадцяткових цифр у послідовності екранування «\\x»" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "послідовність екранування «\\%c» сприймається як простий символ «%c»" #: node.c:908 msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "Виявлено неправильні мультибайтові дані. Можливо, у вас невідповідність між " "даними та вашою локаллю" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "" "%s %s «%s»: не вдалося отримати прапорці файлового дескриптора: (fcntl " "F_GETFD: %s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "" "%s %s «%s»: не вдалося встановити закриття-при-виконанні: (fcntl F_SETFD: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "" "Рівень вкладеності програми занадто глибокий. Розгляньте можливість " "рефакторингу коду." #: profile.c:114 msgid "sending profile to standard error" msgstr "надсилання профілю на стандартний вивід для помилок" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# %s правила\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# Правила\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "внутрішня помилка: %s з нульовим ім'ям vname" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "внутрішня помилка: вбудований з нульовим ім'ям fname" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "%s# Завантажені розширення (-l та/або @load)\n" "\n" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\n" "# Включені файли (-i та/або @include)\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# Профіль gawk, створений %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# Функції у алфавітному порядку\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str: невідомий тип перенаправлення %d" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" "поведінка зіставлення регулярного виразу, що містить символ NUL, не " "визначена стандартом POSIX" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "недопустимий байт NUL у динамічному регулярному виразі" #: re.c:215 #, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "" "ланцюжок екранування регулярного виразу «\\%c» трактується як звичайний " "символ «%c»" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" "ланцюжок екранування регулярного виразу «\\%c» не є відомим оператором " "регулярного виразу" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "компонент регулярного виразу «%.*s» ймовірно має бути «[%.*s]»" #: support/dfa.c:910 msgid "unbalanced [" msgstr "[ не збалансований" #: support/dfa.c:1031 msgid "invalid character class" msgstr "недійсний символьний клас" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "синтаксис символьного класу є [[:space:]], а не [:space:]" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "незавершена послідовність \\" #: support/dfa.c:1345 msgid "? at start of expression" msgstr "Знак ? на початку виразу" #: support/dfa.c:1357 msgid "* at start of expression" msgstr "Знак * на початку виразу" #: support/dfa.c:1371 msgid "+ at start of expression" msgstr "Знак + на початку виразу" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "{...} на початку виразу" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "Недійсний зміст \\{\\}" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "Регулярний вираз занадто великий" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "Зайвий \\ перед непоказуваним символом" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "Зайвий \\ перед пробільним знаком" #: support/dfa.c:1594 #, fuzzy, c-format #| msgid "stray \\ before %lc" msgid "stray \\ before %s" msgstr "Зайвий \\ перед %lc" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "залишений \\n" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "незбалансований (" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "не вказано синтаксису" #: support/dfa.c:2077 msgid "unbalanced )" msgstr "незбалансований )" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: опція «%s» неоднозначна; варіанти:" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s: опція «--%s» не дозволяє аргументів\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: опція «%c%s» не дозволяє аргументів\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: опція «--%s» вимагає аргументу\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: невпізнана опція «--%s»\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: невпізнана опція '%c%s'\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: неправильна опція -- «%c»\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s: опція потребує аргументу -- «%c»\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: опція «-W %s» неоднозначна\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: опція «-W %s» не дозволяє аргументу\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: опція «-W %s» вимагає аргументу\n" #: support/regcomp.c:122 msgid "Success" msgstr "Успішно" #: support/regcomp.c:125 msgid "No match" msgstr "Не збігається" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "Недійсний регулярний вираз" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "Недійсний символ зіставлення" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "Недійсне ім'я класу символів" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "Зворотній слеш на кінці" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "Невірне зворотнє посилання" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "Не співпала пара для [, [^, [:, [., або [= " #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "Не співпала пара для ( або \\(" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "Не співпала пара для \\{" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "Недійсний вміст \\{\\}" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "Невірне закінчення діапазону" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "Недостатньо пам'яті" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "Невірний попередній регулярний вираз" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "Передчасний кінець регулярного виразу" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "Занадто великий регулярний вираз" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr "Не співпала пара для ) або \\)" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "Немає попереднього звичайного виразу" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" "поточні налаштування -M/--bignum не відповідають збереженому налаштуванню в " "файлі підтримки PMA" #: symbol.c:781 #, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "" "функція «%s»: не можу використати функцію «%s» в якості імені параметра" #: symbol.c:911 msgid "cannot pop main context" msgstr "не можу викинути головний контекст" #~ msgid "fatal: must use `count$' on all formats or none" #~ msgstr "" #~ "непоправна помилка: потрібно вживати «count$» на всіх форматах або не " #~ "вживати взагалі" #, c-format #~ msgid "field width is ignored for `%%' specifier" #~ msgstr "ширина поля ігнорується для позначки «%%»" #, c-format #~ msgid "precision is ignored for `%%' specifier" #~ msgstr "точність ігнорується для специфікатора «%%»" #, c-format #~ msgid "field width and precision are ignored for `%%' specifier" #~ msgstr "ширина поля та його точність ігноруються для специфікатора «%%»" #~ msgid "fatal: `$' is not permitted in awk formats" #~ msgstr "фатально: символ «$» заборонено у форматах awk" #~ msgid "fatal: argument index with `$' must be > 0" #~ msgstr "фатально: індекс аргументу з «$» повинен бути більше 0" #, c-format #~ msgid "" #~ "fatal: argument index %ld greater than total number of supplied arguments" #~ msgstr "" #~ "фатально: індекс аргументу %ld більший, ніж загальна кількість переданих " #~ "аргументів" #~ msgid "fatal: `$' not permitted after period in format" #~ msgstr "фатально: символ «$» заборонено після крапки в форматі" #~ msgid "fatal: no `$' supplied for positional field width or precision" #~ msgstr "" #~ "фатально: не передано символу «$» для позиційної ширини поля або точності" #, c-format #~ msgid "`%c' is meaningless in awk formats; ignored" #~ msgstr "«%c» не має значення в форматах awk; ігнорується" #, c-format #~ msgid "fatal: `%c' is not permitted in POSIX awk formats" #~ msgstr "фатально: «%c» заборонено в форматах POSIX awk" #, c-format #~ msgid "[s]printf: value %g is too big for %%c format" #~ msgstr "[s]printf: значення %g занадто велике для формату %%c" #, c-format #~ msgid "[s]printf: value %g is not a valid wide character" #~ msgstr "[s]printf: значення %g не є дійсним широким символом" #, c-format #~ msgid "[s]printf: value %g is out of range for `%%%c' format" #~ msgstr "" #~ "[s]printf: значення %g не входить до діапазону для форматування «%%%c»" #, c-format #~ msgid "[s]printf: value %s is out of range for `%%%c' format" #~ msgstr "" #~ "[s]printf: значення %s не входить до діапазону для форматування «%%%c»" #, c-format #~ msgid "%%%c format is POSIX standard but not portable to other awks" #~ msgstr "Формат %%%c є стандартом POSIX, але не переносним до інших awk" #, c-format #~ msgid "" #~ "ignoring unknown format specifier character `%c': no argument converted" #~ msgstr "" #~ "Ігноруємо невідомий символ специфікатора форматування «%c»: аргумент не " #~ "перетворено" #~ msgid "fatal: not enough arguments to satisfy format string" #~ msgstr "" #~ "фатально: недостатньо аргументів для задоволення стрічки форматування" #~ msgid "^ ran out for this one" #~ msgstr "^ закінчився для цього" #~ msgid "[s]printf: format specifier does not have control letter" #~ msgstr "[s]printf: специфікатор форматування не містить керуючого символу" #~ msgid "too many arguments supplied for format string" #~ msgstr "Забагато аргументів для стрічки форматування" #, c-format #~ msgid "%s: received non-string format string argument" #~ msgstr "%s: отримано не стрічковий аргумент для стрічкового формату" #~ msgid "sprintf: no arguments" #~ msgstr "sprintf: відсутні аргументи" #~ msgid "printf: no arguments" #~ msgstr "printf: відсутні аргументи" #~ msgid "printf: attempt to write to closed write end of two-way pipe" #~ msgstr "" #~ "printf: спроба запису в закритий на запис кінець двостороннього каналу" #, c-format #~ msgid "%s" #~ msgstr "%s" #~ msgid "\t-W nostalgia\t\t--nostalgia\n" #~ msgstr "\t-W nostalgia\t\t--nostalgia\n" #~ msgid "fatal error: internal error: segfault" #~ msgstr "фатальна помилка: внутрішня помилка: помилка сегментації памʼяті" #~ msgid "fatal error: internal error: stack overflow" #~ msgstr "фатальна помилка: внутрішня помилка: переповнення стеку" EOF echo Extracting po/vi.po cat << \EOF > po/vi.po # Vietnamese translation for Gawk. # Bản dịch Tiếng Việt dành cho Gawk. # Copyright © 2016 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # Clytie Siddall , 2005-2010. # Trần Ngọc Quân , 2012-2014, 2015, 2016, 2017, 2018. # msgid "" msgstr "" "Project-Id-Version: gawk 4.2.0e\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2018-01-30 08:07+0700\n" "Last-Translator: Trần Ngọc Quân \n" "Language-Team: Vietnamese \n" "Language: vi\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Bugs: Report translation errors to the Language-Team address.\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Generator: Gtranslator 2.91.7\n" #: array.c:249 #, c-format msgid "from %s" msgstr "từ %s" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "cố dùng giá trị vô hướng như là một mảng" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "cố dùng tham số vô hướng “%s” như là mảng" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "cố dùng “%s” vô hướng như là mảng" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "cố gắng dùng mảng “%s” trong một ngữ cảnh vô hướng" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "delete: (xóa) chỉ số “%.*s” không nằm trong mảng “%s”" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "cố dùng “%s[\"%.*s\"]” vô hướng như là mảng" #: array.c:856 array.c:906 #, fuzzy, c-format msgid "%s: first argument is not an array" msgstr "asort: đối số thứ nhất không phải là một mảng" #: array.c:898 #, fuzzy, c-format msgid "%s: second argument is not an array" msgstr "split: (chia tách) đối số thứ hai không phải là mảng" #: array.c:901 field.c:1150 field.c:1247 #, fuzzy, c-format msgid "%s: cannot use %s as second argument" msgstr "" "asort (một chương trình xắp xếp thứ tự): không thể sử dụng mảng con của tham " "số thứ nhất cho tham số thứ hai" #: array.c:909 #, fuzzy, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "asort: đối số thứ nhất không phải là một mảng" #: array.c:911 #, fuzzy, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "asort: đối số thứ nhất không phải là một mảng" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" #: array.c:923 #, fuzzy, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "" "asort (một chương trình xắp xếp thứ tự): không thể sử dụng mảng con của tham " "số thứ nhất cho tham số thứ hai" #: array.c:928 #, fuzzy, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "" "asort (một chương trình xắp xếp thứ tự): không thể sử dụng mảng con của tham " "số thứ hai cho tham số thứ nhất" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "“%s” không phải là tên hàm hợp lệ" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "chưa định nghĩa hàm so sánh xắp xếp “%s”" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "Mọi khối %s phải có một phần kiểu hành động" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "Mọi quy tắc phải có một mẫu hay phần kiểu hành động" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "" "awk cũ không hỗ trợ nhiều quy tắc kiểu “BEGIN” (bắt đầu) hay “END” (kết thúc)" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "“%s” là một hàm có sẵn nên nó không thể được định nghĩa lại." #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "" "hằng biểu thức chính quy “//” trông giống như một chú thích C++, nhưng mà " "không phải" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "" "hằng biểu thức chính quy “/%s/” trông giống như một chú thích C, nhưng mà " "không phải" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "gặp giá trị case bị trùng trong phần thân switch: %s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "" "đã phát hiện trùng “default” trong thân cấu trúc điều khiển chọn lựa (switch)" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "" "không cho phép “break” (ngắt) nằm ở ngoại vòng lặp hay cấu trúc chọn lựa" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "không cho phép “continue” (tiếp tục) ở ngoài một vòng lặp" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "“next” (kế tiếp) được dùng trong hành động %s" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "“nextfile” (tập tin kế tiếp) được dùng trong hành động %s" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "“return” (trở về) được dùng ở ngoại ngữ cảnh hàm" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "" "“print” (in) thường trong quy tắc “BEGIN” (bắt đầu) hay “END” (kết thúc) gần " "như chắc chắn nên là “print”””" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "“delete” không được phép với SYMTAB" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "“delete” không được phép với FUNCTAB" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "“delete array” (xóa mảng) là phần mở rộng gawk không khả chuyển" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "đường ống dẫn hai chiếu đa giai đoạn không phải hoạt động được" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "biểu thức chính quy nằm bên phải phép gán" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "biểu thức chính quy nằm bên trái toán tử “~” hay “!~”" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "awk cũ không hỗ trợ từ khóa “in”, trừ khi nằm sau “for”" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "biểu thức chính quy nằm bên phải sự so sánh" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "“getline” không-chuyển-hướng không hợp lệ trong quy tắc “%s”" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "" "trong hành động “END” (kết thúc) có “getline” (lấy dòng) không được chuyển " "hướng lại và chưa được định nghĩa." #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "awk cũ không hỗ trợ mảng đa chiều" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "" "lời gọi “length” (độ dài) mà không có dấu ngoặc đơn là không tương thích " "trên các hệ thống khác" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "cuộc gọi hàm gián tiếp là một phần mở rộng gawk" #: awkgram.y:2033 #, fuzzy, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "không thể dùng biến đặc biệt “%s” cho cú gọi hàm gián tiếp" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "cố gắng dùng không-phải-hàm “%s” trong cú gọi hàm" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "biểu thức in thấp không hợp lệ" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "cảnh báo: " #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "lỗi nghiêm trọng: " #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "gặp dòng mới hay kết thúc chuỗi bất ngờ" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, fuzzy, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "không thể mở tập tin nguồn “%s” để đọc (%s)" #: awkgram.y:2883 awkgram.y:3020 #, fuzzy, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "không thể mở tập thư viện chia sẻ “%s” để đọc (%s)" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "không rõ lý do" #: awkgram.y:2894 awkgram.y:2918 #, fuzzy, c-format msgid "cannot include `%s' and use it as a program file" msgstr "không thể bao gồm “%s” và dùng nó như là tập tin chương trình" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "đã sẵn bao gồm tập tin nguồn “%s”" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "thư viện dùng chung “%s” đã được sẵn được tải rồi" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "@include là phần mở rộng của gawk" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "tập tin trống sau @include" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "@load là một phần mở rộng gawk" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "tên tập tin trống sau @load" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "gặp đoạn chữ chương trình rỗng nằm trên dòng lệnh" #: awkgram.y:3261 debug.c:470 debug.c:628 #, fuzzy, c-format msgid "cannot read source file `%s': %s" msgstr "không thể đọc tập tin nguồn “%s” (%s)" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "tập tin nguồn “%s” là rỗng" #: awkgram.y:3332 #, fuzzy, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "Lỗi PEBKAC: gặp ký tự không hợp lệ “\\%03o” trong mã nguồn" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "tập tin nguồn không kết thúc bằng một dòng trống" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "" "biểu thức chính quy chưa được chấm dứt kết thúc với “\\” tại kết thúc của " "tập tin" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" "%s: %d: bộ sửa đổi biểu thức chính quy tawk “/…/%c” không hoạt động được " "trong gawk" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "" "bộ sửa đổi biểu thức chính quy tawk “/…/%c” không hoạt động được trong gawk" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "biểu thức chính quy chưa được chấm dứt" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "biểu thức chính quy chưa được chấm dứt nằm tại kết thúc của tập tin" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "không thể mang khả năng dùng “\\#…” để tiếp tục dòng" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "dấu gạch ngược không phải là ký tự cuối cùng nằm trên dòng" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "mảng nhiều chiều là một phần mở rộng gawk" #: awkgram.y:3903 awkgram.y:3914 #, fuzzy, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX không cho phép toán tử “**”" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, fuzzy, c-format msgid "operator `%s' is not supported in old awk" msgstr "awk cũ không hỗ trợ toán tử “^”" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "chuỗi không được chấm dứt" #: awkgram.y:4066 main.c:1237 #, fuzzy msgid "POSIX does not allow physical newlines in string values" msgstr "POSIX không cho phép thoát chuỗi “\\x”" #: awkgram.y:4068 node.c:482 #, fuzzy msgid "backslash string continuation is not portable" msgstr "không thể mang khả năng dùng “\\#…” để tiếp tục dòng" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "có ký tự không hợp lệ “%c” nằm trong biểu thức" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "“%s” là một phần mở rộng gawk" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX không cho phép “%s”" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "awk kiểu cũ không hỗ trợ “%s”" #: awkgram.y:4517 #, fuzzy msgid "`goto' considered harmful!" msgstr "“goto” được xem là có hại!\n" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "“%d” không hợp lệ khi là số đối số cho “%s”" #: awkgram.y:4621 #, fuzzy, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "" "%s: khi đối số cuối cùng của sự thay thế, hằng mã nguồn chuỗi không có tác " "dụng" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "tham số thứ ba %s không phải là một đối tượng có thể thay đổi" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match: (khớp) đối số thứ ba là phần mở rộng gawk" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close: (đóng) đối số thứ hai là phần mở rộng gawk" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "dùng “dcgettext(_\"…\")” không đúng: hãy gỡ bỏ gạch dưới nằm trước" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "dùng “dcgettext(_\"…\")” không đúng: hãy gỡ bỏ gạch dưới nằm trước" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "" "index: (chỉ mục) không cho phép hằng biểu thức chính quy làm đối số thứ hai" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "hàm “%s”: tham số “%s” che biến toàn cục" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "không thể mở “%s” để ghi: %s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "đang gởi danh sách biến tới thiết bị lỗi chuẩn" #: awkgram.y:4947 #, fuzzy, c-format msgid "%s: close failed: %s" msgstr "%s: gặp lỗi khi đóng (%s)" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "shadow_funcs() (hàm bóng) được gọi hai lần!" #: awkgram.y:4980 #, fuzzy #| msgid "there were shadowed variables." msgid "there were shadowed variables" msgstr "có biến bị bóng." #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "tên hàm “%s” trước đây đã được định nghĩa rồi" #: awkgram.y:5123 #, fuzzy, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "hàm “%s”: không thể dùng tên hàm như là tên tham số" #: awkgram.y:5126 #, fuzzy, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "hàm “%s”: không thể dùng biến đặc biệt “%s” như là tham số hàm" #: awkgram.y:5130 #, fuzzy, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "hàm “%s”: tham số “%s” che biến toàn cục" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "hàm “%s”: tham số “#%d”, “%s”, nhân đôi tham số “#%d”" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "hàm “%s” được gọi nhưng mà chưa định nghĩa" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "hàm “%s” được định nghĩa nhưng mà chưa được gọi trực tiếp bao giờ" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "hằng biểu thức chính quy cho tham số “#%d” làm giá trị luận lý (bun)" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "hàm “%s” được gọi với dấu cách nằm giữa tên và “(”\n" "hoặc được dùng như là biến hay mảng" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "gặp phép chia cho số không" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "gặp phép chia cho số không trong “%%”" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "không thể gán giá trị cho kết quả của biểu thức trường tăng-trước" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "gán đich không hợp lệ (mã thi hành “%s”)" #: awkgram.y:6266 msgid "statement has no effect" msgstr "câu không có tác dụng" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "" #: awkgram.y:6883 #, fuzzy msgid "@namespace is a gawk extension" msgstr "@include là phần mở rộng của gawk" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "" #: builtin.c:93 builtin.c:100 #, fuzzy, c-format #| msgid "ord: called with no arguments" msgid "%s: called with %d arguments" msgstr "ord: được gọi mà không có đối số" #: builtin.c:125 #, fuzzy, c-format msgid "%s to \"%s\" failed: %s" msgstr "%s tới “%s” gặp lỗi (%s)" #: builtin.c:129 msgid "standard output" msgstr "đầu ra tiêu chuẩn" #: builtin.c:130 msgid "standard error" msgstr "lỗi tiêu chuẩn" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s: đã nhận đối số không phải thuộc số" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp: đối số “%g” nằm ngoài phạm vi" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, fuzzy, c-format msgid "%s: received non-string argument" msgstr "system: (hệ thống) đã nhận đối số khác chuỗi" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "" "fflush: không thể flush (đẩy dữ liệu lên đĩa): ống dẫn “%.*s” được mở để " "đọc, không phải để ghi" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "" "fflush: không thể flush (đẩy dữ liệu vào đĩa): tập tin “%.*s” được mở để " "đọc, không phải để ghi" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush: không thể flush (đẩy dữ liệu vào đĩa) tập tin “%.*s”: %s" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "" "fflush: không thể flush (đẩy dữ liệu lên đĩa): ống dẫn hai chiều “%.*s” đã " "đóng kết thúc ghi" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "" "fflush: “%.*s” không phải là một tập tin, ống dẫn hay đồng tiến trình được mở" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, fuzzy, c-format msgid "%s: received non-string first argument" msgstr "index: (chỉ số) đã nhận đối số thứ nhất không phải là chuỗi" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, fuzzy, c-format msgid "%s: received non-string second argument" msgstr "index: (chỉ số) đã nhận đối số thứ hai không phải là chuỗi" #: builtin.c:595 msgid "length: received array argument" msgstr "length: (chiều dài) đã nhận mảng đối số" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "“length(array)” (độ dài mảng) là một phần mở rộng gawk" #: builtin.c:655 builtin.c:677 #, fuzzy, c-format msgid "%s: received negative argument %g" msgstr "log: (nhật ký) đã nhận đối số âm “%g”" #: builtin.c:698 builtin.c:2949 #, fuzzy, c-format msgid "%s: received non-numeric third argument" msgstr "or: (hoặc) đã nhận đối số đầu không phải thuộc số" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, fuzzy, c-format msgid "%s: received non-numeric second argument" msgstr "or: (hoặc) đã nhận đối số thứ hai khác thuộc số" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr: (chuỗi con) độ dài %g không ≥1" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr: (chuỗi con) độ dài %g không ≥0" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr: (chuỗi con) sẽ cắt xén độ dài không phải số nguyên “%g”" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "" "substr: (chuỗi con) độ dài %g là quá lớn cho chỉ số chuỗi, nên xén ngắn " "thành %g" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr: (chuỗi con) chỉ số đầu “%g” không hợp lệ nên dùng 1" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "" "substr: (chuỗi con) chỉ số đầu không phải số nguyên “%g” sẽ bị cắt ngắn" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr: (chuỗi con) chuỗi nguồn có độ dài số không" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr: (chuỗi con) chỉ số đầu %g nằm sau kết thúc của chuỗi" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "" "substr: (chuỗi con) độ dài %g chỉ số đầu %g vượt quá độ dài của đối số đầu " "(%lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "" "strftime: giá trị định dạng trong PROCINFO[\"strftime\"] phải thuộc kiểu số" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "strftime: tham số thứ hai nhỏ hơn 0 hay quá lớn dành cho time_t" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "strftime: tham số thứ hai nằm ngoài phạm vi cho phép của kiểu time_t" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime: đã nhận chuỗi định dạng rỗng" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "mktime: ít nhất một của những giá trị nằm ở ngoại phạm vi mặc định" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "hàm “system” không cho phép ở chế độ khuôn đúc" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "print: cố ghi vào một đường ống hai chiều mà chiều ghi đã đóng" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "gặp tham chiếu đến trường chưa được khởi tạo “$%d”" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, fuzzy, c-format msgid "%s: received non-numeric first argument" msgstr "or: (hoặc) đã nhận đối số đầu không phải thuộc số" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match: (khớp) đối số thứ ba không phải là mảng" #: builtin.c:1604 #, fuzzy, c-format #| msgid "fnmatch: could not get third argument" msgid "%s: cannot use %s as third argument" msgstr "fnmatch: không thể lấy tham số thứ ba" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub: đối số thứ ba “%.*s” được xử lý như 1" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s: được gọi một cách gián tiếp với ít hơn hai đối số" #: builtin.c:2242 #, fuzzy #| msgid "indirect call to %s requires at least two arguments" msgid "indirect call to gensub requires three or four arguments" msgstr "cú gọi gián tiếp đến %s cần ít nhất hai đối số" #: builtin.c:2304 #, fuzzy #| msgid "indirect call to %s requires at least two arguments" msgid "indirect call to match requires two or three arguments" msgstr "cú gọi gián tiếp đến %s cần ít nhất hai đối số" #: builtin.c:2365 #, fuzzy, c-format #| msgid "indirect call to %s requires at least two arguments" msgid "indirect call to %s requires two to four arguments" msgstr "cú gọi gián tiếp đến %s cần ít nhất hai đối số" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f): giá trị âm l không được phép" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f): giá trị thuộc phân số sẽ bị cắt ngắn" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "" "lshift(%f, %f): giá trị dịch quá lớn sẽ gây ra kết quả không như mong muốn" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f, %f): giá trị âm là không được phép" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f): giá trị thuộc kiểu phân số sẽ bị xén ngắn" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "" "rshift(%f, %f): giá trị dịch quá lớn sẽ gây ra kết quả không như mong muốn" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, fuzzy, c-format msgid "%s: called with less than two arguments" msgstr "or: (hoặc) được gọi với ít hơn hai đối số" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, fuzzy, c-format msgid "%s: argument %d is non-numeric" msgstr "or: (hoặc) đối số %d không thuộc kiểu số" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, fuzzy, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%s: đối số #%d giá trị âm %Rg là không được phép" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f): giá trị âm là không được phép" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f): giá trị thuộc phân số sẽ bị cắt ngắn" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext: “%s” không phải là một phân loại miền địa phương hợp lệ" #: builtin.c:2842 builtin.c:2860 #, fuzzy, c-format msgid "%s: received non-string third argument" msgstr "index: (chỉ số) đã nhận đối số thứ nhất không phải là chuỗi" #: builtin.c:2915 builtin.c:2936 #, fuzzy, c-format msgid "%s: received non-string fifth argument" msgstr "index: (chỉ số) đã nhận đối số thứ nhất không phải là chuỗi" #: builtin.c:2925 builtin.c:2942 #, fuzzy, c-format msgid "%s: received non-string fourth argument" msgstr "index: (chỉ số) đã nhận đối số thứ nhất không phải là chuỗi" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "intdiv: đối số thứ ba không phải là mảng" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "intdiv: gặp phép chia cho số không" #: builtin.c:3130 #, fuzzy msgid "typeof: second argument is not an array" msgstr "split: (chia tách) đối số thứ hai không phải là mảng" #: builtin.c:3234 #, fuzzy, c-format #| msgid "" #| "typeof detected invalid flags combination `%s'; please file a bug report." msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "" "typeof dò tìm thấy tổ hợp các cờ không hợp lệ “%s”; vui lòng báo cáo lỗi này." #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "typeof: không biết kiểu tham số “%s”" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "" #: command.y:228 #, fuzzy, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "Gõ các câu lệnh (g)awk. Kết thúc bằng lệnh “end”\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "số khung không hợp lệ: %d" #: command.y:298 #, fuzzy, c-format msgid "info: invalid option - `%s'" msgstr "info: tùy chọn không hợp lệ - “%s”" #: command.y:324 #, fuzzy, c-format msgid "source: `%s': already sourced" msgstr "nguồn “%s”: đã sẵn có trong nguồn rồi." #: command.y:329 #, fuzzy, c-format msgid "save: `%s': command not permitted" msgstr "ghi “%s”: lệnh không đủ thẩm quyền." #: command.y:342 #, fuzzy msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "Không thể dùng lệnh “commands” cho lệnh breakpoint/watchpoint" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "chưa có điểm ngắt hay điểm theo dõi nào được đặt cả" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "số điểm ngắt hay điểm theo dõi không hợp lệ" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "Gõ lệnh cho %s khi %d được gợi ý, mỗi lệnh một dòng.\n" #: command.y:353 #, fuzzy, c-format msgid "End with the command `end'\n" msgstr "Kết thúc với lệnh “end”\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "“end” chỉ hợp lệ trong “commands” hay “eval”" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "“silent” chỉ hợp lệ với lệnh “commands”" #: command.y:376 #, fuzzy, c-format msgid "trace: invalid option - `%s'" msgstr "trace: tùy chọn không hợp lệ - “%s”" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "condition: điều kiện: số hiệu điểm ngắt hay điểm theo dõi không hợp lệ" #: command.y:452 msgid "argument not a string" msgstr "tham số không phải là một chuỗi" #: command.y:462 command.y:467 #, fuzzy, c-format msgid "option: invalid parameter - `%s'" msgstr "option: tùy chọn không hợp lệ - “%s”" #: command.y:477 #, fuzzy, c-format msgid "no such function - `%s'" msgstr "không có hàm nào như thế cả - “%s”" #: command.y:534 #, fuzzy, c-format msgid "enable: invalid option - `%s'" msgstr "enable: tùy chọn không hợp lệ - “%s”" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "đặc tả vùng không hợp lệ: %d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "giá trị cho trường số mà không thuộc kiểu số" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "cần giá trị kiểu số nhưng lại nhận được giá trị không thuộc kiểu này" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "giá trị số nguyên khác không" #: command.y:820 #, fuzzy #| msgid "" #| "backtrace [N] - print trace of all or N innermost (outermost if N < 0) " #| "frames." msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "" "backtrace [N] - in vết của tất cả hay N khung trong cùng nhất (ngoài cùng " "nhất nếu N < 0)." #: command.y:822 #, fuzzy #| msgid "" #| "break [[filename:]N|function] - set breakpoint at the specified location." msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "break [[tên_tập_tin:]N|hàm] - đặt điểm ngắt tại vị trí đã cho." #: command.y:824 #, fuzzy #| msgid "clear [[filename:]N|function] - delete breakpoints previously set." msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "" "clear [[tên_tập_tin:]N|function] - xóa các điểm ngắt được đặt trước đây." #: command.y:826 #, fuzzy #| msgid "" #| "commands [num] - starts a list of commands to be executed at a " #| "breakpoint(watchpoint) hit." msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "" "commands [số] - chạy một danh sách các câu lệnh được thực thi tại điểm ngắt " "(hay điểm theo dõi) tìm được." #: command.y:828 #, fuzzy #| msgid "" #| "condition num [expr] - set or clear breakpoint or watchpoint condition." msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "" "condition num [expr] - đặt hay xóa điểm ngắt hay điều kiện điểm theo dõi." #: command.y:830 #, fuzzy #| msgid "continue [COUNT] - continue program being debugged." msgid "continue [COUNT] - continue program being debugged" msgstr "continue [SỐ_LƯỢNG] - tiếp tục chương trình đang được gỡ lỗi." #: command.y:832 #, fuzzy #| msgid "delete [breakpoints] [range] - delete specified breakpoints." msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "delete [điểm_ngắt] [vùng] - xóa các điểm ngắt đã chỉ ra." #: command.y:834 #, fuzzy #| msgid "disable [breakpoints] [range] - disable specified breakpoints." msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "disable [điểm_ngắt] [vùng] - tắt các điểm ngắt đã chỉ định." #: command.y:836 #, fuzzy #| msgid "display [var] - print value of variable each time the program stops." msgid "display [var] - print value of variable each time the program stops" msgstr "display [var] - in giá trị của biến mỗi lần chương trình dừng." #: command.y:838 #, fuzzy #| msgid "down [N] - move N frames down the stack." msgid "down [N] - move N frames down the stack" msgstr "down [N] - chuyển xuống N khung stack." #: command.y:840 #, fuzzy #| msgid "dump [filename] - dump instructions to file or stdout." msgid "dump [filename] - dump instructions to file or stdout" msgstr "" "dump [tên_tập_tin] - dump các chỉ lệnh ra tập tin hay đầu ra tiêu chuẩn." #: command.y:842 #, fuzzy #| msgid "" #| "enable [once|del] [breakpoints] [range] - enable specified breakpoints." msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "enable [once|del] [điểm_ngắt] [range] - bật các điểm ngắt đã chỉ ra." #: command.y:844 #, fuzzy #| msgid "end - end a list of commands or awk statements." msgid "end - end a list of commands or awk statements" msgstr "end - kết thúc một danh sách các câu lệnh hay biểu thức awk" #: command.y:846 #, fuzzy #| msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)." msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "eval stmt|[p1, p2, …] - định giá các câu lệnh awk." #: command.y:848 #, fuzzy #| msgid "exit - (same as quit) exit debugger." msgid "exit - (same as quit) exit debugger" msgstr "exit - (giống với quit) thoát khỏi gỡ lỗi." #: command.y:850 #, fuzzy #| msgid "finish - execute until selected stack frame returns." msgid "finish - execute until selected stack frame returns" msgstr "finish - thực thi cho đến khi khung stack đã chọn trả về." #: command.y:852 #, fuzzy #| msgid "frame [N] - select and print stack frame number N." msgid "frame [N] - select and print stack frame number N" msgstr "frame [N] - chọn và in khung stack số hiệu N." #: command.y:854 #, fuzzy #| msgid "help [command] - print list of commands or explanation of command." msgid "help [command] - print list of commands or explanation of command" msgstr "help [lệnh] - hiển thị danh sách các lệnh hay giải thích câu lệnh." #: command.y:856 #, fuzzy #| msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT." msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "ignore N SỐ-LƯỢNG - đặt số lượng điểm ngắt bị bỏ qua." #: command.y:858 #, fuzzy #| msgid "" #| "info topic - source|sources|variables|functions|break|frame|args|locals|" #| "display|watch." msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info chủ_đề - nguồn|nguồn|biến|hàm|break|frame|args|locals|display|watch." #: command.y:860 #, fuzzy #| msgid "" #| "list [-|+|[filename:]lineno|function|range] - list specified line(s)." msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "list [-|+|[tập_tin:]số_dòng|hàm|vùng] - liệt kê các dòng đã chỉ định." #: command.y:862 #, fuzzy #| msgid "next [COUNT] - step program, proceeding through subroutine calls." msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "" "next [SỐ_LƯỢNG] - nhảy một chỉ lệnh, nhưng được xử lý thông qua gọi thủ tục " "con." #: command.y:864 #, fuzzy #| msgid "" #| "nexti [COUNT] - step one instruction, but proceed through subroutine " #| "calls." msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "" "nexti [SỐ_LƯỢNG] - nhảy từng chỉ lệnh, nhưng được xử lý thông qua gọi thủ " "tục con." #: command.y:866 #, fuzzy #| msgid "option [name[=value]] - set or display debugger option(s)." msgid "option [name[=value]] - set or display debugger option(s)" msgstr "option [tên[=giá trị]] - đặt hay hiển thị tùy chọn gỡ lỗi." #: command.y:868 #, fuzzy #| msgid "print var [var] - print value of a variable or array." msgid "print var [var] - print value of a variable or array" msgstr "print var [var] - in giá trị của biến hay mảng." #: command.y:870 #, fuzzy #| msgid "printf format, [arg], ... - formatted output." msgid "printf format, [arg], ... - formatted output" msgstr "printf format, [arg], … - kết xuất có định dạng." #: command.y:872 #, fuzzy #| msgid "quit - exit debugger." msgid "quit - exit debugger" msgstr "quit - thoát khỏi chương trình gỡ lỗi." #: command.y:874 #, fuzzy #| msgid "return [value] - make selected stack frame return to its caller." msgid "return [value] - make selected stack frame return to its caller" msgstr "" "return [giá-trị] - làm cho khung stack đã chọn trả về giá trị này cho bộ gọi " "nó." #: command.y:876 #, fuzzy #| msgid "run - start or restart executing program." msgid "run - start or restart executing program" msgstr "run - khởi chạy hay khởi động lại chương trình." #: command.y:879 #, fuzzy #| msgid "save filename - save commands from the session to file." msgid "save filename - save commands from the session to file" msgstr "save tên_tập_tin - ghi các câu lệnh từ phiên làm việc vào tập tin." #: command.y:882 #, fuzzy #| msgid "set var = value - assign value to a scalar variable." msgid "set var = value - assign value to a scalar variable" msgstr "set biến = giá_trị - gán giá trị cho một biến vô hướng." #: command.y:884 #, fuzzy #| msgid "" #| "silent - suspends usual message when stopped at a breakpoint/watchpoint." msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "" "silent - chặn các lời nhắn thông thường khi dừng tại điểm ngăt hay điểm theo " "dõi." #: command.y:886 #, fuzzy #| msgid "source file - execute commands from file." msgid "source file - execute commands from file" msgstr "source file - thực hiện các câu lệnh từ tập tin." #: command.y:888 #, fuzzy #| msgid "" #| "step [COUNT] - step program until it reaches a different source line." msgid "step [COUNT] - step program until it reaches a different source line" msgstr "" "step [SỐ_LƯỢNG] - chạy từng bước chương trình cho đến khi nó gặp một dòng " "nguồn khác." #: command.y:890 #, fuzzy #| msgid "stepi [COUNT] - step one instruction exactly." msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [SỐ_LƯỢNG] - chạy từng lệnh một." #: command.y:892 #, fuzzy #| msgid "tbreak [[filename:]N|function] - set a temporary breakpoint." msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "tbreak [[tên_tập_tin:]N|hàm] - đặt điểm ngắt tạm thời." #: command.y:894 #, fuzzy #| msgid "trace on|off - print instruction before executing." msgid "trace on|off - print instruction before executing" msgstr "trace on|off - hiển thị chỉ lệnh trước khi thực hiện." #: command.y:896 #, fuzzy #| msgid "undisplay [N] - remove variable(s) from automatic display list." msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "undisplay [N] - gỡ bỏ các biến từ danh sách hiển thị tự động." #: command.y:898 #, fuzzy #| msgid "" #| "until [[filename:]N|function] - execute until program reaches a different " #| "line or line N within current frame." msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "" "until [[tên_tập_tin:]N|hàm] - thực hiện cho đến khi chương trình đạt đến " "dòng khác hay dòng N trong khung hiện tại." #: command.y:900 #, fuzzy #| msgid "unwatch [N] - remove variable(s) from watch list." msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [N] - gỡ bỏ các biến từ danh sách theo dõi." #: command.y:902 #, fuzzy #| msgid "up [N] - move N frames up the stack." msgid "up [N] - move N frames up the stack" msgstr "up [N] - chuyển xuống N khung stack." #: command.y:904 #, fuzzy #| msgid "watch var - set a watchpoint for a variable." msgid "watch var - set a watchpoint for a variable" msgstr "watch var - đặt điểm theo dõi cho một biến." #: command.y:906 #, fuzzy #| msgid "" #| "where [N] - (same as backtrace) print trace of all or N innermost " #| "(outermost if N < 0) frames." msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "where [N] - (giống như backtrace) in vết của tất cả hay N khung trong cùng " "nhất (ngoài cùng nhất nếu N < 0)." #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "lỗi: " #: command.y:1061 #, fuzzy, c-format msgid "cannot read command: %s\n" msgstr "không thể đọc lệnh (%s)\n" #: command.y:1075 #, fuzzy, c-format msgid "cannot read command: %s" msgstr "không thể đọc lệnh (%s)" #: command.y:1126 msgid "invalid character in command" msgstr "ký tự trong câu lệnh không hợp lệ" #: command.y:1162 #, fuzzy, c-format msgid "unknown command - `%.*s', try help" msgstr "không hiểu lệnh - “%.*s”, hãy gõ lệnh trợ giúp “help”" #: command.y:1294 msgid "invalid character" msgstr "ký tự không hợp lệ" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "lệnh chưa định nghĩa: %s\n" #: debug.c:257 #, fuzzy #| msgid "set or show the number of lines to keep in history file." msgid "set or show the number of lines to keep in history file" msgstr "đặt hay hiển thị số dòng được lưu giữ trong tập tin lịch sử." #: debug.c:259 #, fuzzy #| msgid "set or show the list command window size." msgid "set or show the list command window size" msgstr "đặt hay hiển thị kích thước cửa sổ danh sách lệnh." #: debug.c:261 #, fuzzy #| msgid "set or show gawk output file." msgid "set or show gawk output file" msgstr "đặt hay hiển thị tập tin kết xuất gawk." #: debug.c:263 #, fuzzy #| msgid "set or show debugger prompt." msgid "set or show debugger prompt" msgstr "đặt hay hiển thị dấu nhắc gỡ lỗi." #: debug.c:265 #, fuzzy #| msgid "(un)set or show saving of command history (value=on|off)." msgid "(un)set or show saving of command history (value=on|off)" msgstr "(bỏ) đặt hay ghi lại lịch sử lệnh (giá trị=on|off)." #: debug.c:267 #, fuzzy #| msgid "(un)set or show saving of options (value=on|off)." msgid "(un)set or show saving of options (value=on|off)" msgstr "đặt/bỏ đặt hay hiển thị các tùy chọn được ghi lại (giá_trị=on|off)." #: debug.c:269 #, fuzzy #| msgid "(un)set or show instruction tracing (value=on|off)." msgid "(un)set or show instruction tracing (value=on|off)" msgstr "(bỏ) đặt hay hiển thị việc theo vết chỉ lệnh (giá trị=on|off)." #: debug.c:358 #, fuzzy #| msgid "program not running." msgid "program not running" msgstr "chương trình không chạy." #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "tập tin nguồn “%s” bị trống rỗng.\n" #: debug.c:502 #, fuzzy #| msgid "no current source file." msgid "no current source file" msgstr "không có tập tin nguồn hiện tại." #: debug.c:527 #, fuzzy, c-format msgid "cannot find source file named `%s': %s" msgstr "không thể tìm thấy tập tin nguồn có tên “%s” (%s)" #: debug.c:551 #, fuzzy, c-format #| msgid "WARNING: source file `%s' modified since program compilation.\n" msgid "warning: source file `%s' modified since program compilation.\n" msgstr "CẢNH BÁO: tập tin nguồn “%s” bị sửa đổi kể từ lúc nó được dịch.\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "số dòng %d nằm ngoài phạm vi; “%s” có %d dòng" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "gặp kết thúc tập tin bất ngờ khi đang đọc tập tin “%s”, dòng %d" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "tập tin nguồn “%s” đã bị sửa đổi kể từ lúc chưong trình được khởi chạy" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "Tập tin nguồn hiện tại: %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "Số dòng: %d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "Tập tin nguồn (dòng): %s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "Số Hthị Bật Vị trí\n" "\n" #: debug.c:787 #, fuzzy, c-format #| msgid "\tno of hits = %ld\n" msgid "\tnumber of hits = %ld\n" msgstr "\tkhông gợi ý = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "\tbỏ qua %ld gợi ý tiếp\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "\tdừng điều kiện: %s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "\tlệnh:\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "Khung hiện tại:" #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "Được gọi bởi khung:" #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "Bộ gọi của khung:" #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "Không có gì trong main().\n" #: debug.c:870 msgid "No arguments.\n" msgstr "Không có đối số nào.\n" #: debug.c:871 msgid "No locals.\n" msgstr "Không có nội bộ.\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "Tất cả các biến đã định nghĩa:\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "Tất cả các hàm đã định nghĩa:\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "Các biến hiển thị tự động:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "Các biến theo dõi:\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "không có ký hiệu “%s” trong ngữ cảnh hiện tại\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "“%s” không phải là một mảng\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = trường chưa được khởi tạo\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "mảng “%s” trống rỗng\n" #: debug.c:1184 debug.c:1236 #, fuzzy, c-format #| msgid "[\"%.*s\"] not in array `%s'\n" msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "[“%.*s”] không nằm trong mảng “%s”\n" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "“%s[\"%.*s\"]” không phải là một mảng\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "“%s” không phải là biến scalar" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "cố dùng mảng “%s[\"%.*s\"]” trong một ngữ cảnh vô hướng" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "cố dùng kiểu vô hướng “%s[\"%.*s\"]” như là mảng" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "“%s” là một hàm" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "điểm kiểm tra %d là vô điều kiện\n" #: debug.c:1567 #, fuzzy, c-format #| msgid "No display item numbered %ld" msgid "no display item numbered %ld" msgstr "Không có mục tin hiển thị nào đánh số %ld" #: debug.c:1570 #, fuzzy, c-format #| msgid "No watch item numbered %ld" msgid "no watch item numbered %ld" msgstr "Không có mục tin theo dõi nào đánh số %ld" #: debug.c:1596 #, fuzzy, c-format #| msgid "%d: [\"%.*s\"] not in array `%s'\n" msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d: [\"%.*s\"] không trong mảng “%s”\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "cố dùng biến vô hướng như là một mảng" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "Điểm theo dõi %d bị xóa bởi vì đối số nằm ngoài phạm vi\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "Trình bày %d bị xóa bởi vì đối số nằm ngoài phạm vi\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr " tại tập tin “%s”, dòng %d\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr " tại “%s”:%d" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "#%ld\ttrong " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "Nhiều khung ngăn xếp theo sau …\n" #: debug.c:2092 msgid "invalid frame number" msgstr "số khung không hợp lệ" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Chú ý: điểm ngắt %d (được bật, bỏ qua %ld gợi ý tiếp), đồng thời được đặt " "tại %s:%d" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "Chú ý: điểm ngắt %d (được bật), đồng thời được đặt tại %s:%d" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "" "Chú ý: điểm ngắt %d (bị tắt, bỏ qua %ld gợi ý tiếp), đồng thời được đặt tại " "%s:%d" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "Chú ý: điểm ngắt %d (bị tắt), đồng thời được đặt tại %s:%d" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "Điểm ngắt %d đặt tại tập tin “%s”, dòng %d\n" #: debug.c:2415 #, fuzzy, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "Không thể đặt điểm ngắt trong tập tin “%s”\n" #: debug.c:2444 #, fuzzy, c-format #| msgid "line number %d in file `%s' out of range" msgid "line number %d in file `%s' is out of range" msgstr "số dòng %d trong tập tin “%s” nằm ngoài phạm vi" #: debug.c:2448 #, fuzzy, c-format msgid "internal error: cannot find rule\n" msgstr "lỗi nội bộ: %s với vname (tên biến?) vô giá trị" #: debug.c:2450 #, fuzzy, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "Không thể đặt điểm ngắt tại “%s”:%d\n" #: debug.c:2462 #, fuzzy, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "Không thể đặt điểm ngắt trong hàm “%s”\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "điểm ngắt %d đặt tại tập tin “%s”, dòng %d là vô điều kiện\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "số dòng %d trong tập tin “%s” nằm ngoài phạm vi" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "Xóa điểm dừng %d" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "Không có điểm ngắt tại điểm vào của hàm “%s”\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "Không có điểm ngắt tại tập tin “%s”, dòng #%d\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "số điểm ngắt không hợp lệ" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "Xóa tất cả các điểm ngắt? (c hay k) " #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "c" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "Sẽ bỏ qua %ld điểm giao chéo của điểm ngắt %d.\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "Sẽ dừng lần gặp điểm ngắt %d tiếp theo.\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "" "Chỉ có thể gỡ lỗi các chương trình được cung cấp cùng với tùy chọn “-f”.\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "Gặp lỗi khi khởi động lại bộ gỡ lỗi" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "Chương trình đang chạy. Khởi động từ đầu (c/không)?" #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "Chương trình không khởi động lại\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "lỗi: không thể khởi động lại, thao tác không được cho phép\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "lỗi (%s): không thể khởi động lại, bỏ qua các lệnh còn lại\n" #: debug.c:3026 #, fuzzy, c-format #| msgid "Starting program: \n" msgid "Starting program:\n" msgstr "Đang khởi động chương trình:\n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "Chương trình đã thoát ra dị thường với mã thoát là: %d\n" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "Chương trình đã thoát bình thường với mã thoát là: %d\n" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "Chương trình này đang chạy. Vẫn thoát (c/k)?" #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "Không dừng tại bất ký điểm ngắt nào; đối số bị bỏ qua.\n" #: debug.c:3091 #, fuzzy, c-format #| msgid "invalid breakpoint number %d." msgid "invalid breakpoint number %d" msgstr "số điểm ngắt không hợp lệ %d." #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "Sẽ bỏ qua %ld điểm ngắt xuyên chéo %d kế tiếp.\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "“finish” không có nghĩa trong khung ngoài cùng nhất main()\n" #: debug.c:3288 #, fuzzy, c-format #| msgid "Run till return from " msgid "Run until return from " msgstr "Chạy cho đến khi có trả về từ " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "“return” không có nghĩa trong khung ngoài cùng nhất main()\n" #: debug.c:3444 #, fuzzy, c-format msgid "cannot find specified location in function `%s'\n" msgstr "Không tìm thấy vị trí đã cho trong hàm “%s”\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "dòng nguồn không hợp lệ %d trong tập tin “%s”" #: debug.c:3467 #, fuzzy, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "Không thể tìm thấy vị trí %d được chỉ ra trong tập tin “%s”\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "phần tử không trong mảng\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "biến chưa định kiểu\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "Dừng trong %s …\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "“finish” không có nghĩa với lệnh nhảy non-local “%s”\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "“until” không có nghĩa với cú nhảy non-local “%s”\n" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 #, fuzzy msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "\t------Nhấn [Enter] để tiếp tục hay t [Enter] để thoát------" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%.*s\"] không trong mảng “%s”" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "gửi kết xuất ra stdout\n" #: debug.c:5449 msgid "invalid number" msgstr "số không hợp lệ" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "“%s” không được phép trong ngữ cảnh hiện hành; câu lệnh bị bỏ qua" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "“return” không được phép trong ngữ cảnh hiện hành; câu lệnh bị bỏ qua" #: debug.c:5639 #, fuzzy, c-format #| msgid "fatal error: internal error" msgid "fatal error during eval, need to restart.\n" msgstr "lỗi nghiêm trọng: lỗi nội bộ" #: debug.c:5829 #, fuzzy, c-format #| msgid "no symbol `%s' in current context\n" msgid "no symbol `%s' in current context" msgstr "không có ký hiệu “%s” trong ngữ cảnh hiện tại\n" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "không biết kiểu nút %d" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "gặp opcode (mã thao tác) không rõ %d" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "mã lệnh %s không phải là một toán tử hoặc từ khóa" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "tràn bộ đệm trong “genflags2str” (tạo ra cờ đến chuỗi)" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# Ngăn xếp gọi hàm:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "“IGNORECASE” (bỏ qua chữ HOA/thường) là phần mở rộng gawk" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "“BINMODE” (chế độ nhị phân) là phần mở rộng gawk" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "Giá trị BINMODE (chế độ nhị phân) “%s” không hợp lệ nên đã coi là 3" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "đặc tả “%sFMT” sai “%s”" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "đang tắt “--lint” do việc gán cho “LINT”" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "gặp tham chiếu đến đối số chưa được khởi tạo “%s”" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "gặp tham chiếu đến biến chưa được khởi tạo “%s”" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "cố gắng tham chiếu trường từ giá trị khác thuộc số" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "cố gắng tham chiếu trường từ chuỗi trống rỗng" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "cố gắng để truy cập trường %ld" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "tham chiếu đến trường chưa được khởi tạo “$%ld”" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "hàm “%s” được gọi với nhiều số đối số hơn số được khai báo" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack: không cần kiểu “%s”" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "gặp phép chia cho số không trong “/=”" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "gặp phép chia cho số không trong “%%=”" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "phần mở rộng không cho phép ở chế độ khuôn đúc" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "-l / @load là một phần mở rộng gawk" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext: nhận được NULL lib_name" #: ext.c:60 #, fuzzy, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext: không thể mở thư viện “%s” (%s)\n" #: ext.c:66 #, fuzzy, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "" "load_ext: thư viện “%s”: chưa định nghĩa “plugin_is_GPL_compatible” (%s)\n" #: ext.c:72 #, fuzzy, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "load_ext: thư viện “%s”: không thể gọi hàm “%s” (%s)\n" #: ext.c:76 #, fuzzy, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "load_ext: thư viện “%s” thủ tục khởi tạo “%s” gặp lỗi\n" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin: thiếu tên hàm" #: ext.c:100 ext.c:111 #, fuzzy, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "" "make_builtin: không thể sử dụng “%s” như là một hàm được xây dựng sẵn trong " "gawk" #: ext.c:109 #, fuzzy, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "" "make_builtin: không thể sử dụng “%s” như là một hàm được xây dựng sẵn trong " "gawk" #: ext.c:126 #, fuzzy, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin: không thể định nghĩa lại hàm “%s”" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin: hàm “%s” đã được định nghĩa rồi" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin: hàm “%s” đã được định nghĩa trước đây rồi" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin: đối số dành cho số đếm bị âm cho hàm “%s”" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "hàm “%s”: đối số thứ %d: cố gắng dùng kiểu vô hướng như là mảng" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "hàm “%s”: đối số thứ %d: cố gắng dùng mảng như là kiểu vô hướng" #: ext.c:238 #, fuzzy msgid "dynamic loading of libraries is not supported" msgstr "tải động của thư viện không được hỗ trợ" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "stat: không thể đọc liên kết mềm “%s”" #: extension/filefuncs.c:479 #, fuzzy msgid "stat: first argument is not a string" msgstr "do_writea: đối số 0 không phải là một chuỗi\n" #: extension/filefuncs.c:484 #, fuzzy msgid "stat: second argument is not an array" msgstr "split: (chia tách) đối số thứ hai không phải là mảng" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stat: các đối số sai" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "khởi tạo fts: không thể tạo biến %s" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "fts không được hỗ trợ trên hệ thống này" #: extension/filefuncs.c:634 #, fuzzy msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element: không thể tạo mảng" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element: không thể đặt phần tử" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element: không thể đặt phần tử" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element: không thể đặt phần tử" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts-process: không thể tạo mảng" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts-process: không thể đặt phần tử" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "fts: được gọi với số lượng đối số không đúng, cần 3" #: extension/filefuncs.c:853 #, fuzzy msgid "fts: first argument is not an array" msgstr "asort: đối số thứ nhất không phải là một mảng" #: extension/filefuncs.c:859 #, fuzzy msgid "fts: second argument is not a number" msgstr "split: (chia tách) đối số thứ hai không phải là mảng" #: extension/filefuncs.c:865 #, fuzzy msgid "fts: third argument is not an array" msgstr "match: (khớp) đối số thứ ba không phải là mảng" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts: không thể làm phẳng mảng\n" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "fts: bỏ qua cờ FTS_NOSTAT vụng trộm. nyah, nyah, nyah." #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch: không lấy được đối số đầu tiên" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch: không lấy được đối số thứ hai" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch: không thể lấy tham số thứ ba" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "fnmatch không được hỗ trợ trên hệ thống này\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "khởi tạo fnmatch: không thể thêm biến FNM_NOMATCH" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "fnmatch init: không thể đặt phần tử mảng %s" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "khởi tạo fnmatch: không thể cài đặt mảng FNM" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork: PROCINFO không phải là mảng!" #: extension/inplace.c:131 #, fuzzy msgid "inplace::begin: in-place editing already active" msgstr "inplace_begin: sửa in-place đã sẵn được kích hoạt rồi" #: extension/inplace.c:134 #, fuzzy, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "inplace_begin: cần 2 đối số như lại được gọi với %d" #: extension/inplace.c:137 #, fuzzy msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "inplace_begin: không thể lấy đối số thứ nhất như là tên tập tin" #: extension/inplace.c:145 #, fuzzy, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "inplace_begin: tắt sửa chữa in-place cho TÊN_TẬP_TIN không hợp lệ “%s”" #: extension/inplace.c:152 #, fuzzy, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "inplace_begin: Không thể lấy thông tin thống kê của “%s” (%s)" #: extension/inplace.c:159 #, fuzzy, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "inplace_begin: “%s” không phải là tập tin thường" #: extension/inplace.c:170 #, fuzzy, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace_begin: mkstemp(“%s”) gặp lỗi (%s)" #: extension/inplace.c:182 #, fuzzy, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace_begin: chmod gặp lỗi (%s)" #: extension/inplace.c:189 #, fuzzy, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace_begin: dup(stdout) gặp lỗi (%s)" #: extension/inplace.c:192 #, fuzzy, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace_begin: dup2(%d, stdout) gặp lỗi (%s)" #: extension/inplace.c:195 #, fuzzy, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace_begin: close(%d) gặp lỗi (%s)" #: extension/inplace.c:211 #, fuzzy, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "inplace_end: cần 2 đối số như lại được gọi với %d" #: extension/inplace.c:214 #, fuzzy msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "inplace_end: không thể lấy lại đối số thứ nhất như là một tên tập tin" #: extension/inplace.c:221 #, fuzzy msgid "inplace::end: in-place editing not active" msgstr "inplace_end: việc sửa in-place không được kích hoạt" #: extension/inplace.c:227 #, fuzzy, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace_end: dup2(%d, stdout) gặp lỗi (%s)" #: extension/inplace.c:230 #, fuzzy, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace_end: close(%d) gặp lỗi (%s)" #: extension/inplace.c:234 #, fuzzy, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace_end: fsetpos(stdout) gặp lỗi (%s)" #: extension/inplace.c:247 #, fuzzy, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace_end: link(“%s”, “%s”) gặp lỗi (%s)" #: extension/inplace.c:257 #, fuzzy, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace_end: rename(“%s”, “%s”) gặp lỗi (%s)" #: extension/ordchr.c:72 #, fuzzy msgid "ord: first argument is not a string" msgstr "do_reada: đối số 0 không phải là một chuỗi\n" #: extension/ordchr.c:99 #, fuzzy msgid "chr: first argument is not a number" msgstr "asort: đối số thứ nhất không phải là một mảng" #: extension/readdir.c:291 #, fuzzy, c-format #| msgid "dir_take_control_of: opendir/fdopendir failed: %s" msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "dir_take_control_of: opendir/fdopendir gặp lỗi: %s" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "readfile: được gọi với tham số sai kiểu" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput: không thể khởi tạo biến REVOUT" #: extension/rwarray.c:145 extension/rwarray.c:548 #, fuzzy, c-format msgid "%s: first argument is not a string" msgstr "do_writea: đối số 0 không phải là một chuỗi\n" #: extension/rwarray.c:189 #, fuzzy msgid "writea: second argument is not an array" msgstr "do_writea: đối số 1 không phải là một mảng\n" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "" #: extension/rwarray.c:226 #, fuzzy msgid "write_array: could not flatten array" msgstr "write_array: không thể làm phẳng mảng\n" #: extension/rwarray.c:242 #, fuzzy msgid "write_array: could not release flattened array" msgstr "write_array: không thể giải phóng mảng được làm phẳng\n" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "giá trị mảng có kiểu chưa biết %d" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "" #: extension/rwarray.c:437 #, fuzzy, c-format #| msgid "array value has unknown type %d" msgid "cannot free number with unknown type %d" msgstr "giá trị mảng có kiểu chưa biết %d" #: extension/rwarray.c:442 #, fuzzy, c-format #| msgid "array value has unknown type %d" msgid "cannot free value with unhandled type %d" msgstr "giá trị mảng có kiểu chưa biết %d" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "" #: extension/rwarray.c:525 #, fuzzy msgid "reada: clear_array failed" msgstr "do_reada: clear_array gặp lỗi\n" #: extension/rwarray.c:611 #, fuzzy msgid "reada: second argument is not an array" msgstr "do_reada: đối số 1 không phải là một mảng\n" #: extension/rwarray.c:648 #, fuzzy msgid "read_array: set_array_element failed" msgstr "read_array: set_array_element gặp lỗi\n" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "coi giá trị đã được phục hồi với kiểu chưa biết mã %d như là một chuỗi" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "" #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday: không được hỗ trợ trên nền tảng này" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep: thiếu đối số dạng số cần thiết" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep: đối số âm" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep: không được hỗ trợ trên nền tảng này" #: extension/time.c:232 #, fuzzy #| msgid "chr: called with no arguments" msgid "strptime: called with no arguments" msgstr "chr: được gọi mà không có đối số" #: extension/time.c:240 #, fuzzy, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "do_writea: đối số 0 không phải là một chuỗi\n" #: extension/time.c:245 #, fuzzy, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "do_writea: đối số 0 không phải là một chuỗi\n" #: field.c:321 msgid "input record too large" msgstr "bản ghi đầu vào quá lớn" #: field.c:443 msgid "NF set to negative value" msgstr "“NF” được đặt thành giá trị âm" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "" #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split (chia tách): đối số thứ tư là phần mở rộng gawk" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split (chia tách): đối số thứ tư không phải là mảng" #: field.c:1138 field.c:1240 #, fuzzy, c-format msgid "%s: cannot use %s as fourth argument" msgstr "" "asort (một chương trình xắp xếp thứ tự): không thể sử dụng mảng con của tham " "số thứ hai cho tham số thứ nhất" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split: (chia tách) đối số thứ hai không phải là mảng" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "" "split (chia tách): không thể sử dụng cùng một mảng có cả đối số thứ hai và " "thứ tư" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "" "split (phân tách): không thể sử dụng mảng con của tham số thứ hai cho tham " "số thứ tư" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "" "split (phân tách): không thể sử dụng mảng con của tham số thứ tư cho tham số " "thứ hai" #: field.c:1199 #, fuzzy msgid "split: null string for third arg is a non-standard extension" msgstr "" "split: (chia tách) chuỗi vô giá trị cho đối số thứ ba là phần mở rộng gawk" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit: đối số thứ tư không phải là mảng" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit: đối số thứ hai không phải là mảng" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit: đối số thứ ba không phải không rỗng" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "" "patsplit (chương trình chia tách): không thể sử dụng cùng một mảng cho cả " "hai đối số thứ hai và thứ tư" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "" "patsplit (chương trình phân tách): không thể sử dụng mảng con của tham số " "thứ hai cho tham số thứ tư" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "" "patsplit (chương trình phân tách): không thể sử dụng mảng con của tham số " "thứ tư cho tham số thứ hai" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "“FIELDWIDTHS” (độ rộng trường) là phần mở rộng gawk" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "“*” phải là bộ định danh cuối cùng trong FIELDWIDTHS" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "" "giá trị FIELDWIDTHS (độ rộng trường) không hợp lệ, cho trường %d, gần “%s”" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "chuỗi vô giá trị cho “FS” là phần mở rộng gawk" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "awk cũ không hỗ trợ biểu thức chính quy làm giá trị của “FS”" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "“FPAT” là phần mở rộng của gawk" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node: retval nhận được là null" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "awk_value_to_node: không trong chế độ MPFR" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "awk_value_to_node: không hỗ trợ MPFR" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node: kiểu số không hợp lệ “%d”" #: gawkapi.c:388 #, fuzzy msgid "add_ext_func: received NULL name_space parameter" msgstr "load_ext: nhận được NULL lib_name" #: gawkapi.c:526 #, fuzzy, c-format #| msgid "" #| "node_to_awk_value: detected invalid numeric flags combination `%s'; " #| "please file a bug report." msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "" "node_to_awk_value: tìm thấy tổ hợp cờ dạng số không hợp lệ “%s”; vui lòng " "báo cáo đây là lỗi." #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value: nút nhận được là null" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value: biến nhận được là null" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, fuzzy, c-format #| msgid "" #| "node_to_awk_value detected invalid flags combination `%s'; please file a " #| "bug report." msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "" "node_to_awk_value tìm thấy tổ hợp cờ dạng số không hợp lệ “%s”; vui lòng báo " "cáo đây là lỗi." #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element: mảng nhận được là null" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element: nhận được là null" #: gawkapi.c:1271 #, fuzzy, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "api_flatten_array_typed: không thể chuyển đổi chỉ số %d sang %s\n" #: gawkapi.c:1276 #, fuzzy, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "api_flatten_array_typed: không thể chuyển đổi giá trị %d sang %s\n" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "api_get_mpfr: không hỗ trợ MPFR" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "không thể tìm thấy điểm kết thúc của quy tắc BEGINFILE" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "không thể mở kiểu tập tin chưa biết “%s” cho “%s”" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "tham số dòng lệnh “%s” là một thư mục: đã bị bỏ qua" #: io.c:418 io.c:532 #, fuzzy, c-format msgid "cannot open file `%s' for reading: %s" msgstr "không mở được tập tin “%s” để đọc (%s)" #: io.c:659 #, fuzzy, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "lỗi đóng fd %d (“%s”) (%s)" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "không cần hợp “>” và “>>” cho tập tin “%.*s”" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "chuyển hướng không cho phép ở chế độ khuôn đúc" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "biểu thức trong điều chuyển hướng “%s” là một con số" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "biểu thức cho điều chuyển hướng “%s” có giá trị chuỗi vô giá trị" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "" "tên tập tin “%.*s” cho điều chuyển hướng “%s” có lẽ là kết quả của biểu thức " "luận lý" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "get_file không thể tạo đường ống “%s” với fd %d" #: io.c:955 #, fuzzy, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "không thể mở ống dẫn “%s” để xuất (%s)" #: io.c:973 #, fuzzy, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "không thể mở ống dẫn “%s” để nhập (%s)" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "" "việc tạo ổ cắm mạng get_file không được hỗ trợ trên nền tảng này cho “%s” " "với fd %d" #: io.c:1013 #, fuzzy, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "không thể mở ống dẫn hai chiều “%s” để nhập/xuất (%s)" #: io.c:1100 #, fuzzy, c-format msgid "cannot redirect from `%s': %s" msgstr "không thể chuyển hướng từ “%s” (%s)" #: io.c:1103 #, fuzzy, c-format msgid "cannot redirect to `%s': %s" msgstr "không thể chuyển hướng đến “%s” (%s)" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "" "đã tới giới hạn hệ thống về tập tin được mở nên bắt đầu phối hợp nhiều dòng " "điều mô tả tập tin" #: io.c:1221 #, fuzzy, c-format msgid "close of `%s' failed: %s" msgstr "lỗi đóng “%s” (%s)" #: io.c:1229 msgid "too many pipes or input files open" msgstr "quá nhiều ống dẫn hay tập tin nhập được mở" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close: (đóng) đối số thứ hai phải là “to” (đến) hay “from” (từ)" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "" "close: (đóng) “%.*s” không phải là tập tin, ống dẫn hay đồng tiến trình đã " "được mở" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "đóng một chuyển hướng mà nó chưa từng được mở" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "" "close: chuyển hướng “%s” không được mở bởi “|&” nên đối số thứ hai bị bỏ qua" #: io.c:1397 #, fuzzy, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "trạng thái thất bại (%d) khi đóng ống dẫn “%s” (%s)" #: io.c:1400 #, fuzzy, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "trạng thái thất bại (%d) khi đóng ống dẫn “%s” (%s)" #: io.c:1403 #, fuzzy, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "trạng thái thất bại (%d) khi đóng tập tin “%s” (%s)" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "không cung cấp lệnh đóng ổ cắm “%s” rõ ràng" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "không cung cấp lệnh đóng đồng tiến trình “%s” rõ ràng" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "không cung cấp lệnh đóng đường ống dẫn lệnh “%s” rõ ràng" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "không cung cấp lệnh đóng tập tin “%s” rõ ràng" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "fflush: không thể đẩy dữ liệu lên đĩa đầu ra tiêu chuẩn: %s" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "fflush: không thể đẩy dữ liệu lên đĩa đầu ra lỗi tiêu chuẩn: %s" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, fuzzy, c-format msgid "error writing standard output: %s" msgstr "gặp lỗi khi ghi đầu ra tiêu chuẩn (%s)" #: io.c:1474 io.c:1573 main.c:671 #, fuzzy, c-format msgid "error writing standard error: %s" msgstr "gặp lỗi khi ghi thiết bị lỗi chuẩn (%s)" #: io.c:1513 #, fuzzy, c-format msgid "pipe flush of `%s' failed: %s" msgstr "lỗi xóa sạch ống dẫn “%s” (%s)" #: io.c:1516 #, fuzzy, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "lỗi xóa sạch ống dẫn đồng tiến trình đến “%s” (%s)" #: io.c:1519 #, fuzzy, c-format msgid "file flush of `%s' failed: %s" msgstr "lỗi xóa sạch tập tin “%s” (%s)" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "cổng cục bộ %s không hợp lệ trong “/inet”: %s" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "cổng cục bộ %s không hợp lệ trong “/inet”" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "thông tin về máy/cổng máy mạng (%s, %s) không hợp lệ: %s" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "thông tin về máy/cổng ở xa (%s, %s) không phải hợp lệ" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "truyền thông TCP/IP không được hỗ trợ" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "không mở được “%s”, chế độ “%s”" #: io.c:2069 io.c:2121 #, fuzzy, c-format msgid "close of master pty failed: %s" msgstr "gặp lỗi khi đóng thiết bị cuối giả (%s)" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, fuzzy, c-format msgid "close of stdout in child failed: %s" msgstr "lỗi đóng đầu ra tiêu chuẩn trong tiến trình con (%s)" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "" "gặp lỗi khi di chuyển pty (thiết bị cuối giả) phụ thuộc đến thiết bị đầu ra " "tiêu chuẩn trong con (trùng: %s)" #: io.c:2076 io.c:2128 io.c:2469 #, fuzzy, c-format msgid "close of stdin in child failed: %s" msgstr "lỗi đóng thiết bị nhập chuẩn trong tiến trình con (%s)" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "" "lỗi di chuyển pty (thiết bị cuối giả) phụ tới thiết bị nhập chuẩn trong điều " "con (nhân đôi: %s)" #: io.c:2081 io.c:2133 io.c:2155 #, fuzzy, c-format msgid "close of slave pty failed: %s" msgstr "đóng pty (thiết bị cuối giả) phụ thuộc gặp lỗi (%s)" #: io.c:2317 msgid "could not create child process or open pty" msgstr "không thể tạo tiến trình con hoặc mở tpy" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "" "lỗi di chuyển ống dẫn đến thiết bị xuất chuẩn trong tiến trình con (trùng: " "%s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "" "lỗi di chuyển ống dẫn đến thiết bị nhập chuẩn trong tiến trình con (trùng: " "%s)" #: io.c:2432 io.c:2695 #, fuzzy msgid "restoring stdout in parent process failed" msgstr "phục hồi đầu ra tiêu chuẩn trong tiến trình mẹ gặp lỗi\n" #: io.c:2440 #, fuzzy msgid "restoring stdin in parent process failed" msgstr "phục hồi đầu vào tiêu chuẩn trong tiến trình mẹ gặp lỗi\n" #: io.c:2475 io.c:2707 io.c:2722 #, fuzzy, c-format msgid "close of pipe failed: %s" msgstr "đóng ống dẫn gặp lỗi (%s)" #: io.c:2534 msgid "`|&' not supported" msgstr "“|&” không được hỗ trợ" #: io.c:2662 #, fuzzy, c-format msgid "cannot open pipe `%s': %s" msgstr "không thể mở ống dẫn “%s” (%s)" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "không thể tạo tiến trình con cho “%s” (fork: %s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "getline: cố ghi vào một đường ống hai chiều mà chiều ghi đã đóng" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser: nhận được con trỏ NULL" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "" "bộ phân tích đầu vào “%s” xung đột với bộ phân tích đầu vào được cài đặt " "trước đó “%s”" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "bộ phân tích đầu vào “%s” gặp lỗi khi mở “%s”" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_wrapper: nhận được con trỏ NULL" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "" "bộ bao kết xuất “%s” xung đột với bộ bao kết xuất được cài đặt trước đó “%s”" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "bộ bao kết xuất “%s” gặp lỗi khi mở “%s”" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor: nhận được con trỏ NULL" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "" "bộ xử lý hai hướng “%s” xung đột với bộ xử lý hai hướng đã được cài đặt " "trước đó “%s”" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "bộ xử lý hai hướng “%s” gặp lỗi khi mở “%s”" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "tập tin dữ liệu “%s” là rỗng" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "không thể cấp phát bộ nhớ nhập thêm nữa" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "giá trị đa ký tự của “RS” là phần mở rộng gawk" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "Truyền thông trên IPv6 không được hỗ trợ" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "" "biến môi trường “POSIXLY_CORRECT” (đúng kiểu POSIX) đã được đặt; đang bật " "tùy chọn “--posix”" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "tùy chọn “--posix” có quyền cao hơn “--traditional” (truyền thống)" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "" "“--posix”/“--traditional” (cổ điển) có quyền cao hơn “--non-decimal-" "data” (dữ liệu khác thập phân)" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "“--posix” đè lên “--characters-as-bytes”" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "việc chạy %s với tư cách “setuid root” có thể rủi rỏ bảo mật" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "" #: main.c:413 #, fuzzy, c-format msgid "cannot set binary mode on stdin: %s" msgstr "không thể đặt chế độ nhị phân trên đầu vào tiêu chuẩn (%s)" #: main.c:416 #, fuzzy, c-format msgid "cannot set binary mode on stdout: %s" msgstr "không thể đặt chế độ nhị phân trên đầu ra tiêu chuẩn (%s)" #: main.c:418 #, fuzzy, c-format msgid "cannot set binary mode on stderr: %s" msgstr "không thể đặt chế độ nhị phân trên đầu ra lỗi tiêu chuẩn (%s)" #: main.c:483 msgid "no program text at all!" msgstr "không có đoạn chữ chương trình nào cả!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "" "Cách dùng: %s [tùy chọn kiểu POSIX hay GNU] -f tập_tin_chương_trình [--] " "tập_tin …\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "" "Cách dùng: %s [tùy chọn kiểu POSIX hay GNU] [--] %cchương_trình%c tập_tin …\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "Tùy chọn POSIX:\t\t\tTùy chọn dài GNU: (tiêu chuẩn)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f tập_tin_chương_trình\t--file=tập_tin_chương_trình\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F fs\t\t\t--field-separator=ký_hiệu_phân_cách_trường\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "" "\t-v var=giá_trị\t\t--assign=biến=giá_trị\n" "(assign: gán)\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "Tùy chọn ngắn:\t\t\tTùy chọn GNU dạng dài: (mở rộng)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[tập_tin]\t\t--dump-variables[=tập_tin]\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-D[tập_tin]\t\t--debug[=tập_tin]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e “program-text”\t--source=“program-text”\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E file\t\t\t--exec=tập_tin\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "\t-i includefile\t\t--include=tập-tin-bao-gồm\n" #: main.c:602 #, fuzzy #| msgid "\t-h\t\t\t--help\n" msgid "\t-I\t\t\t--trace\n" msgstr "\t-h\t\t\t--help\n" #: main.c:603 #, fuzzy #| msgid "\t-h\t\t\t--help\n" msgid "\t-k\t\t\t--csv\n" msgstr "\t-h\t\t\t--help\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "\t-l library\t\t--load=thư-viện\n" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 #, fuzzy msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L [fatal|invalid]\t--lint[=fatal|invalid]\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "\t-M\t\t\t--bignum\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-o[tập_tin]\t\t--pretty-print[=tập_tin]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize (tối_ưu_hóa)\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[tập_tin]\t\t--profile[=tập_tin]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-s\t\t\t--no-optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 #, fuzzy msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 #, fuzzy msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "Để thông báo lỗi, xem nút “Bugs” (lỗi) trong tập tin thông tin\n" "“gawk.info”, cái mà nằm trong phần “Reporting Problems and Bugs”\n" "(thông báo trục trặc và lỗi) trong bản in. Cùng thông tin đó có thể\n" "tìm thấy ở\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "VUI LÒNG ĐỪNG cố báo cáo lỗi bằng gửi trong comp.lang.awk.\n" "\n" "Thông báo lỗi dịch cho: .\n" "\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk là ngôn ngữ quét và xử lý mẫu.\n" "Mặc định, nó đọc từ đầu vào tiêu chuẩn và ghi ra đầu ra tiêu chuẩn.\n" "\n" #: main.c:656 #, fuzzy, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "Ví dụ:\n" "\tgawk \"{ sum += $1 }; END { print sum }\" tập_tin\n" "\tgawk -F: \"{ print $1 }\" /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "Tác quyền © năm 1989, 1991-%d của Tổ chức Phần mềm Tự do.\n" "\n" "Chương trình này là phần mềm tự do; bạn có thể phát hành lại nó\n" "và/hoặc sửa đổi nó với các điều điều khoản của Giấy Phép Công Cộng GNU\n" "được xuất bản bởi Tổ Chức Phần Mềm Tự Do; hoặc là phiên bản 3\n" "của Giấy Phép này, hoặc là (tùy chọn) bất kỳ phiên bản mới hơn.\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "Chúng tôi phân phối chương trình này vì mong muốn nó hữu ích,\n" "nhưng mà KHÔNG BẢO ĐẢM GÌ CẢ, không ngay cả khi nó ĐƯỢC BÁN\n" "hoặc PHÙ HỢP VỚI CÁC MỤC ĐÍCH ĐẶC THÙ.\n" "Hãy xem Giấy phép Công Chung GNU (GPL) để biết chi tiết.\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "Bạn nên nhận một bản sao của Giấy Phép Công Cộng GNU cùng với chương\n" "trình này. Nếu chưa có, bạn xem tại .\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "-Ft không đặt FS (hệ thống tập tin?) vào tab trong awk POSIX" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s: đối số “%s” cho “-v” không có dạng “biến=giá_trị”\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "“%s” không phải là tên biến hợp lệ" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "“%s” không phải là tên biến; đang tìm tập tin “%s=%s”" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "không thể dùng builtin (dựng sẵn) của gawk “%s” như là tên biến" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "không thể dùng hàm “%s” như là tên biến" #: main.c:1294 msgid "floating point exception" msgstr "ngoại lệ số thực dấu chấm động" #: main.c:1304 msgid "fatal error: internal error" msgstr "lỗi nghiêm trọng: lỗi nội bộ" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "không có fd (bộ mô tả tập tin) %d đã mở trước" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "không thể mở trước “/dev/null” cho fd %d" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "đối số rỗng cho tùy chọn “-e/--source” bị bỏ qua" #: main.c:1681 main.c:1686 #, fuzzy msgid "`--profile' overrides `--pretty-print'" msgstr "tùy chọn “--posix” có quyền cao hơn “--traditional” (truyền thống)" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "-M bị bỏ qua: chưa biên dịch phần hỗ trợ MPFR/GMP" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "" #: main.c:1726 #, fuzzy #| msgid "IPv6 communication is not supported" msgid "Persistent memory is not supported." msgstr "Truyền thông trên IPv6 không được hỗ trợ" #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s: tùy chọn “-W %s” không được nhận diện nên bị bỏ qua\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s: tùy chọn cần đến đối số “-- %c”\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "" #: main.c:1913 #, fuzzy #| msgid "api_get_mpfr: MPFR not supported" msgid "persistent memory is not supported" msgstr "api_get_mpfr: không hỗ trợ MPFR" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "giá trị PREC “%.*s” là không hợp lệ" #: mpfr.c:718 #, fuzzy, c-format #| msgid "RNDMODE value `%.*s' is invalid" msgid "ROUNDMODE value `%.*s' is invalid" msgstr "giá trị RNDMODE “%.*s” là không hợp lệ" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2: đã nhận đối số thứ nhất khác thuộc số" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2: đã nhận đối số thứ hai khác thuộc số" #: mpfr.c:825 #, fuzzy, c-format msgid "%s: received negative argument %.*s" msgstr "log: (nhật ký) đã nhận đối số âm “%g”" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int: (số nguyên?) đã nhận đối số không phải thuộc số" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl: (biên dịch) đã nhận được đối số không-phải-số" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%Rg): giá trị âm là không được phép" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "compl(%Rg): giá trị thuộc phân số sẽ bị cắt ngắn" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%Zd): giá trị âm là không được phép" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s: đã nhận đối số không phải thuộc số #%d" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "%s: đối số #%d có giá trị không hợp lệ %Rg, dùng 0" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%s: đối số #%d giá trị âm %Rg là không được phép" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "%s: đối số #%d giá trị phần phân số %Rg sẽ bị cắt cụt" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%s: đối số #%d có giá trị âm %Zd là không được phép" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and: được gọi với ít hơn hai đối số" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or: (hoặc) được gọi với ít hơn hai đối số" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "xor: được gọi với ít hơn hai đối số" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand: đã nhận đối số không thuộc kiểu số học" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "intdiv: đã nhận đối số đầu không phải thuộc số" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "intdiv: đã nhận đối số thứ hai không thuộc số" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "dòng lệnh:" #: node.c:477 msgid "backslash at end of string" msgstr "gặp dấu gạch ngược tại kết thúc của chuỗi" #: node.c:511 msgid "could not make typed regex" msgstr "không thể tạo biểu thức chính quy kiểu mẫu" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "awk cũ không hỗ trợ thoát chuỗi “\\%c”" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX không cho phép thoát chuỗi “\\x”" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "không có số thập lúc nằm trong thoát chuỗi “\\x”" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "" "thoát chuỗi thập lục \\x%.*s chứa %d ký tự mà rất có thể không phải được đọc " "bằng cách dự định" #: node.c:705 #, fuzzy #| msgid "POSIX does not allow `\\x' escapes" msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX không cho phép thoát chuỗi “\\x”" #: node.c:713 #, fuzzy #| msgid "no hex digits in `\\x' escape sequence" msgid "no hex digits in `\\u' escape sequence" msgstr "không có số thập lúc nằm trong thoát chuỗi “\\x”" #: node.c:744 #, fuzzy #| msgid "no hex digits in `\\x' escape sequence" msgid "invalid `\\u' escape sequence" msgstr "không có số thập lúc nằm trong thoát chuỗi “\\x”" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "thoát chuỗi “\\%c” được xử lý như là “%c” chuẩn" #: node.c:908 #, fuzzy #| msgid "" #| "Invalid multibyte data detected. There may be a mismatch between your " #| "data and your locale." msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "" "Dữ liệu dạng đa byte (multibyte) không hợp lệ được tìm thấy. Tại đó có lẽ " "không khớp giữa dữ liệu của bạn và nơi xảy ra." #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "%s %s “%s”: không thể lấy cờ mô tả (fd): (fcntl F_GETFD: %s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "" "%s %s “%s”: không thể đặt “close-on-exec” (đóng một khi thực hiện): (fcntl " "F_SETFD: %s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "" #: profile.c:114 msgid "sending profile to standard error" msgstr "đang gửi hồ sơ cho thiết bị lỗi chuẩn" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# Quy tắc %s\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# Quy tắc\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "lỗi nội bộ: %s với vname (tên biến?) vô giá trị" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "lỗi nội bộ: phần dựng sẵn với fname là null" #: profile.c:1351 #, fuzzy, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "\t# Các phần mở rộng được tải (-l và/hoặc @load)\n" "\n" #: profile.c:1382 #, fuzzy, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\t# Các phần mở rộng được tải (-l và/hoặc @load)\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# hồ sơ gawk, được tạo %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# Danh sách các hàm theo thứ tự abc\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str: không hiểu kiểu chuyển hướng %d" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "" #: re.c:215 #, fuzzy, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "thoát chuỗi “\\%c” được xử lý như là “%c” chuẩn" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "" "thành phần của biểu thức chính qui (regexp) “%.*s” gần như chắc chắn nên là " "“[%.*s]”" #: support/dfa.c:910 msgid "unbalanced [" msgstr "thiếu dấu ngoặc vuông mở [" #: support/dfa.c:1031 msgid "invalid character class" msgstr "sai lớp ký tự" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "cú pháp lớp ký tự là [[:dấu_cách:]], không phải [:dấu_cách:]" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "chưa kết thúc dãy thoát \\" #: support/dfa.c:1345 #, fuzzy #| msgid "invalid subscript expression" msgid "? at start of expression" msgstr "biểu thức in thấp không hợp lệ" #: support/dfa.c:1357 #, fuzzy #| msgid "invalid subscript expression" msgid "* at start of expression" msgstr "biểu thức in thấp không hợp lệ" #: support/dfa.c:1371 #, fuzzy #| msgid "invalid subscript expression" msgid "+ at start of expression" msgstr "biểu thức in thấp không hợp lệ" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "nội dung của “\\{\\}” không hợp lệ" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "biểu thức chính quy quá lớn" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "thiếu dấu (" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "chưa chỉ rõ cú pháp" #: support/dfa.c:2077 msgid "unbalanced )" msgstr "thiếu dấu )" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s: tùy chọn “%s” chưa rõ ràng; khả năng là:" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s: tùy chọn “--%s” không cho phép đối số\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s: tùy chọn “%c%s” không cho phép đối số\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s: tùy chọn “--%s” yêu cầu một đối số\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s: không nhận ra tùy chọn “--%s”\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s: không nhận ra tùy chọn “%c%s”\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s: tùy chọn không hợp lệ -- “%c”\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s: tùy chọn yêu cầu một đối số -- “%c”\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s: tùy chọn “-W %s” vẫn mơ hồ\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s: tùy chọn “-W %s” không cho phép đối số\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s: tùy chọn “-W %s” yêu cầu một đối số\n" #: support/regcomp.c:122 msgid "Success" msgstr "Thành công" #: support/regcomp.c:125 msgid "No match" msgstr "Không khớp" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "Biểu thức chính quy không hợp lệ" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "Ký tự đối chiếu không hợp lệ" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "Tên hạng ký tự không hợp lệ" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "Gặp dấu gạch ngược thừa" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "Tham chiếu ngược không hợp lệ" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "Chưa khớp [, [^, [:, [., hay [=" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "Chưa khớp “(” hay “\\(”" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "Chưa khớp “\\{”" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "Nội dung của “\\{\\}” không hợp lệ" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "Kết thúc phạm vi không hợp lệ" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "Hết bộ nhớ" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "Biểu thức chính quy nằm trước không hợp lệ" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "Kết thúc quá sớm của biểu thức chính quy" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "Biểu thức chính quy quá lớn" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr "Chưa khớp “)” hoặc “\\)”" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "Không có biểu thức chính quy nằm trước" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "" #: symbol.c:781 #, fuzzy, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "hàm “%s”: không thể dùng hàm “%s” như là tên tham số" #: symbol.c:911 #, fuzzy msgid "cannot pop main context" msgstr "không thể pop (lấy ra) ngữ cảnh chính" #~ msgid "fatal: must use `count$' on all formats or none" #~ msgstr "" #~ "lỗi nghiêm trọng: phải dùng “count$” với mọi dạng thức hay không gì cả" #, c-format #~ msgid "field width is ignored for `%%' specifier" #~ msgstr "chiều rộng trường bị bỏ qua đối với bộ chỉ định “%%”" #, c-format #~ msgid "precision is ignored for `%%' specifier" #~ msgstr "độ chính xác bị bỏ qua đối với bộ chỉ định “%%”" #, c-format #~ msgid "field width and precision are ignored for `%%' specifier" #~ msgstr "" #~ "chiều rộng trường và độ chính xác bị bỏ qua đối với bộ chỉ định “%%”" #~ msgid "fatal: `$' is not permitted in awk formats" #~ msgstr "lỗi nghiêm trọng: không cho phép “$” trong định dạng awk" #, fuzzy #~ msgid "fatal: argument index with `$' must be > 0" #~ msgstr "lỗi nghiêm trọng: số lượng đối số với “$” phải >0" #, fuzzy, c-format #~ msgid "" #~ "fatal: argument index %ld greater than total number of supplied arguments" #~ msgstr "" #~ "lỗi nghiêm trọng: số lượng đối số %ld lớn hơn tổng số đối số được cung cấp" #~ msgid "fatal: `$' not permitted after period in format" #~ msgstr "" #~ "lỗi nghiêm trọng: không cho phép “$” nằm sau dấu chấm trong định dạng" #~ msgid "fatal: no `$' supplied for positional field width or precision" #~ msgstr "" #~ "lỗi nghiêm trọng: chưa cung cấp “$” cho độ rộng trường thuộc vị trí hay " #~ "cho độ chính xác" #, fuzzy, c-format #~| msgid "`l' is meaningless in awk formats; ignored" #~ msgid "`%c' is meaningless in awk formats; ignored" #~ msgstr "chữ “l” không có nghĩa trong định dạng awk nên bị bỏ qua" #, fuzzy, c-format #~| msgid "fatal: `l' is not permitted in POSIX awk formats" #~ msgid "fatal: `%c' is not permitted in POSIX awk formats" #~ msgstr "" #~ "lỗi nghiêm trọng: không cho phép chữ “l” nằm trong định dạng awk POSIX" #, c-format #~ msgid "[s]printf: value %g is too big for %%c format" #~ msgstr "[s]printf: giá trị %g quá lớn cho định dạng “%%c”" #, c-format #~ msgid "[s]printf: value %g is not a valid wide character" #~ msgstr "[s]printf: giá trị %g phải là một ký tự rộng hợp lệ" #, c-format #~ msgid "[s]printf: value %g is out of range for `%%%c' format" #~ msgstr "[s]printf: giá trị %g ở ngoại phạm vi cho dạng thức “%%%c”" #, fuzzy, c-format #~ msgid "[s]printf: value %s is out of range for `%%%c' format" #~ msgstr "[s]printf: giá trị %g ở ngoại phạm vi cho dạng thức “%%%c”" #, c-format #~ msgid "" #~ "ignoring unknown format specifier character `%c': no argument converted" #~ msgstr "" #~ "đang bỏ qua ký tự ghi rõ định dạng không rõ “%c”: không có đối số được " #~ "chuyển đổi" #~ msgid "fatal: not enough arguments to satisfy format string" #~ msgstr "lỗi nghiêm trọng: chưa có đủ đối số để đáp ứng chuỗi định dạng" #~ msgid "^ ran out for this one" #~ msgstr "bị hết “^” cho cái này" #~ msgid "[s]printf: format specifier does not have control letter" #~ msgstr "[s]printf: chỉ định định dạng không có ký hiệu điều khiển" #~ msgid "too many arguments supplied for format string" #~ msgstr "quá nhiều đối số được cung cấp cho chuỗi định dạng" #, fuzzy, c-format #~ msgid "%s: received non-string format string argument" #~ msgstr "index: (chỉ số) đã nhận đối số thứ nhất không phải là chuỗi" #~ msgid "sprintf: no arguments" #~ msgstr "sprintf: không có đối số" #~ msgid "printf: no arguments" #~ msgstr "printf: không có đối số" #~ msgid "printf: attempt to write to closed write end of two-way pipe" #~ msgstr "printf: cố ghi vào một đường ống hai chiều mà chiều ghi đã đóng" #, c-format #~ msgid "%s" #~ msgstr "%s" #~ msgid "\t-W nostalgia\t\t--nostalgia\n" #~ msgstr "" #~ "\t-W nostalgia\t\t--nostalgia\n" #~ "(nỗi luyến tiếc quá khứ)\n" #~ msgid "fatal error: internal error: segfault" #~ msgstr "lỗi nghiêm trọng: lỗi nội bộ: lỗi phân đoạn" #~ msgid "fatal error: internal error: stack overflow" #~ msgstr "lỗi nghiêm trọng: lỗi nội bộ: tràn ngăn xếp" #, c-format #~ msgid "typeof: invalid argument type `%s'" #~ msgstr "typeof: tùy chọn không hợp lệ “%s”" #, fuzzy #~ msgid "do_writea: first argument is not a string" #~ msgstr "do_writea: đối số 0 không phải là một chuỗi\n" #, fuzzy #~ msgid "do_reada: first argument is not a string" #~ msgstr "do_reada: đối số 0 không phải là một chuỗi\n" #, fuzzy #~ msgid "do_writea: argument 1 is not an array" #~ msgstr "do_writea: đối số 1 không phải là một mảng\n" #, fuzzy #~ msgid "do_reada: argument 0 is not a string" #~ msgstr "do_reada: đối số 0 không phải là một chuỗi\n" #, fuzzy #~ msgid "do_reada: argument 1 is not an array" #~ msgstr "do_reada: đối số 1 không phải là một mảng\n" #~ msgid "`L' is meaningless in awk formats; ignored" #~ msgstr "chữ “L” không có nghĩa trong định dạng awk nên bị bỏ qua" #~ msgid "fatal: `L' is not permitted in POSIX awk formats" #~ msgstr "" #~ "lỗi nghiêm trọng: không cho phép chữ “L” nằm trong định dạng awk POSIX" #~ msgid "`h' is meaningless in awk formats; ignored" #~ msgstr "chữ “h” không có nghĩa trong định dạng awk nên bị bỏ qua" #~ msgid "fatal: `h' is not permitted in POSIX awk formats" #~ msgstr "" #~ "lỗi nghiêm trọng: không cho phép chữ “h” nằm trong định dạng awk POSIX" #~ msgid "No symbol `%s' in current context" #~ msgstr "Không có ký hiệu “%s” trong ngữ cảnh hiện thời" #, fuzzy #~ msgid "fts: first parameter is not an array" #~ msgstr "asort: đối số thứ nhất không phải là một mảng" #, fuzzy #~ msgid "fts: third parameter is not an array" #~ msgstr "match: (khớp) đối số thứ ba không phải là mảng" #~ msgid "adump: first argument not an array" #~ msgstr "adump: đối số thứ nhất không phải là một mảng" #~ msgid "asort: second argument not an array" #~ msgstr "asort: đối số thứ hai không phải là một mảng" #~ msgid "asorti: second argument not an array" #~ msgstr "asorti: đối số thứ hai không phải là một mảng" #~ msgid "asorti: first argument not an array" #~ msgstr "asorti: đối số thứ nhất không phải là một mảng" #, fuzzy #~ msgid "asorti: first argument cannot be SYMTAB" #~ msgstr "asorti: đối số thứ nhất không phải là một mảng" #, fuzzy #~ msgid "asorti: first argument cannot be FUNCTAB" #~ msgstr "asorti: đối số thứ nhất không phải là một mảng" #~ msgid "asorti: cannot use a subarray of first arg for second arg" #~ msgstr "" #~ "asorti (một chương trình xắp xếp thứ tự): không thể sử dụng mảng con của " #~ "tham số thứ nhất cho tham số thứ hai" #~ msgid "asorti: cannot use a subarray of second arg for first arg" #~ msgstr "" #~ "asorti (một chương trình xắp xếp thứ tự): không thể sử dụng mảng con của " #~ "tham số thứ hai cho tham số thứ nhất" #~ msgid "can't read sourcefile `%s' (%s)" #~ msgstr "không thể đọc tập tin nguồn “%s” (%s)" #~ msgid "POSIX does not allow operator `**='" #~ msgstr "POSIX không cho phép toán tử “**=”" #~ msgid "old awk does not support operator `**='" #~ msgstr "awk cũ không hỗ trợ toán tử “**=”" #~ msgid "old awk does not support operator `**'" #~ msgstr "awk cũ không hỗ trợ toán tử “**”" #~ msgid "operator `^=' is not supported in old awk" #~ msgstr "awk cũ không hỗ trợ toán tử “^=”" #~ msgid "could not open `%s' for writing (%s)" #~ msgstr "không mở được “%s” để ghi (%s)" #~ msgid "exp: received non-numeric argument" #~ msgstr "exp: đã nhận đối số không phải thuộc số" #~ msgid "length: received non-string argument" #~ msgstr "length: (chiều dài) đã nhận đối số không phải chuỗi" #~ msgid "log: received non-numeric argument" #~ msgstr "log: (nhật ký) đã nhận đối số không phải thuộc số" #~ msgid "sqrt: received non-numeric argument" #~ msgstr "sqrt: (căn bậc hai) đã nhận đối số không phải thuộc số" #~ msgid "sqrt: called with negative argument %g" #~ msgstr "sqrt: (căn bậc hai) đã gọi với đối số âm “%g”" #~ msgid "strftime: received non-numeric second argument" #~ msgstr "strftime: đã nhận đối số thứ hai khác thuộc số" #~ msgid "strftime: received non-string first argument" #~ msgstr "strftime: đã nhận đối số thứ nhất khác chuỗi" #~ msgid "mktime: received non-string argument" #~ msgstr "mktime: đã nhận đối số khác chuỗi" #~ msgid "tolower: received non-string argument" #~ msgstr "tolower: (thành chư thường) đã nhận đối số khác chuỗi" #~ msgid "toupper: received non-string argument" #~ msgstr "toupper: (thành chữ HOA) đã nhận đối số khác chuỗi" #~ msgid "sin: received non-numeric argument" #~ msgstr "sin: đã nhận đối số không thuộc kiểu số học" #~ msgid "cos: received non-numeric argument" #~ msgstr "cos: đã nhận đối số không thuộc kiểu số học" #~ msgid "lshift: received non-numeric first argument" #~ msgstr "lshift: đã nhận đối số đầu không phải thuộc số" #~ msgid "lshift: received non-numeric second argument" #~ msgstr "lshift: (dịch bên trái) đã nhận đối số thứ hai khác thuộc số" #~ msgid "rshift: received non-numeric first argument" #~ msgstr "rshift: đã nhận đối số thứ nhất khác thuộc số" #~ msgid "rshift: received non-numeric second argument" #~ msgstr "rshift: (dịch phải) đã nhận đối số thứ hai khác thuộc số" #~ msgid "and: argument %d is non-numeric" #~ msgstr "and: đối số %d không phải thuộc số" #~ msgid "and: argument %d negative value %g is not allowed" #~ msgstr "and: (và) đối số %d giá trị âm %g là không được phép" #~ msgid "or: argument %d negative value %g is not allowed" #~ msgstr "or: (hoặc) đối số %d giá trị âm %g là không được phép" #~ msgid "xor: argument %d is non-numeric" #~ msgstr "xor: đối số %d không thuộc kiểu số" #~ msgid "xor: argument %d negative value %g is not allowed" #~ msgstr "xor: đối số %d giá trị âm %g là không được phép" #~ msgid "Can't find rule!!!\n" #~ msgstr "Không tìm thấy quy tắc!!!\n" #~ msgid "q" #~ msgstr "t" #~ msgid "fts: bad first parameter" #~ msgstr "fts: đối số đầu tiên sai" #~ msgid "fts: bad second parameter" #~ msgstr "fts: đối số thứ hai sai" #~ msgid "fts: bad third parameter" #~ msgstr "fts: đối số thứ ba sai" #~ msgid "fts: clear_array() failed\n" #~ msgstr "fts: clear_array() gặp lỗi\n" #~ msgid "ord: called with inappropriate argument(s)" #~ msgstr "ord: được gọi với đối số không thích hợp" #~ msgid "chr: called with inappropriate argument(s)" #~ msgstr "chr: được gọi với đối số không thích hợp" #~ msgid "setenv(TZ, %s) failed (%s)" #~ msgstr "setenv(TZ, %s) gặp lỗi (%s)" #~ msgid "setenv(TZ, %s) restoration failed (%s)" #~ msgstr "setenv(TZ, %s) phục hồi gặp lỗi (%s)" #~ msgid "unsetenv(TZ) failed (%s)" #~ msgstr "unsetenv(TZ) gặp lỗi (%s)" #~ msgid "`isarray' is deprecated. Use `typeof' instead" #~ msgstr "“isarray” đã lạc hậu. Dùng “typeof” để thay thế" #~ msgid "attempt to use array `%s[\".*%s\"]' in a scalar context" #~ msgstr "cố dùng mảng “%s[\".*%s\"]” trong một ngữ cảnh vô hướng" #~ msgid "attempt to use scalar `%s[\".*%s\"]' as array" #~ msgstr "cố dùng kiểu vô hướng “%s[\".*%s\"]” như là mảng" #~ msgid "gensub: third argument %g treated as 1" #~ msgstr "gensub: đối số thứ ba %g được xử lý như 1" #~ msgid "`extension' is a gawk extension" #~ msgstr "“extension” là một phần mở rộng gawk" #~ msgid "extension: received NULL lib_name" #~ msgstr "extension: nhận được tên_thư_viện NULL" #~ msgid "extension: cannot open library `%s' (%s)" #~ msgstr "phần mở rộng: không thể mở thư viện “%s” (%s)" #~ msgid "" #~ "extension: library `%s': does not define `plugin_is_GPL_compatible' (%s)" #~ msgstr "" #~ "phần mở rộng: thư viện “%s”: chưa định nghĩa " #~ "“plugin_is_GPL_compatible” (%s)" #~ msgid "extension: library `%s': cannot call function `%s' (%s)" #~ msgstr "phần mở rộng: thư viện “%s”: không thể gọi hàm “%s” (%s)" #~ msgid "extension: missing function name" #~ msgstr "extension: (phần mở rộng) tên hàm còn thiếu" #~ msgid "extension: illegal character `%c' in function name `%s'" #~ msgstr "extension: (phần mở rộng) gặp ký tự cấm “%c” nằm trong tên hàm “%s”" #~ msgid "extension: can't redefine function `%s'" #~ msgstr "extension: (phần mở rộng) không thể định nghĩa lại hàm “%s”" #~ msgid "extension: function `%s' already defined" #~ msgstr "extension: (phần mở rộng) hàm “%s” đã được định nghĩa" #~ msgid "extension: function name `%s' previously defined" #~ msgstr "tên hàm “%s” đã được định nghĩa trước đó" #~ msgid "extension: can't use gawk built-in `%s' as function name" #~ msgstr "" #~ "extension: (phần mở rộng) không thể dùng điều có sẵn của gawk “%s” như là " #~ "tên hàm" #~ msgid "chdir: called with incorrect number of arguments, expecting 1" #~ msgstr "chdir: được gọi với số lượng đối số không đúng, cần 1" #~ msgid "stat: called with wrong number of arguments" #~ msgstr "stat: được gọi với số lượng đối số không đúng" #~ msgid "statvfs: called with wrong number of arguments" #~ msgstr "statvfs: được gọi với số lượng đối số không đúng" #~ msgid "fnmatch: called with less than three arguments" #~ msgstr "fnmatch: được gọi với ít hơn ba đối số" #~ msgid "fnmatch: called with more than three arguments" #~ msgstr "fnmatch: được gọi với nhiều hơn ba đối số" #~ msgid "fork: called with too many arguments" #~ msgstr "fork: được gọi với quá nhiều đối số" #~ msgid "waitpid: called with too many arguments" #~ msgstr "waitpid: được gọi với quá nhiều đối số" #~ msgid "wait: called with no arguments" #~ msgstr "wait: được gọi mà không truyền đối số" #~ msgid "wait: called with too many arguments" #~ msgstr "wait: được gọi với quá nhiều đối số" #~ msgid "ord: called with too many arguments" #~ msgstr "ord: được gọi với quá nhiều đối số" #~ msgid "chr: called with too many arguments" #~ msgstr "chr: được gọi với quá nhiều đối số" #~ msgid "readfile: called with too many arguments" #~ msgstr "readfile: được gọi với quá nhiều đối số" #~ msgid "writea: called with too many arguments" #~ msgstr "writea: được gọi với quá nhiều đối số" #~ msgid "reada: called with too many arguments" #~ msgstr "reada: được gọi với quá nhiều đối số" #~ msgid "gettimeofday: ignoring arguments" #~ msgstr "gettimeofday: đang lờ đi các đối số" #~ msgid "sleep: called with too many arguments" #~ msgstr "sleep: được gọi với quá nhiều đối số" #~ msgid "unknown value for field spec: %d\n" #~ msgstr "không hiểu giá trị dành cho đặc tả trường: %d\n" #~ msgid "function `%s' defined to take no more than %d argument(s)" #~ msgstr "hàm “%s” được định nghĩa để chấp nhận tối đa %d đối số" #~ msgid "function `%s': missing argument #%d" #~ msgstr "hàm “%s”: thiếu đối số #%d" #~ msgid "`getline var' invalid inside `%s' rule" #~ msgstr "“getline var” không hợp lệ bên trong quy tắc “%s”" #~ msgid "no (known) protocol supplied in special filename `%s'" #~ msgstr "" #~ "trong tên tập tin đặc biệt “%s” không cung cấp giao thức (đã biết) nào" #~ msgid "special file name `%s' is incomplete" #~ msgstr "tên tập tin đặc biệt “%s” chưa xong" #~ msgid "must supply a remote hostname to `/inet'" #~ msgstr "phải cung cấp một tên máy chủ cho " #~ msgid "must supply a remote port to `/inet'" #~ msgstr "phải cung cấp một cổng máy chủ cho " #~ msgid "" #~ "\t# %s block(s)\n" #~ "\n" #~ msgstr "" #~ "\t# %s khối\n" #~ "\n" #~ msgid "range of the form `[%c-%c]' is locale dependent" #~ msgstr "vùng của dạng thức “[%c-%c]” phụ thuộc vào vị trí" #~ msgid "reference to uninitialized element `%s[\"%.*s\"]'" #~ msgstr "tham chiếu đến phần tử chưa khởi tạo “%s[”%.*s”]”" #~ msgid "subscript of array `%s' is null string" #~ msgstr "chữ in dưới mảng “%s” là chuỗi rỗng" #~ msgid "%s: empty (null)\n" #~ msgstr "%s: rỗng (vô giá trị)\n" #~ msgid "%s: empty (zero)\n" #~ msgstr "%s: rỗng (số không)\n" #~ msgid "%s: table_size = %d, array_size = %d\n" #~ msgstr "%s: cỡ_bảng = %d, cỡ_mảng = %d\n" #~ msgid "%s: array_ref to %s\n" #~ msgstr "%s: “array_ref” (mảng tham chiếu) đến “%s”\n" #~ msgid "`nextfile' is a gawk extension" #~ msgstr "“nextfile” (tập tin kế tiếp) là một phần mở rộng gawk" #~ msgid "`delete array' is a gawk extension" #~ msgstr "“delete array” (xóa mảng) là một phần mở rộng gawk" #~ msgid "use of non-array as array" #~ msgstr "việc dùng cái khác mảng như là mảng" #~ msgid "`%s' is a Bell Labs extension" #~ msgstr "“%s” là một phần mở rộng của Bell Labs (Phòng thí nghiệm Bell)" #~ msgid "or(%lf, %lf): negative values will give strange results" #~ msgstr "or(%lf, %lf): (hoặc) giá trị âm sẽ gây ra kết quả lạ" #~ msgid "or(%lf, %lf): fractional values will be truncated" #~ msgstr "or(%lf, %lf): (hoặc) giá trị thuộc phân số sẽ bị xén ngắn" #~ msgid "xor: received non-numeric first argument" #~ msgstr "xor: (không hoặc) đã nhận đối số thứ nhất khác thuộc số" #~ msgid "xor: received non-numeric second argument" #~ msgstr "xor: đã nhận đối số thứ hai khác thuộc số" #~ msgid "xor(%lf, %lf): fractional values will be truncated" #~ msgstr "xor(%lf, %lf): (không hoặc) giá trị thuộc phân số sẽ bị xén ngắn" #~ msgid "can't use function name `%s' as variable or array" #~ msgstr "không thể dùng tên hàm “%s” như là biến hay mảng" #~ msgid "assignment used in conditional context" #~ msgstr "điều gán được dùng trong ngữ cảnh điều kiện" #~ msgid "" #~ "for loop: array `%s' changed size from %ld to %ld during loop execution" #~ msgstr "" #~ "cho loop: (cho vòng lặp) mảng “%s” đã thay đổi kích thước từ %ld đến %ld " #~ "trong khi thực hiện vòng lặp" #~ msgid "function called indirectly through `%s' does not exist" #~ msgstr "hàm được gọi gián tiếp thông qua “%s” không tồn tại" #~ msgid "function `%s' not defined" #~ msgstr "chưa định nghĩa hàm “%s”" EOF echo Extracting po/zh_CN.po cat << \EOF > po/zh_CN.po # Chinese translations for gawk package # gawk 软件包的简体中文翻译. # Copyright (C) 2007, 2009, 2010 Free Software Foundation, Inc. # This file is distributed under the same license as the gawk package. # LI Daobing , 2007, 2009. # Aron Xu , 2010. # Tianze Wang , 2016. # Boyuan Yang <073plan@gmail.com>, 2022, 2023, 2024. # msgid "" msgstr "" "Project-Id-Version: gawk 5.3.0c\n" "Report-Msgid-Bugs-To: bug-gawk@gnu.org\n" "POT-Creation-Date: 2025-04-02 07:02+0300\n" "PO-Revision-Date: 2024-08-29 09:13-0400\n" "Last-Translator: Boyuan Yang <073plan@gmail.com>\n" "Language-Team: Chinese (simplified) \n" "Language: zh_CN\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Bugs: Report translation errors to the Language-Team address.\n" "X-Generator: Poedit 2.4.3\n" #: array.c:249 #, c-format msgid "from %s" msgstr "从 %s" #: array.c:366 msgid "attempt to use a scalar value as array" msgstr "试图把标量当数组使用" #: array.c:368 #, c-format msgid "attempt to use scalar parameter `%s' as an array" msgstr "试图把标量参数“%s”当数组使用" #: array.c:371 #, c-format msgid "attempt to use scalar `%s' as an array" msgstr "试图把标量“%s”当数组使用" #: array.c:418 array.c:609 builtin.c:83 builtin.c:1147 builtin.c:1174 #: eval.c:1156 eval.c:1161 eval.c:1569 #, c-format msgid "attempt to use array `%s' in a scalar context" msgstr "试图在标量环境中使用数组“%s”" #: array.c:616 #, c-format msgid "delete: index `%.*s' not in array `%s'" msgstr "delete:索引“%.*s”不在数组“%s”中" #: array.c:630 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as an array" msgstr "试图把标量“%s[\"%.*s\"]”当数组使用" #: array.c:856 array.c:906 #, c-format msgid "%s: first argument is not an array" msgstr "%s:第一个参数不是数组" #: array.c:898 #, c-format msgid "%s: second argument is not an array" msgstr "%s:第二个参数不是数组" #: array.c:901 field.c:1150 field.c:1247 #, c-format msgid "%s: cannot use %s as second argument" msgstr "%s:无法将 %s 作为第二个参数" #: array.c:909 #, c-format msgid "%s: first argument cannot be SYMTAB without a second argument" msgstr "%s:第一个参数在未提供第二个参数的情况下不能为 SYMTAB" #: array.c:911 #, c-format msgid "%s: first argument cannot be FUNCTAB without a second argument" msgstr "%s:第一个参数在未提供第二个参数的情况下不能为 FUNCTAB" #: array.c:918 msgid "" "asort/asorti: using the same array as source and destination without a third " "argument is silly." msgstr "" "assort/asorti:使用相同的数组作为源和目标且未提供第三个参数是不适宜的。" #: array.c:923 #, c-format msgid "%s: cannot use a subarray of first argument for second argument" msgstr "%s:无法将第一个参数的子数组作为第二个参数" #: array.c:928 #, c-format msgid "%s: cannot use a subarray of second argument for first argument" msgstr "%s:无法将第二个参数的子数组作为第一个参数" #: array.c:1458 #, c-format msgid "`%s' is invalid as a function name" msgstr "“%s”用于函数名是无效的" #: array.c:1462 #, c-format msgid "sort comparison function `%s' is not defined" msgstr "排序比较函数“%s”未定义" #: awkgram.y:279 #, c-format msgid "%s blocks must have an action part" msgstr "%s 块必须有一个行为部分" #: awkgram.y:282 msgid "each rule must have a pattern or an action part" msgstr "每个规则必须有一个模式或行为部分" #: awkgram.y:436 awkgram.y:448 msgid "old awk does not support multiple `BEGIN' or `END' rules" msgstr "老的 awk 不支持多个“BEGIN”或“END”规则" #: awkgram.y:501 #, c-format msgid "`%s' is a built-in function, it cannot be redefined" msgstr "“%s”是内置函数,不能被重定义" #: awkgram.y:565 msgid "regexp constant `//' looks like a C++ comment, but is not" msgstr "正则表达式常量“//”看起来像 C++ 注释,但其实不是" #: awkgram.y:569 #, c-format msgid "regexp constant `/%s/' looks like a C comment, but is not" msgstr "正则表达式常量“/%s/”看起来像 C 注释,但其实不是" #: awkgram.y:696 #, c-format msgid "duplicate case values in switch body: %s" msgstr "switch 中有重复的 case 值:%s" #: awkgram.y:717 msgid "duplicate `default' detected in switch body" msgstr "switch 中有重复的“default”" #: awkgram.y:1053 awkgram.y:4480 msgid "`break' is not allowed outside a loop or switch" msgstr "“break”在循环或 switch外使用是不允许的" #: awkgram.y:1063 awkgram.y:4472 msgid "`continue' is not allowed outside a loop" msgstr "“continue”在循环外使用是不允许的" #: awkgram.y:1074 #, c-format msgid "`next' used in %s action" msgstr "“next”被用于 %s 操作" #: awkgram.y:1085 #, c-format msgid "`nextfile' used in %s action" msgstr "“nextfile”被用于 %s 操作" #: awkgram.y:1113 msgid "`return' used outside function context" msgstr "“return”在函数外使用" #: awkgram.y:1186 msgid "plain `print' in BEGIN or END rule should probably be `print \"\"'" msgstr "在 BEGIN 或 END 规则中,“print”也许应该写做“print \"\"”" #: awkgram.y:1256 awkgram.y:1305 msgid "`delete' is not allowed with SYMTAB" msgstr "“delete”不能与 SYMTAB 共用" #: awkgram.y:1258 awkgram.y:1307 msgid "`delete' is not allowed with FUNCTAB" msgstr "“delete”不能与 FUNCTAB 共用" #: awkgram.y:1292 awkgram.y:1296 msgid "`delete(array)' is a non-portable tawk extension" msgstr "“delete(array)”是不可移植的 tawk 扩展" #: awkgram.y:1432 msgid "multistage two-way pipelines don't work" msgstr "多阶双向管道无法工作" #: awkgram.y:1434 msgid "concatenation as I/O `>' redirection target is ambiguous" msgstr "输入输出重定向符“>”(合并内容)的目标有歧义" #: awkgram.y:1646 msgid "regular expression on right of assignment" msgstr "正则表达式在赋值算符的右边" #: awkgram.y:1661 awkgram.y:1674 msgid "regular expression on left of `~' or `!~' operator" msgstr "正则表达式在“~”或“!~”算符的左边" #: awkgram.y:1691 awkgram.y:1841 msgid "old awk does not support the keyword `in' except after `for'" msgstr "老 awk 只支持关键词“in”在“for”的后面" #: awkgram.y:1701 msgid "regular expression on right of comparison" msgstr "正则表达式在比较算符的右边" #: awkgram.y:1820 #, c-format msgid "non-redirected `getline' invalid inside `%s' rule" msgstr "非重定向的“getline” 在“%s”规则中无效" #: awkgram.y:1823 msgid "non-redirected `getline' undefined inside END action" msgstr "在 END 环境中,非重定向的“getline”未定义" #: awkgram.y:1843 msgid "old awk does not support multidimensional arrays" msgstr "老 awk 不支持多维数组" #: awkgram.y:1946 msgid "call of `length' without parentheses is not portable" msgstr "不带括号调用“length”是不可以移植的" #: awkgram.y:2020 msgid "indirect function calls are a gawk extension" msgstr "间接函数调用是一个 gawk 扩展" #: awkgram.y:2033 #, c-format msgid "cannot use special variable `%s' for indirect function call" msgstr "不能为间接函数调用使用特殊变量“%s”" #: awkgram.y:2066 #, c-format msgid "attempt to use non-function `%s' in function call" msgstr "试图把非函数“%s”当函数来调用" #: awkgram.y:2131 msgid "invalid subscript expression" msgstr "无效的下标表达式" #: awkgram.y:2506 awkgram.y:2526 gawkapi.c:276 gawkapi.c:293 msg.c:133 msgid "warning: " msgstr "警告:" #: awkgram.y:2524 gawkapi.c:248 gawkapi.c:291 msg.c:165 msgid "fatal: " msgstr "致命错误:" #: awkgram.y:2577 msgid "unexpected newline or end of string" msgstr "未预期的新行或字符串结束" #: awkgram.y:2598 msgid "" "source files / command-line arguments must contain complete functions or " "rules" msgstr "源文件 / 命令行中的参数必须包含完整的函数或规则" #: awkgram.y:2882 awkgram.y:2960 awkgram.y:3193 debug.c:545 debug.c:561 #: debug.c:2888 debug.c:5257 #, c-format msgid "cannot open source file `%s' for reading: %s" msgstr "无法打开源文件“%s”进行读取:%s" #: awkgram.y:2883 awkgram.y:3020 #, c-format msgid "cannot open shared library `%s' for reading: %s" msgstr "无法打开共享库“%s”进行读取:%s" #: awkgram.y:2885 awkgram.y:2961 awkgram.y:3021 builtin.c:131 debug.c:5408 msgid "reason unknown" msgstr "未知原因" #: awkgram.y:2894 awkgram.y:2918 #, c-format msgid "cannot include `%s' and use it as a program file" msgstr "无法包含“%s”并将其作为程序文件使用" #: awkgram.y:2907 #, c-format msgid "already included source file `%s'" msgstr "已经包含了源文件“%s”" #: awkgram.y:2908 #, c-format msgid "already loaded shared library `%s'" msgstr "已经加载了共享库“%s”" #: awkgram.y:2945 msgid "@include is a gawk extension" msgstr "@include 是 gawk 扩展" #: awkgram.y:2951 msgid "empty filename after @include" msgstr "@include 后的文件名为空" #: awkgram.y:3000 msgid "@load is a gawk extension" msgstr "@load 是 gawk 扩展" #: awkgram.y:3007 msgid "empty filename after @load" msgstr "@load 后的文件名为空" #: awkgram.y:3145 msgid "empty program text on command line" msgstr "命令行中程序体为空" #: awkgram.y:3261 debug.c:470 debug.c:628 #, c-format msgid "cannot read source file `%s': %s" msgstr "无法读取源文件“%s”:%s" #: awkgram.y:3272 #, c-format msgid "source file `%s' is empty" msgstr "源文件“%s”为空" #: awkgram.y:3332 #, c-format msgid "error: invalid character '\\%03o' in source code" msgstr "错误:源代码中有无效的字符“\\%03o”" #: awkgram.y:3559 msgid "source file does not end in newline" msgstr "源文件不以换行符结束" #: awkgram.y:3669 msgid "unterminated regexp ends with `\\' at end of file" msgstr "未终止的正则表达式在文件结束处以“\\”结束" #: awkgram.y:3696 #, c-format msgid "%s: %d: tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "%s:%d:tawk 正则表达式修饰符“/.../%c”无法在 gawk 中工作" #: awkgram.y:3700 #, c-format msgid "tawk regex modifier `/.../%c' doesn't work in gawk" msgstr "tawk 正则表达式修饰符“/.../%c”无法在 gawk 中工作" #: awkgram.y:3713 msgid "unterminated regexp" msgstr "未终止的正则表达式" #: awkgram.y:3717 msgid "unterminated regexp at end of file" msgstr "未终止的正则表达式在文件结束处" #: awkgram.y:3806 msgid "use of `\\ #...' line continuation is not portable" msgstr "使用“\\ #...”来续行是不可移植的" #: awkgram.y:3828 msgid "backslash not last character on line" msgstr "反斜杠不是行的最后一个字符" #: awkgram.y:3876 awkgram.y:3878 msgid "multidimensional arrays are a gawk extension" msgstr "多维数组是一个 gawk 扩展" #: awkgram.y:3903 awkgram.y:3914 #, c-format msgid "POSIX does not allow operator `%s'" msgstr "POSIX 不允许操作符“%s”" #: awkgram.y:3905 awkgram.y:3916 awkgram.y:3951 awkgram.y:3959 #, c-format msgid "operator `%s' is not supported in old awk" msgstr "旧 awk 不支持操作符“%s”" #: awkgram.y:4056 awkgram.y:4078 command.y:1188 msgid "unterminated string" msgstr "未结束的字符串" #: awkgram.y:4066 main.c:1237 msgid "POSIX does not allow physical newlines in string values" msgstr "POSIX 不允许字符串的值中包含换行符" #: awkgram.y:4068 node.c:482 msgid "backslash string continuation is not portable" msgstr "使用“\\ #...”来续行会导致代码缺乏兼容性(可移植性)" #: awkgram.y:4309 #, c-format msgid "invalid char '%c' in expression" msgstr "表达式中的无效字符“%c”" #: awkgram.y:4404 #, c-format msgid "`%s' is a gawk extension" msgstr "“%s”是 gawk 扩展" #: awkgram.y:4409 #, c-format msgid "POSIX does not allow `%s'" msgstr "POSIX 不允许“%s”" #: awkgram.y:4417 #, c-format msgid "`%s' is not supported in old awk" msgstr "旧 awk 不支持“%s”" #: awkgram.y:4517 msgid "`goto' considered harmful!" msgstr "“goto”有害,请慎用!" #: awkgram.y:4586 #, c-format msgid "%d is invalid as number of arguments for %s" msgstr "%d 是 %s 的无效参数个数" #: awkgram.y:4621 #, c-format msgid "%s: string literal as last argument of substitute has no effect" msgstr "%s:字符串作为 substitute 的最后一个参数无任何效果" #: awkgram.y:4626 #, c-format msgid "%s third parameter is not a changeable object" msgstr "%s 第三个参数不是一个可变对象" #: awkgram.y:4730 awkgram.y:4733 msgid "match: third argument is a gawk extension" msgstr "match:第三个参数是 gawk 扩展" #: awkgram.y:4787 awkgram.y:4790 msgid "close: second argument is a gawk extension" msgstr "close:第二个参数是 gawk 扩展" #: awkgram.y:4802 msgid "use of dcgettext(_\"...\") is incorrect: remove leading underscore" msgstr "使用 dcgettext(_\"...\") 是错误的:去掉开始的下划线" #: awkgram.y:4817 msgid "use of dcngettext(_\"...\") is incorrect: remove leading underscore" msgstr "使用 dcngettext(_\"...\") 是错误的:去掉开始的下划线" #: awkgram.y:4836 msgid "index: regexp constant as second argument is not allowed" msgstr "index:不允许将正则表达式常量作为第二个参数" #: awkgram.y:4889 #, c-format msgid "function `%s': parameter `%s' shadows global variable" msgstr "函数“%s”:参数“%s”掩盖了公共变量" #: awkgram.y:4938 debug.c:4241 debug.c:4284 debug.c:5406 profile.c:112 #, c-format msgid "could not open `%s' for writing: %s" msgstr "无法以写模式打开“%s”:%s" #: awkgram.y:4939 msgid "sending variable list to standard error" msgstr "发送变量列表到标准错误输出" #: awkgram.y:4947 #, c-format msgid "%s: close failed: %s" msgstr "%s:关闭失败:%s" #: awkgram.y:4972 msgid "shadow_funcs() called twice!" msgstr "shadow_funcs() 被调用两次!" #: awkgram.y:4980 msgid "there were shadowed variables" msgstr "有变量被掩盖" #: awkgram.y:5072 #, c-format msgid "function name `%s' previously defined" msgstr "函数名“%s”前面已定义" #: awkgram.y:5123 #, c-format msgid "function `%s': cannot use function name as parameter name" msgstr "函数“%s”:无法使用函数名作为参数名" #: awkgram.y:5126 #, c-format msgid "" "function `%s': parameter `%s': POSIX disallows using a special variable as a " "function parameter" msgstr "函数“%s”:参数“%s”:POSIX 禁止使用特殊变量作为函数参数" #: awkgram.y:5130 #, c-format msgid "function `%s': parameter `%s' cannot contain a namespace" msgstr "函数“%s”:参数“%s”中不允许包含命名空间(namespace)" #: awkgram.y:5137 #, c-format msgid "function `%s': parameter #%d, `%s', duplicates parameter #%d" msgstr "函数“%s”:第 %d 个参数, “%s”, 与第 %d 个参数重复" #: awkgram.y:5226 #, c-format msgid "function `%s' called but never defined" msgstr "调用了函数“%s”,但其未被定义" #: awkgram.y:5230 #, c-format msgid "function `%s' defined but never called directly" msgstr "定义了函数“%s”,但从未被调用" #: awkgram.y:5262 #, c-format msgid "regexp constant for parameter #%d yields boolean value" msgstr "第 %d 个参数的正则表达式常量产生布尔值" #: awkgram.y:5277 #, c-format msgid "" "function `%s' called with space between name and `(',\n" "or used as a variable or an array" msgstr "" "函数“%s”被调用时名字与“(”间有空格,\n" "或被用作变量或数组" #: awkgram.y:5501 awkgram.y:5554 mpfr.c:1587 mpfr.c:1622 msgid "division by zero attempted" msgstr "试图除0" #: awkgram.y:5510 awkgram.y:5563 mpfr.c:1632 #, c-format msgid "division by zero attempted in `%%'" msgstr "在“%%”中试图除 0" #: awkgram.y:5883 msgid "" "cannot assign a value to the result of a field post-increment expression" msgstr "无法将值赋给字段后增表达式" #: awkgram.y:5886 #, c-format msgid "invalid target of assignment (opcode %s)" msgstr "赋值的目标无效(操作码 %s)" #: awkgram.y:6266 msgid "statement has no effect" msgstr "表达式无任何作用" #: awkgram.y:6781 #, c-format msgid "identifier %s: qualified names not allowed in traditional / POSIX mode" msgstr "标识符 %s:传统 / POSIX 模式下不允许使用合规名称(qualified name)" #: awkgram.y:6786 #, c-format msgid "identifier %s: namespace separator is two colons, not one" msgstr "标识符 %s:命名空间的分隔符应为双冒号(::)" #: awkgram.y:6792 #, c-format msgid "qualified identifier `%s' is badly formed" msgstr "合规标识符“%s”格式错误" #: awkgram.y:6799 #, c-format msgid "" "identifier `%s': namespace separator can only appear once in a qualified name" msgstr "标识符“%s”:合规名称中的命名空间分隔符最多只能出现一次" #: awkgram.y:6848 awkgram.y:6899 #, c-format msgid "using reserved identifier `%s' as a namespace is not allowed" msgstr "不允许将反向标识符“%s”作为命名空间" #: awkgram.y:6855 awkgram.y:6865 #, c-format msgid "" "using reserved identifier `%s' as second component of a qualified name is " "not allowed" msgstr "不允许将反向标识符“%s”作为合规名称的第二个组成部分" #: awkgram.y:6883 msgid "@namespace is a gawk extension" msgstr "@namespace 是 gawk 保留字" #: awkgram.y:6890 #, c-format msgid "namespace name `%s' must meet identifier naming rules" msgstr "命名空间“%s”必须符合标识符的命名规则" #: builtin.c:93 builtin.c:100 #, c-format msgid "%s: called with %d arguments" msgstr "%s:使用了 %d 个参数被调用" #: builtin.c:125 #, c-format msgid "%s to \"%s\" failed: %s" msgstr "%s 到 \"%s\" 失败:%s" #: builtin.c:129 msgid "standard output" msgstr "标准输出" #: builtin.c:130 msgid "standard error" msgstr "标准错误输出" #: builtin.c:206 builtin.c:544 builtin.c:652 builtin.c:673 builtin.c:1432 #: builtin.c:1450 builtin.c:1569 builtin.c:2611 mpfr.c:819 #, c-format msgid "%s: received non-numeric argument" msgstr "%s:收到非数字参数" #: builtin.c:212 #, c-format msgid "exp: argument %g is out of range" msgstr "exp:参数 %g 超出范围" #: builtin.c:276 builtin.c:621 builtin.c:1027 builtin.c:1089 builtin.c:1341 #: builtin.c:1374 #, c-format msgid "%s: received non-string argument" msgstr "%s:收到非字符串参数" #: builtin.c:293 #, c-format msgid "fflush: cannot flush: pipe `%.*s' opened for reading, not writing" msgstr "fflush:无法使用:管道“%.*s”以只读方式打开,不可写" #: builtin.c:296 #, c-format msgid "fflush: cannot flush: file `%.*s' opened for reading, not writing" msgstr "fflush:无法使用:文件“%.*s”以只读方式打开,不可写" #: builtin.c:307 #, c-format msgid "fflush: cannot flush file `%.*s': %s" msgstr "fflush:无法刷新缓存到文件“%.*s”:%s" #: builtin.c:312 #, c-format msgid "fflush: cannot flush: two-way pipe `%.*s' has closed write end" msgstr "fflush:无法刷新:双向管道“%.*s”的写入端已被关闭" #: builtin.c:318 #, c-format msgid "fflush: `%.*s' is not an open file, pipe or co-process" msgstr "fflush:“%.*s”不是一个已打开文件、管道或合作进程" #: builtin.c:427 builtin.c:711 builtin.c:921 builtin.c:1611 builtin.c:2873 #: builtin.c:2960 builtin.c:3027 #, c-format msgid "%s: received non-string first argument" msgstr "%s:第一个参数不是字符串" #: builtin.c:429 builtin.c:2851 builtin.c:2866 builtin.c:2956 builtin.c:3018 #, c-format msgid "%s: received non-string second argument" msgstr "%s:第二个参数不是字符串" #: builtin.c:595 msgid "length: received array argument" msgstr "length:收到数组参数" #: builtin.c:598 msgid "`length(array)' is a gawk extension" msgstr "“length(array)”是 gawk 扩展" #: builtin.c:655 builtin.c:677 #, c-format msgid "%s: received negative argument %g" msgstr "%s:收到负数参数 %g" #: builtin.c:698 builtin.c:2949 #, c-format msgid "%s: received non-numeric third argument" msgstr "%s:第三个参数不是数字" #: builtin.c:705 builtin.c:895 builtin.c:1411 builtin.c:2439 builtin.c:2480 #: builtin.c:3080 #, c-format msgid "%s: received non-numeric second argument" msgstr "%s:第二个参数不是数字" #: builtin.c:716 #, c-format msgid "substr: length %g is not >= 1" msgstr "substr:长度 %g 小于 1" #: builtin.c:718 #, c-format msgid "substr: length %g is not >= 0" msgstr "substr:长度 %g 小于 0" #: builtin.c:732 #, c-format msgid "substr: non-integer length %g will be truncated" msgstr "substr:非整数的长度 %g 会被截断" #: builtin.c:737 #, c-format msgid "substr: length %g too big for string indexing, truncating to %g" msgstr "substr:长度 %g 作为字符串索引过大,截断至 %g" #: builtin.c:749 #, c-format msgid "substr: start index %g is invalid, using 1" msgstr "substr:开始坐标 %g 无效,使用 1" #: builtin.c:754 #, c-format msgid "substr: non-integer start index %g will be truncated" msgstr "substr:非整数的开始索引 %g 会被截断" #: builtin.c:777 msgid "substr: source string is zero length" msgstr "substr:源字符串长度为0" #: builtin.c:791 #, c-format msgid "substr: start index %g is past end of string" msgstr "substr:开始坐标 %g 超出字符串尾部" #: builtin.c:799 #, c-format msgid "" "substr: length %g at start index %g exceeds length of first argument (%lu)" msgstr "substr:在开始坐标 %2$g 下长度 %1$g 超出第一个参数的长度 (%3$lu)" #: builtin.c:874 msgid "strftime: format value in PROCINFO[\"strftime\"] has numeric type" msgstr "strftime:PROCINFO[\"strftime\"] 中的格式值含有数值类型" #: builtin.c:905 msgid "strftime: second argument less than 0 or too big for time_t" msgstr "strftime:第二个参数小于0,或对于 time_t 来说太大" #: builtin.c:912 msgid "strftime: second argument out of range for time_t" msgstr "strftime:第二个参数对于 time_t 来说太大" #: builtin.c:928 msgid "strftime: received empty format string" msgstr "strftime:收到空格式字符串" #: builtin.c:1046 msgid "mktime: at least one of the values is out of the default range" msgstr "mktime:至少有一个值超出默认范围" #: builtin.c:1084 msgid "'system' function not allowed in sandbox mode" msgstr "沙箱模式中不允许使用\"system\"函数" #: builtin.c:1156 builtin.c:1231 msgid "print: attempt to write to closed write end of two-way pipe" msgstr "print:试图向写入端已被关闭的双向管道中写入数据" #: builtin.c:1254 #, c-format msgid "reference to uninitialized field `$%d'" msgstr "引用未初始化的字段“$%d”" #: builtin.c:1409 builtin.c:2437 builtin.c:2478 builtin.c:3078 #, c-format msgid "%s: received non-numeric first argument" msgstr "%s:第一个参数不是数字" #: builtin.c:1602 msgid "match: third argument is not an array" msgstr "match:第三个参数不是数组" #: builtin.c:1604 #, c-format msgid "%s: cannot use %s as third argument" msgstr "%s:无法将 %s 作为第三个参数使用" #: builtin.c:1853 #, c-format msgid "gensub: third argument `%.*s' treated as 1" msgstr "gensub:第三个参数“%.*s”被当作 1" #: builtin.c:2219 #, c-format msgid "%s: can be called indirectly only with two arguments" msgstr "%s:间接调用时只能传递两个参数" #: builtin.c:2242 msgid "indirect call to gensub requires three or four arguments" msgstr "间接调用 gensub 需要传递三个或四个参数" #: builtin.c:2304 msgid "indirect call to match requires two or three arguments" msgstr "间接调用 match 需要传递两个或三个参数" #: builtin.c:2365 #, c-format msgid "indirect call to %s requires two to four arguments" msgstr "间接调用 %s 需要传递两个到四个参数" #: builtin.c:2445 #, c-format msgid "lshift(%f, %f): negative values are not allowed" msgstr "lshift(%f, %f):不允许传入负值" #: builtin.c:2449 #, c-format msgid "lshift(%f, %f): fractional values will be truncated" msgstr "lshift(%f, %f):小数部分会被截断" #: builtin.c:2451 #, c-format msgid "lshift(%f, %f): too large shift value will give strange results" msgstr "lshift(%f, %f):过大的移位会得到奇怪的结果" #: builtin.c:2486 #, c-format msgid "rshift(%f, %f): negative values are not allowed" msgstr "rshift(%f, %f):不允许传入负值" #: builtin.c:2490 #, c-format msgid "rshift(%f, %f): fractional values will be truncated" msgstr "rshift(%f, %f):小数部分会被截断" #: builtin.c:2492 #, c-format msgid "rshift(%f, %f): too large shift value will give strange results" msgstr "rshift(%f, %f):过大的移位会得到奇怪的结果" #: builtin.c:2516 builtin.c:2547 builtin.c:2577 #, c-format msgid "%s: called with less than two arguments" msgstr "%s:调用时传递的参数不足2个" #: builtin.c:2521 builtin.c:2552 builtin.c:2583 #, c-format msgid "%s: argument %d is non-numeric" msgstr "%s:参数 %d 不是数值" #: builtin.c:2525 builtin.c:2556 builtin.c:2587 #, c-format msgid "%s: argument %d negative value %g is not allowed" msgstr "%s:第 %d 个参数不能为负值 %g" #: builtin.c:2616 #, c-format msgid "compl(%f): negative value is not allowed" msgstr "compl(%f):不允许使用负值" #: builtin.c:2619 #, c-format msgid "compl(%f): fractional value will be truncated" msgstr "compl(%f):小数部分会被截断" #: builtin.c:2807 #, c-format msgid "dcgettext: `%s' is not a valid locale category" msgstr "dcgettext:“%s”不是一个有效的区域目录" #: builtin.c:2842 builtin.c:2860 #, c-format msgid "%s: received non-string third argument" msgstr "%s:第三个参数不是字符串" #: builtin.c:2915 builtin.c:2936 #, c-format msgid "%s: received non-string fifth argument" msgstr "%s:第五个参数不是字符串" #: builtin.c:2925 builtin.c:2942 #, c-format msgid "%s: received non-string fourth argument" msgstr "%s:第四个参数不是字符串" #: builtin.c:3070 mpfr.c:1335 msgid "intdiv: third argument is not an array" msgstr "intdiv:第三个参数不是数组" #: builtin.c:3089 mpfr.c:1384 msgid "intdiv: division by zero attempted" msgstr "intdiv:试图除0" #: builtin.c:3130 msgid "typeof: second argument is not an array" msgstr "typeof:第二个参数不是数组" #: builtin.c:3234 #, c-format msgid "" "typeof detected invalid flags combination `%s'; please file a bug report" msgstr "typeof 函数发现一个无效的选项组合“%s”;请向开发者报告此错误" #: builtin.c:3272 #, c-format msgid "typeof: unknown argument type `%s'" msgstr "typeof:参数类型“%s”未知" #: cint_array.c:1268 cint_array.c:1296 #, c-format msgid "cannot add a new file (%.*s) to ARGV in sandbox mode" msgstr "无法在沙盒模式下添加新文件(%.*s)至 ARGV" #: command.y:228 #, c-format msgid "Type (g)awk statement(s). End with the command `end'\n" msgstr "输入 (g)awk 语句,并以“end”命令结束\n" #: command.y:292 #, c-format msgid "invalid frame number: %d" msgstr "层数无效:%d" #: command.y:298 #, c-format msgid "info: invalid option - `%s'" msgstr "info:选项无效 - “%s”" #: command.y:324 #, c-format msgid "source: `%s': already sourced" msgstr "source:\"%s\":已经添加" #: command.y:329 #, c-format msgid "save: `%s': command not permitted" msgstr "save:\"%s\":不允许使用该命令" #: command.y:342 msgid "cannot use command `commands' for breakpoint/watchpoint commands" msgstr "无法对断点/监视点使用命令“commands”" #: command.y:344 msgid "no breakpoint/watchpoint has been set yet" msgstr "尚未设置断点/监视点" #: command.y:346 msgid "invalid breakpoint/watchpoint number" msgstr "断点/监视点编号无效" #: command.y:351 #, c-format msgid "Type commands for when %s %d is hit, one per line.\n" msgstr "当命中 %s %d 时,请输入命令,每行一句。\n" #: command.y:353 #, c-format msgid "End with the command `end'\n" msgstr "以命令“end”结束\n" #: command.y:360 msgid "`end' valid only in command `commands' or `eval'" msgstr "“end”仅在命令“commands”或“eval”中有效" #: command.y:370 msgid "`silent' valid only in command `commands'" msgstr "“silent”仅在命令“commands”中有效" #: command.y:376 #, c-format msgid "trace: invalid option - `%s'" msgstr "trace:选项无效 - “%s”" #: command.y:390 msgid "condition: invalid breakpoint/watchpoint number" msgstr "condition:断点/监视点编号无效" #: command.y:452 msgid "argument not a string" msgstr "参数不是字符串" #: command.y:462 command.y:467 #, c-format msgid "option: invalid parameter - `%s'" msgstr "option:参数无效 - “%s”" #: command.y:477 #, c-format msgid "no such function - `%s'" msgstr "函数不存在 - “%s”" #: command.y:534 #, c-format msgid "enable: invalid option - `%s'" msgstr "enable:选项无效 - “%s”" #: command.y:600 #, c-format msgid "invalid range specification: %d - %d" msgstr "指定的范围无效:%d - %d" #: command.y:662 msgid "non-numeric value for field number" msgstr "字段编号不是数值" #: command.y:683 command.y:690 msgid "non-numeric value found, numeric expected" msgstr "发现了非数字值,请提供数值" #: command.y:715 command.y:721 msgid "non-zero integer value" msgstr "非零整数值" #: command.y:820 msgid "" "backtrace [N] - print trace of all or N innermost (outermost if N < 0) frames" msgstr "backtrace [N] - 显示所有或最近 N 层(若 N < 0,则显示最远 N 层)调用" #: command.y:822 msgid "" "break [[filename:]N|function] - set breakpoint at the specified location" msgstr "break [[文件名:]N|函数] - 在指定处设置断点" #: command.y:824 msgid "clear [[filename:]N|function] - delete breakpoints previously set" msgstr "clear [[文件名:]N|函数] - 删除之前设置的断点" #: command.y:826 msgid "" "commands [num] - starts a list of commands to be executed at a " "breakpoint(watchpoint) hit" msgstr "commands [编号] - 在断点(监视点)处执行一系列命令" #: command.y:828 msgid "condition num [expr] - set or clear breakpoint or watchpoint condition" msgstr "condition 编号 [表达式] - 设置或清除断点/监视点条件" #: command.y:830 msgid "continue [COUNT] - continue program being debugged" msgstr "continue [次数] - 继续运行所调试的程序" #: command.y:832 msgid "delete [breakpoints] [range] - delete specified breakpoints" msgstr "delete [断点] [范围] - 删除指定断点" #: command.y:834 msgid "disable [breakpoints] [range] - disable specified breakpoints" msgstr "disable [断点] [范围] - 禁用指定断点" #: command.y:836 msgid "display [var] - print value of variable each time the program stops" msgstr "display [变量] - 每当程序停止时,显示指定变量的值" #: command.y:838 msgid "down [N] - move N frames down the stack" msgstr "down [N] - 在栈中向下移动 N 层" #: command.y:840 msgid "dump [filename] - dump instructions to file or stdout" msgstr "dump [文件名] - 将指令转储到文件或标准输出" #: command.y:842 msgid "enable [once|del] [breakpoints] [range] - enable specified breakpoints" msgstr "enable [once|del] [断点] [范围] - 启用指定断点" #: command.y:844 msgid "end - end a list of commands or awk statements" msgstr "end - 结束一系列命令或 awk 语句" #: command.y:846 msgid "eval stmt|[p1, p2, ...] - evaluate awk statement(s)" msgstr "eval 语句|[p1, p2, ...] - 对 awk 语句求值" #: command.y:848 msgid "exit - (same as quit) exit debugger" msgstr "exit - (与 quit 相同)退出调试器" #: command.y:850 msgid "finish - execute until selected stack frame returns" msgstr "finish - 执行到选定的栈层结束" #: command.y:852 msgid "frame [N] - select and print stack frame number N" msgstr "frame [N] - 选定并显示栈的第 N 层" #: command.y:854 msgid "help [command] - print list of commands or explanation of command" msgstr "help [命令] - 显示命令列表,或有关命令的说明" #: command.y:856 msgid "ignore N COUNT - set ignore-count of breakpoint number N to COUNT" msgstr "ignore N 次数 - 设置忽略断点 N 的次数" #: command.y:858 msgid "" "info topic - source|sources|variables|functions|break|frame|args|locals|" "display|watch" msgstr "" "info 主题 - 查看 info 信息,主题可以为 source|sources|variables|functions|" "break|frame|args|locals|display|watch" #: command.y:860 msgid "list [-|+|[filename:]lineno|function|range] - list specified line(s)" msgstr "list [-|+|[文件名:]行号|函数|范围] - 列出指定行" #: command.y:862 msgid "next [COUNT] - step program, proceeding through subroutine calls" msgstr "next [次数] - 单步运行程序,并且步过子调用" #: command.y:864 msgid "" "nexti [COUNT] - step one instruction, but proceed through subroutine calls" msgstr "nexti [次数] - 单运行一步指令,但步过其子调用" #: command.y:866 msgid "option [name[=value]] - set or display debugger option(s)" msgstr "option [名称[=值]] - 设置或显示调试器选项" #: command.y:868 msgid "print var [var] - print value of a variable or array" msgstr "print 变量 [变量] - 显示变量或数组的值" #: command.y:870 msgid "printf format, [arg], ... - formatted output" msgstr "printf 格式, [参数], ... - 格式化输出" #: command.y:872 msgid "quit - exit debugger" msgstr "quit - 退出调试器" #: command.y:874 msgid "return [value] - make selected stack frame return to its caller" msgstr "return [值] - 使选定的栈层返回到上层调用" #: command.y:876 msgid "run - start or restart executing program" msgstr "run - 开始或重新开始程序" #: command.y:879 msgid "save filename - save commands from the session to file" msgstr "save 文件名 - 保存会话中的命令到文件" #: command.y:882 msgid "set var = value - assign value to a scalar variable" msgstr "set 变量 = 值 - 给标量变量赋值" #: command.y:884 msgid "silent - suspends usual message when stopped at a breakpoint/watchpoint" msgstr "silent - 在断点/监视点处中断时,隐藏常规消息" #: command.y:886 msgid "source file - execute commands from file" msgstr "source 文件 - 执行指定文件中的命令" #: command.y:888 msgid "step [COUNT] - step program until it reaches a different source line" msgstr "set [次数] - 单步执行程序,在源文件中的下一行处暂停" #: command.y:890 msgid "stepi [COUNT] - step one instruction exactly" msgstr "stepi [次数] - 执行一步指令" #: command.y:892 msgid "tbreak [[filename:]N|function] - set a temporary breakpoint" msgstr "tbreak [[文件名:]N|函数] - 设置一个临时断点" #: command.y:894 msgid "trace on|off - print instruction before executing" msgstr "trace on|off - 执行前显示指令" #: command.y:896 msgid "undisplay [N] - remove variable(s) from automatic display list" msgstr "undisplay [N] - 从自动显示列表中移除指定变量" #: command.y:898 msgid "" "until [[filename:]N|function] - execute until program reaches a different " "line or line N within current frame" msgstr "until [[文件名:]N|函数] - 在当前层中执行,在下一行或第 N 行处暂停" #: command.y:900 msgid "unwatch [N] - remove variable(s) from watch list" msgstr "unwatch [N] - 从监视列表中移除变量" #: command.y:902 msgid "up [N] - move N frames up the stack" msgstr "up [N] - 在栈中向上移动 N 层" #: command.y:904 msgid "watch var - set a watchpoint for a variable" msgstr "watch 变量 - 为变量设置监视点" #: command.y:906 msgid "" "where [N] - (same as backtrace) print trace of all or N innermost (outermost " "if N < 0) frames" msgstr "" "where [N] - (与backtrace相同)显示所有或最近 N 层(若 N < 0,则显示最远 N " "层)调用" #: command.y:1017 debug.c:423 gawkapi.c:262 msg.c:142 #, c-format msgid "error: " msgstr "错误:" #: command.y:1061 #, c-format msgid "cannot read command: %s\n" msgstr "无法读取命令:%s\n" #: command.y:1075 #, c-format msgid "cannot read command: %s" msgstr "无法读取命令:%s" #: command.y:1126 msgid "invalid character in command" msgstr "命令中有无效的字符" #: command.y:1162 #, c-format msgid "unknown command - `%.*s', try help" msgstr "未知命令 - \"%.*s\",请查看帮助" #: command.y:1294 msgid "invalid character" msgstr "字符无效" #: command.y:1498 #, c-format msgid "undefined command: %s\n" msgstr "变量未定义:%s\n" #: debug.c:257 msgid "set or show the number of lines to keep in history file" msgstr "设置或显示需要保存在历史文件中的行数" #: debug.c:259 msgid "set or show the list command window size" msgstr "设置或显示列表式命令窗口大小" #: debug.c:261 msgid "set or show gawk output file" msgstr "设置或显示 gawk 输出文件" #: debug.c:263 msgid "set or show debugger prompt" msgstr "设置或显示调试器提示" #: debug.c:265 msgid "(un)set or show saving of command history (value=on|off)" msgstr "(取消)设置或显示保存的命令历史(值=on|off)" #: debug.c:267 msgid "(un)set or show saving of options (value=on|off)" msgstr "(取消)设置或显示保存的选项 (值=on|off)" #: debug.c:269 msgid "(un)set or show instruction tracing (value=on|off)" msgstr "(取消)设置或显示指令跟踪 (值=on|off)" #: debug.c:358 msgid "program not running" msgstr "程序未运行" #: debug.c:475 #, c-format msgid "source file `%s' is empty.\n" msgstr "源文件“%s”为空。\n" #: debug.c:502 msgid "no current source file" msgstr "当前没有源文件" #: debug.c:527 #, c-format msgid "cannot find source file named `%s': %s" msgstr "无法找到名为“%s”的源文件:%s" #: debug.c:551 #, c-format msgid "warning: source file `%s' modified since program compilation.\n" msgstr "警告:源文件“%s”在程序编译之后被修改。\n" #: debug.c:573 #, c-format msgid "line number %d out of range; `%s' has %d lines" msgstr "行号 %d 超出范围;“%s” 只有 %d 行" #: debug.c:633 #, c-format msgid "unexpected eof while reading file `%s', line %d" msgstr "未读取文件“%s”遇到 EOF,于第 %d 行" #: debug.c:642 #, c-format msgid "source file `%s' modified since start of program execution" msgstr "源文件“%s”在程序执行之后被修改。" #: debug.c:754 #, c-format msgid "Current source file: %s\n" msgstr "当前源文件: %s\n" #: debug.c:755 #, c-format msgid "Number of lines: %d\n" msgstr "行编号:%d\n" #: debug.c:762 #, c-format msgid "Source file (lines): %s (%d)\n" msgstr "源文件 (行):%s (%d)\n" #: debug.c:776 msgid "" "Number Disp Enabled Location\n" "\n" msgstr "" "编号 显示 启用 位置\n" "\n" #: debug.c:787 #, c-format msgid "\tnumber of hits = %ld\n" msgstr "\t命中次数 = %ld\n" #: debug.c:789 #, c-format msgid "\tignore next %ld hit(s)\n" msgstr "\t忽略后续 %ld 次命中\n" #: debug.c:791 debug.c:931 #, c-format msgid "\tstop condition: %s\n" msgstr "\t停止条件:%s\n" #: debug.c:793 debug.c:933 msgid "\tcommands:\n" msgstr "\t命令:\n" #: debug.c:815 #, c-format msgid "Current frame: " msgstr "当前层:" #: debug.c:818 #, c-format msgid "Called by frame: " msgstr "调用层:" #: debug.c:822 #, c-format msgid "Caller of frame: " msgstr "调用者:" #: debug.c:840 #, c-format msgid "None in main().\n" msgstr "不在 main() 中。\n" #: debug.c:870 msgid "No arguments.\n" msgstr "没有参数。\n" #: debug.c:871 msgid "No locals.\n" msgstr "没有本地变量。\n" #: debug.c:879 msgid "" "All defined variables:\n" "\n" msgstr "" "所有已定义的变量:\n" "\n" #: debug.c:889 msgid "" "All defined functions:\n" "\n" msgstr "" "所有已定义的函数:\n" "\n" #: debug.c:908 msgid "" "Auto-display variables:\n" "\n" msgstr "" "自动显示变量:\n" "\n" #: debug.c:911 msgid "" "Watch variables:\n" "\n" msgstr "" "监视变量:\n" "\n" #: debug.c:1054 #, c-format msgid "no symbol `%s' in current context\n" msgstr "当前上下文中找不到符号“%s”\n" #: debug.c:1066 debug.c:1495 #, c-format msgid "`%s' is not an array\n" msgstr "“%s”不是一个数组\n" #: debug.c:1080 #, c-format msgid "$%ld = uninitialized field\n" msgstr "$%ld = 未初始化的字段\n" #: debug.c:1125 #, c-format msgid "array `%s' is empty\n" msgstr "数组“%s”为空\n" #: debug.c:1184 debug.c:1236 #, c-format msgid "subscript \"%.*s\" is not in array `%s'\n" msgstr "下标 \"%.*s\" 不在数组“%s”中\n" #: debug.c:1240 #, c-format msgid "`%s[\"%.*s\"]' is not an array\n" msgstr "“%s[\"%.*s\"]”不是数组\n" #: debug.c:1302 debug.c:5166 #, c-format msgid "`%s' is not a scalar variable" msgstr "“%s”不是标量" #: debug.c:1325 debug.c:5196 #, c-format msgid "attempt to use array `%s[\"%.*s\"]' in a scalar context" msgstr "试图在标量环境中使用数组“%s[\"%.*s\"]”" #: debug.c:1348 debug.c:5207 #, c-format msgid "attempt to use scalar `%s[\"%.*s\"]' as array" msgstr "试图把标量“%s[\"%.*s\"]”当数组使用" #: debug.c:1491 #, c-format msgid "`%s' is a function" msgstr "“%s”是一个函数" #: debug.c:1533 #, c-format msgid "watchpoint %d is unconditional\n" msgstr "断点 %d 为无条件断点\n" #: debug.c:1567 #, c-format msgid "no display item numbered %ld" msgstr "没有编号为 %ld 的显示项目" #: debug.c:1570 #, c-format msgid "no watch item numbered %ld" msgstr "没有编号为 %ld 的监视项目" #: debug.c:1596 #, c-format msgid "%d: subscript \"%.*s\" is not in array `%s'\n" msgstr "%d:下标 \"%.*s\" 不在数组“%s”中\n" #: debug.c:1840 msgid "attempt to use scalar value as array" msgstr "试图把标量当数组使用" #: debug.c:1931 #, c-format msgid "Watchpoint %d deleted because parameter is out of scope.\n" msgstr "断点 %d 已被删除,因为参数超出范围。\n" #: debug.c:1942 #, c-format msgid "Display %d deleted because parameter is out of scope.\n" msgstr "显示 %d 已被删除,因为参数超出范围。\n" #: debug.c:1975 #, c-format msgid " in file `%s', line %d\n" msgstr "于文件“%s”,第 %d 行\n" #: debug.c:1996 #, c-format msgid " at `%s':%d" msgstr "于“%s”:%d" #: debug.c:2012 debug.c:2075 #, c-format msgid "#%ld\tin " msgstr "#%ld\t于 " #: debug.c:2049 #, c-format msgid "More stack frames follow ...\n" msgstr "更多栈层 ...\n" #: debug.c:2092 msgid "invalid frame number" msgstr "层数无效" #: debug.c:2275 #, c-format msgid "Note: breakpoint %d (enabled, ignore next %ld hits), also set at %s:%d" msgstr "注意:断点 %d (已启用,忽略后续 %ld 次命中),也设置于 %s:%d" #: debug.c:2282 #, c-format msgid "Note: breakpoint %d (enabled), also set at %s:%d" msgstr "注意:断点 %d (已启用),也设置于 %s:%d" #: debug.c:2289 #, c-format msgid "Note: breakpoint %d (disabled, ignore next %ld hits), also set at %s:%d" msgstr "注意:断点 %d (已禁用,忽略后续 %ld 次命中),也在 %s:%d 处设置" #: debug.c:2296 #, c-format msgid "Note: breakpoint %d (disabled), also set at %s:%d" msgstr "注意:断点 %d (已禁用),也设置于 %s:%d" #: debug.c:2313 #, c-format msgid "Breakpoint %d set at file `%s', line %d\n" msgstr "断点 %d 设置于文件“%s”,第 %d 行\n" #: debug.c:2415 #, c-format msgid "cannot set breakpoint in file `%s'\n" msgstr "无法在文件“%s”中设置断点\n" #: debug.c:2444 #, c-format msgid "line number %d in file `%s' is out of range" msgstr "文件“%2$s”中的行号 %1$d 超出范围" #: debug.c:2448 #, c-format msgid "internal error: cannot find rule\n" msgstr "内部错误:找不到规则\n" #: debug.c:2450 #, c-format msgid "cannot set breakpoint at `%s':%d\n" msgstr "无法设置断点于“%s”:%d\n" #: debug.c:2462 #, c-format msgid "cannot set breakpoint in function `%s'\n" msgstr "无法在函数“%s”中设置断点\n" #: debug.c:2480 #, c-format msgid "breakpoint %d set at file `%s', line %d is unconditional\n" msgstr "设置于文件“%2$s”,第 %1$d 行的断点 %3$d 为无条件断点\n" #: debug.c:2568 debug.c:3425 #, c-format msgid "line number %d in file `%s' out of range" msgstr "文件“%2$s”中的行号 %1$d 超出范围" #: debug.c:2584 debug.c:2606 #, c-format msgid "Deleted breakpoint %d" msgstr "已删除断点 %d" #: debug.c:2590 #, c-format msgid "No breakpoint(s) at entry to function `%s'\n" msgstr "函数“%s”入口处无断点\n" #: debug.c:2617 #, c-format msgid "No breakpoint at file `%s', line #%d\n" msgstr "文件“%s”第 #%d 行处无断点\n" #: debug.c:2672 debug.c:2713 debug.c:2733 debug.c:2776 msgid "invalid breakpoint number" msgstr "断点编号无效" #: debug.c:2688 msgid "Delete all breakpoints? (y or n) " msgstr "删除所有断点吗?(y or n) " #: debug.c:2689 debug.c:2999 debug.c:3052 msgid "y" msgstr "y" #: debug.c:2738 #, c-format msgid "Will ignore next %ld crossing(s) of breakpoint %d.\n" msgstr "将忽略后续 %ld 次命中断点 %d。\n" #: debug.c:2742 #, c-format msgid "Will stop next time breakpoint %d is reached.\n" msgstr "以后命中断点 %d 时将会停止。\n" #: debug.c:2859 #, c-format msgid "Can only debug programs provided with the `-f' option.\n" msgstr "只能调试使用了“-f”选项的程序。\n" #: debug.c:2879 #, c-format msgid "Restarting ...\n" msgstr "正在重启……\n" #: debug.c:2984 #, c-format msgid "Failed to restart debugger" msgstr "重启调试器失败" #: debug.c:2998 msgid "Program already running. Restart from beginning (y/n)? " msgstr "程序已经在运行了。重新开始运行吗?(y/n) " #: debug.c:3002 #, c-format msgid "Program not restarted\n" msgstr "程序未重新运行\n" #: debug.c:3012 #, c-format msgid "error: cannot restart, operation not allowed\n" msgstr "错误:无法重新运行,不允许该操作\n" #: debug.c:3018 #, c-format msgid "error (%s): cannot restart, ignoring rest of the commands\n" msgstr "错误 (%s):无法重新运行,忽略剩余命令\n" #: debug.c:3026 #, c-format msgid "Starting program:\n" msgstr "开始运行程序:\n" #: debug.c:3036 #, c-format msgid "Program exited abnormally with exit value: %d\n" msgstr "程序异常退出,状态码:%d\n" #: debug.c:3037 #, c-format msgid "Program exited normally with exit value: %d\n" msgstr "程序正常退出,状态码:%d\n" #: debug.c:3051 msgid "The program is running. Exit anyway (y/n)? " msgstr "程序已经在运行了。仍然要退出吗?(y/n) " #: debug.c:3086 #, c-format msgid "Not stopped at any breakpoint; argument ignored.\n" msgstr "未在断点处停止;已忽略参数。\n" #: debug.c:3091 #, c-format msgid "invalid breakpoint number %d" msgstr "断点编号 %d 无效" #: debug.c:3096 #, c-format msgid "Will ignore next %ld crossings of breakpoint %d.\n" msgstr "将忽略后续 %ld 次命中断点 %d。\n" #: debug.c:3283 #, c-format msgid "'finish' not meaningful in the outermost frame main()\n" msgstr "“finish”对于最外层的 main() 来说无意义\n" #: debug.c:3288 #, c-format msgid "Run until return from " msgstr "运行直到返回自 " #: debug.c:3331 #, c-format msgid "'return' not meaningful in the outermost frame main()\n" msgstr "“return”对于最外层的 main() 来说无意义\n" #: debug.c:3444 #, c-format msgid "cannot find specified location in function `%s'\n" msgstr "找不到函数“%s”中的指定位置\n" #: debug.c:3452 #, c-format msgid "invalid source line %d in file `%s'" msgstr "源代码行号“%d”对于文件“%s”来说无效" #: debug.c:3467 #, c-format msgid "cannot find specified location %d in file `%s'\n" msgstr "找不到文件“%2$s”中的指定位置 %1$d\n" #: debug.c:3499 #, c-format msgid "element not in array\n" msgstr "元素不在数组中\n" #: debug.c:3499 #, c-format msgid "untyped variable\n" msgstr "无类型变量\n" #: debug.c:3541 #, c-format msgid "Stopping in %s ...\n" msgstr "停止于 %s ...\n" #: debug.c:3618 #, c-format msgid "'finish' not meaningful with non-local jump '%s'\n" msgstr "“finish”对于非本地跳转“%s”来说无效\n" #: debug.c:3625 #, c-format msgid "'until' not meaningful with non-local jump '%s'\n" msgstr "“until”对于非本地跳转“%s”来说无效\n" #. TRANSLATORS: don't translate the 'q' inside the brackets. #: debug.c:4386 msgid "\t------[Enter] to continue or [q] + [Enter] to quit------" msgstr "\t------ 按 [Enter] 继续,按 [q] + [Enter] 退出 ------" #: debug.c:5203 #, c-format msgid "[\"%.*s\"] not in array `%s'" msgstr "[\"%.*s\"] 不在数组“%s”中" #: debug.c:5409 #, c-format msgid "sending output to stdout\n" msgstr "输出到标准输出\n" #: debug.c:5449 msgid "invalid number" msgstr "编号无效" #: debug.c:5583 #, c-format msgid "`%s' not allowed in current context; statement ignored" msgstr "当前上下文中不允许“%s”;语句已忽略" #: debug.c:5591 msgid "`return' not allowed in current context; statement ignored" msgstr "当前上下文中不允许“%s”;语句已忽略" #: debug.c:5639 #, c-format msgid "fatal error during eval, need to restart.\n" msgstr "eval 时遇到致命错误,需要重新启动。\n" #: debug.c:5829 #, c-format msgid "no symbol `%s' in current context" msgstr "当前上下文中找不到符号“%s”" #: eval.c:405 #, c-format msgid "unknown nodetype %d" msgstr "未知的结点类型 %d" #: eval.c:416 eval.c:432 #, c-format msgid "unknown opcode %d" msgstr "未知的操作码 %d" #: eval.c:429 #, c-format msgid "opcode %s not an operator or keyword" msgstr "操作码 %s 不是操作符或关键字" #: eval.c:488 msgid "buffer overflow in genflags2str" msgstr "genflags2str 时缓冲区溢出" #: eval.c:690 #, c-format msgid "" "\n" "\t# Function Call Stack:\n" "\n" msgstr "" "\n" "\t# 函数调用栈:\n" "\n" #: eval.c:716 msgid "`IGNORECASE' is a gawk extension" msgstr "“IGNORECASE”是 gawk 扩展" #: eval.c:737 msgid "`BINMODE' is a gawk extension" msgstr "“BINMODE”是 gawk 扩展" #: eval.c:794 #, c-format msgid "BINMODE value `%s' is invalid, treated as 3" msgstr "BINMODE 值 “%s” 非法,按 3 处理" #: eval.c:917 #, c-format msgid "bad `%sFMT' specification `%s'" msgstr "错误的“%sFMT”实现“%s”" #: eval.c:987 msgid "turning off `--lint' due to assignment to `LINT'" msgstr "由于对“LINT”赋值所以关闭“--lint”" #: eval.c:1190 #, c-format msgid "reference to uninitialized argument `%s'" msgstr "引用未初始化的参数“%s”" #: eval.c:1191 #, c-format msgid "reference to uninitialized variable `%s'" msgstr "引用未初始化的变量“%s”" #: eval.c:1209 msgid "attempt to field reference from non-numeric value" msgstr "试图从非数值引用字段编号" #: eval.c:1211 msgid "attempt to field reference from null string" msgstr "试图从空字符串引用字段编号" #: eval.c:1219 #, c-format msgid "attempt to access field %ld" msgstr "试图访问字段 %ld" #: eval.c:1228 #, c-format msgid "reference to uninitialized field `$%ld'" msgstr "引用未初始化的字段“$%ld”" #: eval.c:1292 #, c-format msgid "function `%s' called with more arguments than declared" msgstr "函数“%s”被调用时提供了比声明时更多的参数" #: eval.c:1508 #, c-format msgid "unwind_stack: unexpected type `%s'" msgstr "unwind_stack:未预期的类型“%s”" #: eval.c:1689 msgid "division by zero attempted in `/='" msgstr "在“/=”中试图除0" #: eval.c:1696 #, c-format msgid "division by zero attempted in `%%='" msgstr "在“%%=”中试图除0" #: ext.c:51 msgid "extensions are not allowed in sandbox mode" msgstr "沙箱模式中不允许使用扩展" #: ext.c:54 msgid "-l / @load are gawk extensions" msgstr "-l / @load 是 gawk 扩展" #: ext.c:57 msgid "load_ext: received NULL lib_name" msgstr "load_ext:收到空 lib_name" #: ext.c:60 #, c-format msgid "load_ext: cannot open library `%s': %s" msgstr "load_ext:无法打开库“%s”:%s" #: ext.c:66 #, c-format msgid "load_ext: library `%s': does not define `plugin_is_GPL_compatible': %s" msgstr "load_ext:库“%s”:未定义“plugin_is_GPL_compatible”:%s" #: ext.c:72 #, c-format msgid "load_ext: library `%s': cannot call function `%s': %s" msgstr "load_ext:库“%s”:无法调用函数“%s”:%s" #: ext.c:76 #, c-format msgid "load_ext: library `%s' initialization routine `%s' failed" msgstr "load_ext:库”%s“初始化程序”%s“失败" #: ext.c:92 msgid "make_builtin: missing function name" msgstr "make_builtin:缺少函数名" #: ext.c:100 ext.c:111 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as function name" msgstr "make_builtin:无法使用 gawk 内置的 “%s” 作为函数名" #: ext.c:109 #, c-format msgid "make_builtin: cannot use gawk built-in `%s' as namespace name" msgstr "make_builtin:无法使用 gawk 内置的 “%s” 作为命名空间名称" #: ext.c:126 #, c-format msgid "make_builtin: cannot redefine function `%s'" msgstr "make_builtin:无法重定义函数“%s”" #: ext.c:130 #, c-format msgid "make_builtin: function `%s' already defined" msgstr "make_builtin:函数“%s”已经被定义" #: ext.c:135 #, c-format msgid "make_builtin: function name `%s' previously defined" msgstr "make_builtin:函数名“%s”前面已被定义" #: ext.c:139 #, c-format msgid "make_builtin: negative argument count for function `%s'" msgstr "make_builtin:函数”%s“参数个数为负值" #: ext.c:220 #, c-format msgid "function `%s': argument #%d: attempt to use scalar as an array" msgstr "函数“%s”:第 %d 个参数:试图把标量当作数组使用" #: ext.c:224 #, c-format msgid "function `%s': argument #%d: attempt to use array as a scalar" msgstr "函数“%s”:第 %d 个参数:试图把数组当标量使用" #: ext.c:238 msgid "dynamic loading of libraries is not supported" msgstr "不支持动态加载库" #: extension/filefuncs.c:446 #, c-format msgid "stat: unable to read symbolic link `%s'" msgstr "stat:无法读取符号链接”%s“" #: extension/filefuncs.c:479 msgid "stat: first argument is not a string" msgstr "stat:第一个参数不是字符串" #: extension/filefuncs.c:484 msgid "stat: second argument is not an array" msgstr "stat:第二个参数不是数组" #: extension/filefuncs.c:528 msgid "stat: bad parameters" msgstr "stat:参数有误" #: extension/filefuncs.c:594 #, c-format msgid "fts init: could not create variable %s" msgstr "fts init:无法创建变量 %s" #: extension/filefuncs.c:615 msgid "fts is not supported on this system" msgstr "该系统不支持 fts" #: extension/filefuncs.c:634 msgid "fill_stat_element: could not create array, out of memory" msgstr "fill_stat_element:无法创建数组,内存耗尽" #: extension/filefuncs.c:643 msgid "fill_stat_element: could not set element" msgstr "fill_stat_element:无法设置元素" #: extension/filefuncs.c:658 msgid "fill_path_element: could not set element" msgstr "fill_path_element:无法设置元素" #: extension/filefuncs.c:674 msgid "fill_error_element: could not set element" msgstr "fill_error_element:无法设置元素" #: extension/filefuncs.c:726 extension/filefuncs.c:773 msgid "fts-process: could not create array" msgstr "fts-process:无法创建数组" #: extension/filefuncs.c:736 extension/filefuncs.c:783 #: extension/filefuncs.c:801 msgid "fts-process: could not set element" msgstr "fts-process:无法设置元素" #: extension/filefuncs.c:850 msgid "fts: called with incorrect number of arguments, expecting 3" msgstr "fts:调用时的参数个数有误,应为 3 个" #: extension/filefuncs.c:853 msgid "fts: first argument is not an array" msgstr "fts:第一个参数不是数组" #: extension/filefuncs.c:859 msgid "fts: second argument is not a number" msgstr "fts:第二个参数不是数字" #: extension/filefuncs.c:865 msgid "fts: third argument is not an array" msgstr "fts:第三个参数不是数组" #: extension/filefuncs.c:872 msgid "fts: could not flatten array\n" msgstr "fts:无法展开数组\n" #: extension/filefuncs.c:890 msgid "fts: ignoring sneaky FTS_NOSTAT flag. nyah, nyah, nyah." msgstr "fts:忽略猥琐的 FTS_NOSTAT 标志。嘿嘿嘿。" #: extension/fnmatch.c:120 msgid "fnmatch: could not get first argument" msgstr "fnmatch:无法获取第一个参数" #: extension/fnmatch.c:125 msgid "fnmatch: could not get second argument" msgstr "fnmatch:无法获取第二个参数" #: extension/fnmatch.c:130 msgid "fnmatch: could not get third argument" msgstr "fnmatch:无法获取第三个参数" #: extension/fnmatch.c:143 msgid "fnmatch is not implemented on this system\n" msgstr "该系统未实现 fnmatch\n" #: extension/fnmatch.c:175 msgid "fnmatch init: could not add FNM_NOMATCH variable" msgstr "fnmatch init:无法添加 FNM_NOMATCH 变量" #: extension/fnmatch.c:185 #, c-format msgid "fnmatch init: could not set array element %s" msgstr "nmatch init:无法设置数组元素 %s" #: extension/fnmatch.c:195 msgid "fnmatch init: could not install FNM array" msgstr "fnmatch init:无法设置 FNM 数组" #: extension/fork.c:92 msgid "fork: PROCINFO is not an array!" msgstr "fork:PROCINFO 不是数组" #: extension/inplace.c:131 msgid "inplace::begin: in-place editing already active" msgstr "inplace::begin:已启用原位编辑" #: extension/inplace.c:134 #, c-format msgid "inplace::begin: expects 2 arguments but called with %d" msgstr "inplace::begin:需要 2 个参数,但调用时传递了 %d 个" #: extension/inplace.c:137 msgid "inplace::begin: cannot retrieve 1st argument as a string filename" msgstr "inplace::begin:无法将第 1 个参数作为文件名字符串处理" #: extension/inplace.c:145 #, c-format msgid "inplace::begin: disabling in-place editing for invalid FILENAME `%s'" msgstr "inplace::begin:对于无效的文件名“%s”禁用原位编辑" #: extension/inplace.c:152 #, c-format msgid "inplace::begin: Cannot stat `%s' (%s)" msgstr "inplace::begin:无法对“%s”执行 stat (%s)" #: extension/inplace.c:159 #, c-format msgid "inplace::begin: `%s' is not a regular file" msgstr "ininplace::begin:“%s”不是普通文件" #: extension/inplace.c:170 #, c-format msgid "inplace::begin: mkstemp(`%s') failed (%s)" msgstr "inplace::begin:mkstemp(“%s”) 失败 (%s)" #: extension/inplace.c:182 #, c-format msgid "inplace::begin: chmod failed (%s)" msgstr "inplace::begin:chmod 失败 (%s)" #: extension/inplace.c:189 #, c-format msgid "inplace::begin: dup(stdout) failed (%s)" msgstr "inplace::begin:dup(stdout) 失败 (%s)" #: extension/inplace.c:192 #, c-format msgid "inplace::begin: dup2(%d, stdout) failed (%s)" msgstr "inplace::begin:dup2(%d, stdout) 失败 (%s)" #: extension/inplace.c:195 #, c-format msgid "inplace::begin: close(%d) failed (%s)" msgstr "inplace::begin:close(%d) 失败 (%s)" #: extension/inplace.c:211 #, c-format msgid "inplace::end: expects 2 arguments but called with %d" msgstr "inplace::end:需要 2 个参数,但调用时传递了 %d 个" #: extension/inplace.c:214 msgid "inplace::end: cannot retrieve 1st argument as a string filename" msgstr "inplace::end:无法将第 1 个参数作为文件名字符串处理" #: extension/inplace.c:221 msgid "inplace::end: in-place editing not active" msgstr "inplace::end:原位编辑未启用" #: extension/inplace.c:227 #, c-format msgid "inplace::end: dup2(%d, stdout) failed (%s)" msgstr "inplace::end:dup2(%d, stdout) 失败 (%s)" #: extension/inplace.c:230 #, c-format msgid "inplace::end: close(%d) failed (%s)" msgstr "inplace::end:close(%d) 失败 (%s)" #: extension/inplace.c:234 #, c-format msgid "inplace::end: fsetpos(stdout) failed (%s)" msgstr "inplace::end:fsetpos(stdout) 失败 (%s)" #: extension/inplace.c:247 #, c-format msgid "inplace::end: link(`%s', `%s') failed (%s)" msgstr "inplace::end:link(“%s”, “%s”) 失败 (%s)" #: extension/inplace.c:257 #, c-format msgid "inplace::end: rename(`%s', `%s') failed (%s)" msgstr "inplace::end:rename(“%s”, “%s”) 失败 (%s)" #: extension/ordchr.c:72 msgid "ord: first argument is not a string" msgstr "ord:第一个参数不是字符串" #: extension/ordchr.c:99 msgid "chr: first argument is not a number" msgstr "chr:第一个参数不是数字" #: extension/readdir.c:291 #, c-format msgid "dir_take_control_of: %s: opendir/fdopendir failed: %s" msgstr "dir_take_control_of:%s:opendir/fdopendir 失败:%s" #: extension/readfile.c:133 msgid "readfile: called with wrong kind of argument" msgstr "readfile:参数类型错误" #: extension/revoutput.c:127 msgid "revoutput: could not initialize REVOUT variable" msgstr "revoutput:无法初始化 REVOUT 变量" #: extension/rwarray.c:145 extension/rwarray.c:548 #, c-format msgid "%s: first argument is not a string" msgstr "%s:第一个参数不是字符串" #: extension/rwarray.c:189 msgid "writea: second argument is not an array" msgstr "writea:第二个参数不是数组" #: extension/rwarray.c:206 msgid "writeall: unable to find SYMTAB array" msgstr "writeall:找不到 SYMTAB 数组" #: extension/rwarray.c:226 msgid "write_array: could not flatten array" msgstr "write_array:无法展开数组" #: extension/rwarray.c:242 msgid "write_array: could not release flattened array" msgstr "write_array:无法释放展开的数组" #: extension/rwarray.c:307 #, c-format msgid "array value has unknown type %d" msgstr "数组的值的类型未知:%d" #: extension/rwarray.c:398 msgid "" "rwarray extension: received GMP/MPFR value but compiled without GMP/MPFR " "support." msgstr "rwarray 扩展:收到了 GMP/MPFR 值但编译时未启用 GMP/MPFR 支持。" #: extension/rwarray.c:437 #, c-format msgid "cannot free number with unknown type %d" msgstr "无法释放具有未知类型 %d 的数字" #: extension/rwarray.c:442 #, c-format msgid "cannot free value with unhandled type %d" msgstr "无法释放具有未处理类型 %d 的值" #: extension/rwarray.c:481 #, c-format msgid "readall: unable to set %s::%s" msgstr "readall:无法设置 %s::%s" #: extension/rwarray.c:483 #, c-format msgid "readall: unable to set %s" msgstr "readall:无法设置 %s" #: extension/rwarray.c:525 msgid "reada: clear_array failed" msgstr "reada:clear_array 失败" #: extension/rwarray.c:611 msgid "reada: second argument is not an array" msgstr "reada:第二个参数不是数组" #: extension/rwarray.c:648 msgid "read_array: set_array_element failed" msgstr "read_array:set_array_element 失败" #: extension/rwarray.c:756 #, c-format msgid "treating recovered value with unknown type code %d as a string" msgstr "将未知类型(%d)的恢复值当作字符串来处理" #: extension/rwarray.c:827 msgid "" "rwarray extension: GMP/MPFR value in file but compiled without GMP/MPFR " "support." msgstr "rwarray 扩展:文件中存在 GMP/MPFR 值但编译时未启用 GMP/MPFR 支持。" #: extension/time.c:149 msgid "gettimeofday: not supported on this platform" msgstr "gettimeofday:不被此平台支持" #: extension/time.c:170 msgid "sleep: missing required numeric argument" msgstr "sleep:缺少所需的数值参数" #: extension/time.c:176 msgid "sleep: argument is negative" msgstr "sleep:参数为负值" #: extension/time.c:210 msgid "sleep: not supported on this platform" msgstr "sleep:不被此平台支持" #: extension/time.c:232 msgid "strptime: called with no arguments" msgstr "strptime:调用时未提供参数" #: extension/time.c:240 #, c-format msgid "do_strptime: argument 1 is not a string\n" msgstr "do_strptime:第一个参数不是字符串\n" #: extension/time.c:245 #, c-format msgid "do_strptime: argument 2 is not a string\n" msgstr "do_strptime:第二个参数不是字符串\n" #: field.c:321 msgid "input record too large" msgstr "输入的记录太长" #: field.c:443 msgid "NF set to negative value" msgstr "NF 被设置为负值" #: field.c:448 msgid "decrementing NF is not portable to many awk versions" msgstr "降序 NF 无法被大多数 awk 所兼容" #: field.c:1005 msgid "accessing fields from an END rule may not be portable" msgstr "其他 awk 可能不支持使用 END " #: field.c:1132 field.c:1141 msgid "split: fourth argument is a gawk extension" msgstr "split:第四个参数是 gawk 扩展" #: field.c:1136 msgid "split: fourth argument is not an array" msgstr "split:第四个参数不是数组" #: field.c:1138 field.c:1240 #, c-format msgid "%s: cannot use %s as fourth argument" msgstr "%s:无法将 %s 作为第四个参数" #: field.c:1148 msgid "split: second argument is not an array" msgstr "split:第二个参数不是数组" #: field.c:1154 msgid "split: cannot use the same array for second and fourth args" msgstr "split:无法将同一个数组用于第二和第四个参数" #: field.c:1159 msgid "split: cannot use a subarray of second arg for fourth arg" msgstr "split:无法将第二个参数的子数组用于第四个参数" #: field.c:1162 msgid "split: cannot use a subarray of fourth arg for second arg" msgstr "split:无法将第四个参数的子数组用于第二个参数" #: field.c:1199 msgid "split: null string for third arg is a non-standard extension" msgstr "split:第三个参数为空字符串:其他 awk 可能不支持这一特性" #: field.c:1238 msgid "patsplit: fourth argument is not an array" msgstr "patsplit:第四个参数不是数组" #: field.c:1245 msgid "patsplit: second argument is not an array" msgstr "patsplit:第二个参数不是数组" #: field.c:1268 msgid "patsplit: third argument must be non-null" msgstr "patsplit:第三个参数必须不为空" #: field.c:1272 msgid "patsplit: cannot use the same array for second and fourth args" msgstr "patsplit:无法将同一个数组用于第二和第四个参数" #: field.c:1277 msgid "patsplit: cannot use a subarray of second arg for fourth arg" msgstr "patsplit:无法将第二个参数的子数组用于第四个参数" #: field.c:1280 msgid "patsplit: cannot use a subarray of fourth arg for second arg" msgstr "patsplit:无法将第四个参数的子数组用于第二个参数" #: field.c:1317 msgid "assignment to FS/FIELDWIDTHS/FPAT has no effect when using --csv" msgstr "对 FS/FIELDWIDTHS/FPAT 的赋值在使用 --csv 时无效果" #: field.c:1347 msgid "`FIELDWIDTHS' is a gawk extension" msgstr "“FIELDWIDTHS”是 gawk 扩展" #: field.c:1416 msgid "`*' must be the last designator in FIELDWIDTHS" msgstr "FIELDWIDTHS中的“*”必须位于所有通配符的末尾" #: field.c:1437 #, c-format msgid "invalid FIELDWIDTHS value, for field %d, near `%s'" msgstr "第 %d 字段中的 FIELDWIDTHS 值无效(位于“%s”附近)" #: field.c:1511 msgid "null string for `FS' is a gawk extension" msgstr "给“FS”传递了空字符串,应为 gawk 扩展" #: field.c:1515 msgid "old awk does not support regexps as value of `FS'" msgstr "老 awk 不支持把“FS”设置为正则表达式" #: field.c:1641 msgid "`FPAT' is a gawk extension" msgstr "“FPAT”是 gawk 扩展" #: gawkapi.c:158 msgid "awk_value_to_node: received null retval" msgstr "awk_value_to_node:返回值为空" #: gawkapi.c:178 gawkapi.c:191 msgid "awk_value_to_node: not in MPFR mode" msgstr "awk_value_to_node:不在 MPFR 模式中" #: gawkapi.c:185 gawkapi.c:197 msgid "awk_value_to_node: MPFR not supported" msgstr "awk_value_to_node:不支持 MPFR 模式" #: gawkapi.c:201 #, c-format msgid "awk_value_to_node: invalid number type `%d'" msgstr "awk_value_to_node:数值类型“%d”无效" #: gawkapi.c:388 msgid "add_ext_func: received NULL name_space parameter" msgstr "add_ext_func:name_space 参数为空" #: gawkapi.c:526 #, c-format msgid "" "node_to_awk_value: detected invalid numeric flags combination `%s'; please " "file a bug report" msgstr "node_to_awk_value:发现一个无效的选项组合“%s”;请向开发者汇报此错误" #: gawkapi.c:564 msgid "node_to_awk_value: received null node" msgstr "node_to_awk_value:结点为空" #: gawkapi.c:567 msgid "node_to_awk_value: received null val" msgstr "node_to_awk_value:值为空" #: gawkapi.c:633 gawkapi.c:668 gawkapi.c:696 gawkapi.c:731 #, c-format msgid "" "node_to_awk_value detected invalid flags combination `%s'; please file a bug " "report" msgstr "node_to_awk_value 发现了一个无效的选项组合“%s”;请向开发者汇报此错误" #: gawkapi.c:1126 msgid "remove_element: received null array" msgstr "remove_element:数组为空" #: gawkapi.c:1129 msgid "remove_element: received null subscript" msgstr "remove_element:下标为空" #: gawkapi.c:1271 #, c-format msgid "api_flatten_array_typed: could not convert index %d to %s" msgstr "api_flatten_array_typed:无法将索引 %d 转换为 %s" #: gawkapi.c:1276 #, c-format msgid "api_flatten_array_typed: could not convert value %d to %s" msgstr "api_flatten_array_typed:无法将索引 %d 转换为 %s" #: gawkapi.c:1372 gawkapi.c:1389 msgid "api_get_mpfr: MPFR not supported" msgstr "api_get_mpfr:不支持 MPFR 模式" #: gawkapi.c:1420 msgid "cannot find end of BEGINFILE rule" msgstr "找不到 BEGINFILE 规则的结束位置" #: gawkapi.c:1474 #, c-format msgid "cannot open unrecognized file type `%s' for `%s'" msgstr "无法打开未知文件类型(%s)的“%s”" #: io.c:415 #, c-format msgid "command line argument `%s' is a directory: skipped" msgstr "命令行参数“%s”为目录;已跳过" #: io.c:418 io.c:532 #, c-format msgid "cannot open file `%s' for reading: %s" msgstr "无法打开文件“%s”进行读取:%s" #: io.c:659 #, c-format msgid "close of fd %d (`%s') failed: %s" msgstr "关闭文件描述符 %d (“%s”)失败:%s" #: io.c:731 #, c-format msgid "`%.*s' used for input file and for output file" msgstr "“%.*s”在输入文件和输出文件中使用" #: io.c:733 #, c-format msgid "`%.*s' used for input file and input pipe" msgstr "“%.*s”在输入文件和输出管道中使用" #: io.c:735 #, c-format msgid "`%.*s' used for input file and two-way pipe" msgstr "“%.*s”在输入文件和双向管道中使用" #: io.c:737 #, c-format msgid "`%.*s' used for input file and output pipe" msgstr "“%.*s”在输入文件和输出管道中使用" #: io.c:739 #, c-format msgid "unnecessary mixing of `>' and `>>' for file `%.*s'" msgstr "在文件“%.*s”中不必要的混合使用“>”和“>>”" #: io.c:741 #, c-format msgid "`%.*s' used for input pipe and output file" msgstr "“%.*s”在输入管道和输出文件中使用" #: io.c:743 #, c-format msgid "`%.*s' used for output file and output pipe" msgstr "“%.*s”在输出文件和输出管道中使用" #: io.c:745 #, c-format msgid "`%.*s' used for output file and two-way pipe" msgstr "“%.*s”在输出文件和双向管道中使用" #: io.c:747 #, c-format msgid "`%.*s' used for input pipe and output pipe" msgstr "“%.*s”在输入管道和输出管道中使用" #: io.c:749 #, c-format msgid "`%.*s' used for input pipe and two-way pipe" msgstr "“%.*s”在输入管道和双向管道中使用" #: io.c:751 #, c-format msgid "`%.*s' used for output pipe and two-way pipe" msgstr "“%.*s”在输出管道和双向管道中使用" #: io.c:801 msgid "redirection not allowed in sandbox mode" msgstr "沙箱模式中不允许使用重定向" #: io.c:835 #, c-format msgid "expression in `%s' redirection is a number" msgstr "“%s”重定向中的表达式中只有个数字" #: io.c:839 #, c-format msgid "expression for `%s' redirection has null string value" msgstr "“%s”重定向中的表达式是空字符串" #: io.c:844 #, c-format msgid "" "filename `%.*s' for `%s' redirection may be result of logical expression" msgstr "“%3$s”重定向中的文件名“%2$.*1$s”可能是逻辑表达式的结果" #: io.c:941 io.c:968 #, c-format msgid "get_file cannot create pipe `%s' with fd %d" msgstr "get_file 无法创建文件描述符为 %2$d 的管道“%1$s”" #: io.c:955 #, c-format msgid "cannot open pipe `%s' for output: %s" msgstr "无法为输出打开管道“%s”:%s" #: io.c:973 #, c-format msgid "cannot open pipe `%s' for input: %s" msgstr "无法为输入打开管道“%s”:%s" #: io.c:1002 #, c-format msgid "" "get_file socket creation not supported on this platform for `%s' with fd %d" msgstr "此平台不支持使用 get_file 创建文件描述符为 %2$d 的套接字“%1$s”" #: io.c:1013 #, c-format msgid "cannot open two way pipe `%s' for input/output: %s" msgstr "无法为输入/输出打开双向管道“%s”:%s" #: io.c:1100 #, c-format msgid "cannot redirect from `%s': %s" msgstr "无法自“%s”重定向:%s" #: io.c:1103 #, c-format msgid "cannot redirect to `%s': %s" msgstr "无法重定向到“%s”:%s" #: io.c:1205 msgid "" "reached system limit for open files: starting to multiplex file descriptors" msgstr "打开的文件数达到系统限制:开始复用文件描述符" #: io.c:1221 #, c-format msgid "close of `%s' failed: %s" msgstr "关闭“%s”失败:%s" #: io.c:1229 msgid "too many pipes or input files open" msgstr "打开过多管道或输入文件" #: io.c:1255 msgid "close: second argument must be `to' or `from'" msgstr "close:第二个参数必须是“to”或“from”" #: io.c:1273 #, c-format msgid "close: `%.*s' is not an open file, pipe or co-process" msgstr "close:“%.*s”不是一个已打开文件、管道或合作进程" #: io.c:1278 msgid "close of redirection that was never opened" msgstr "关闭一个从未被打开的重定向" #: io.c:1380 #, c-format msgid "close: redirection `%s' not opened with `|&', second argument ignored" msgstr "close:重定向“%s”不是用“|&”打开,第二个参数被忽略" #: io.c:1397 #, c-format msgid "failure status (%d) on pipe close of `%s': %s" msgstr "失败状态(%d)出现在关闭管道“%s”时:%s" #: io.c:1400 #, c-format msgid "failure status (%d) on two-way pipe close of `%s': %s" msgstr "失败状态(%d)出现在关闭双向管道“%s”时:%s" #: io.c:1403 #, c-format msgid "failure status (%d) on file close of `%s': %s" msgstr "失败状态(%d)出现在关闭文件“%s”时:%s" #: io.c:1423 #, c-format msgid "no explicit close of socket `%s' provided" msgstr "未显式关闭端口“%s”" #: io.c:1426 #, c-format msgid "no explicit close of co-process `%s' provided" msgstr "未显式关闭合作进程“%s”" #: io.c:1429 #, c-format msgid "no explicit close of pipe `%s' provided" msgstr "未显式关闭管道“%s”" #: io.c:1432 #, c-format msgid "no explicit close of file `%s' provided" msgstr "未显式关闭文件“%s”" #: io.c:1467 #, c-format msgid "fflush: cannot flush standard output: %s" msgstr "fflush:无法刷新输出缓存:%s" #: io.c:1468 #, c-format msgid "fflush: cannot flush standard error: %s" msgstr "fflush:无法刷新错误输出缓存:%s" #: io.c:1473 io.c:1562 main.c:669 main.c:714 #, c-format msgid "error writing standard output: %s" msgstr "向标准输出写时发生错误:%s" #: io.c:1474 io.c:1573 main.c:671 #, c-format msgid "error writing standard error: %s" msgstr "向标准错误输出写时发生错误:%s" #: io.c:1513 #, c-format msgid "pipe flush of `%s' failed: %s" msgstr "刷新管道“%s”时出错:%s" #: io.c:1516 #, c-format msgid "co-process flush of pipe to `%s' failed: %s" msgstr "刷新合作进程管道“%s”时出错:%s" #: io.c:1519 #, c-format msgid "file flush of `%s' failed: %s" msgstr "刷新文件“%s”时出错:%s" #: io.c:1662 #, c-format msgid "local port %s invalid in `/inet': %s" msgstr "本地端口 %s 在“/inet”中无效:%s" #: io.c:1665 #, c-format msgid "local port %s invalid in `/inet'" msgstr "本地端口 %s 在“/inet”中无效" #: io.c:1688 #, c-format msgid "remote host and port information (%s, %s) invalid: %s" msgstr "远程主机和端口信息 (%s, %s) 无效:%s" #: io.c:1691 #, c-format msgid "remote host and port information (%s, %s) invalid" msgstr "远程主机和端口信息 (%s, %s) 无效" #: io.c:1933 msgid "TCP/IP communications are not supported" msgstr "TCP/IP 通讯不被支持" #: io.c:2061 io.c:2104 #, c-format msgid "could not open `%s', mode `%s'" msgstr "无法以模式“%2$s”打开“%1$s”" #: io.c:2069 io.c:2121 #, c-format msgid "close of master pty failed: %s" msgstr "关闭主 pty 失败:%s" #: io.c:2071 io.c:2123 io.c:2464 io.c:2702 #, c-format msgid "close of stdout in child failed: %s" msgstr "在子进程中关闭标准输出失败:%s" #: io.c:2074 io.c:2126 #, c-format msgid "moving slave pty to stdout in child failed (dup: %s)" msgstr "在子进程中将从 pty 改为标准输出失败(dup:%s)" #: io.c:2076 io.c:2128 io.c:2469 #, c-format msgid "close of stdin in child failed: %s" msgstr "在子进程中关闭标准输入失败:%s" #: io.c:2079 io.c:2131 #, c-format msgid "moving slave pty to stdin in child failed (dup: %s)" msgstr "在子进程中将从 pty 改为标准输入失败(dup:%s)" #: io.c:2081 io.c:2133 io.c:2155 #, c-format msgid "close of slave pty failed: %s" msgstr "关闭 slave pty 失败:%s" #: io.c:2317 msgid "could not create child process or open pty" msgstr "无法创建子进程或打开 pty" #: io.c:2403 io.c:2467 io.c:2677 io.c:2705 #, c-format msgid "moving pipe to stdout in child failed (dup: %s)" msgstr "在子进程中将管道改为标准输出失败(dup:%s)" #: io.c:2410 io.c:2472 #, c-format msgid "moving pipe to stdin in child failed (dup: %s)" msgstr "在子进程中将管道改为标准输入失败(dup:%s)" #: io.c:2432 io.c:2695 msgid "restoring stdout in parent process failed" msgstr "在父进程中恢复标准输出失败" #: io.c:2440 msgid "restoring stdin in parent process failed" msgstr "在父进程中恢复标准输入失败" #: io.c:2475 io.c:2707 io.c:2722 #, c-format msgid "close of pipe failed: %s" msgstr "关闭管道失败:%s" #: io.c:2534 msgid "`|&' not supported" msgstr "“|&”不被支持" #: io.c:2662 #, c-format msgid "cannot open pipe `%s': %s" msgstr "无法打开管道“%s”:%s" #: io.c:2716 #, c-format msgid "cannot create child process for `%s' (fork: %s)" msgstr "无法为“%s”创建子进程(fork:%s)" #: io.c:2855 msgid "getline: attempt to read from closed read end of two-way pipe" msgstr "getline:试图从读取端已被关闭的双向管道中读取数据" #: io.c:3178 msgid "register_input_parser: received NULL pointer" msgstr "register_input_parser:指针为空" #: io.c:3206 #, c-format msgid "input parser `%s' conflicts with previously installed input parser `%s'" msgstr "输入解析器“%s”与之前设置的“%s”相冲突" #: io.c:3213 #, c-format msgid "input parser `%s' failed to open `%s'" msgstr "输入解析器“%s”打开“%s”失败" #: io.c:3233 msgid "register_output_wrapper: received NULL pointer" msgstr "register_output_parser:指针为空" #: io.c:3261 #, c-format msgid "" "output wrapper `%s' conflicts with previously installed output wrapper `%s'" msgstr "输出解析器“%s”与之前设置的“%s”相冲突" #: io.c:3268 #, c-format msgid "output wrapper `%s' failed to open `%s'" msgstr "输出解析器“%s”打开“%s”失败" #: io.c:3289 msgid "register_output_processor: received NULL pointer" msgstr "register_output_processor:指针为空" #: io.c:3318 #, c-format msgid "" "two-way processor `%s' conflicts with previously installed two-way processor " "`%s'" msgstr "双向处理器“%s”与之前设置的“%s”相冲突" #: io.c:3327 #, c-format msgid "two way processor `%s' failed to open `%s'" msgstr "双向处理器“%s”打开“%s”失败" #: io.c:3458 #, c-format msgid "data file `%s' is empty" msgstr "数据文件“%s”为空" #: io.c:3500 io.c:3508 msgid "could not allocate more input memory" msgstr "无法分配更多的输入内存" #: io.c:4185 msgid "assignment to RS has no effect when using --csv" msgstr "对 RS 的赋值在使用 --csv 时无效果" #: io.c:4205 msgid "multicharacter value of `RS' is a gawk extension" msgstr "“RS”设置为多字符是 gawk 扩展" #: io.c:4364 msgid "IPv6 communication is not supported" msgstr "不支持 IPv6 通讯" #: io.c:4642 msgid "gawk_popen_write: failed to move pipe fd to standard input" msgstr "gawk_popen_write:将 pipe fd 移动到标准输入失败" #: main.c:316 msgid "environment variable `POSIXLY_CORRECT' set: turning on `--posix'" msgstr "环境变量“POSIXLY_CORRECT”被设置:打开“--posix”" #: main.c:323 msgid "`--posix' overrides `--traditional'" msgstr "“--posix”覆盖“--traditional”" #: main.c:334 msgid "`--posix'/`--traditional' overrides `--non-decimal-data'" msgstr "“--posix”或“--traditional”覆盖“--non-decimal-data”" #: main.c:339 msgid "`--posix' overrides `--characters-as-bytes'" msgstr "“--posix”覆盖“--characters-as-bytes”" #: main.c:349 msgid "`--posix' and `--csv' conflict" msgstr "“--posix”和“--csv”互相冲突" #: main.c:353 #, c-format msgid "running %s setuid root may be a security problem" msgstr "以设置 root ID 方式运行“%s”可能存在安全漏洞" #: main.c:355 msgid "The -r/--re-interval options no longer have any effect" msgstr "使用 -r/--re-interval 选项已不再起作用" #: main.c:413 #, c-format msgid "cannot set binary mode on stdin: %s" msgstr "无法在标准输入上设置二进制模式:%s" #: main.c:416 #, c-format msgid "cannot set binary mode on stdout: %s" msgstr "无法在标准输出上设置二进制模式:%s" #: main.c:418 #, c-format msgid "cannot set binary mode on stderr: %s" msgstr "无法在标准错误输出上设置二进制模式:%s" #: main.c:483 msgid "no program text at all!" msgstr "完全没有程序正文!" #: main.c:580 #, c-format msgid "Usage: %s [POSIX or GNU style options] -f progfile [--] file ...\n" msgstr "用法:%s [POSIX 或 GNU 风格选项] -f 脚本文件 [--] 文件 ...\n" #: main.c:582 #, c-format msgid "Usage: %s [POSIX or GNU style options] [--] %cprogram%c file ...\n" msgstr "用法:%s [POSIX 或 GNU 风格选项] [--] %c程序%c 文件 ...\n" #: main.c:587 msgid "POSIX options:\t\tGNU long options: (standard)\n" msgstr "POSIX 选项:\t\tGNU 长选项:(标准)\n" #: main.c:588 msgid "\t-f progfile\t\t--file=progfile\n" msgstr "\t-f 脚本文件\t\t--file=脚本文件\n" #: main.c:589 msgid "\t-F fs\t\t\t--field-separator=fs\n" msgstr "\t-F fs\t\t\t--field-separator=fs\n" #: main.c:590 msgid "\t-v var=val\t\t--assign=var=val\n" msgstr "\t-v var=val\t\t--assign=var=val\n" #: main.c:591 msgid "Short options:\t\tGNU long options: (extensions)\n" msgstr "短选项:\t\tGNU 长选项:(扩展)\n" #: main.c:592 msgid "\t-b\t\t\t--characters-as-bytes\n" msgstr "\t-b\t\t\t--characters-as-bytes\n" #: main.c:593 msgid "\t-c\t\t\t--traditional\n" msgstr "\t-c\t\t\t--traditional\n" #: main.c:594 msgid "\t-C\t\t\t--copyright\n" msgstr "\t-C\t\t\t--copyright\n" #: main.c:595 msgid "\t-d[file]\t\t--dump-variables[=file]\n" msgstr "\t-d[文件]\t\t--dump-variables[=文件]\n" #: main.c:596 msgid "\t-D[file]\t\t--debug[=file]\n" msgstr "\t-D[文件]\t\t--debug[=文件]\n" #: main.c:597 msgid "\t-e 'program-text'\t--source='program-text'\n" msgstr "\t-e '程序文本'\t--source='程序文本'\n" #: main.c:598 msgid "\t-E file\t\t\t--exec=file\n" msgstr "\t-E 文件\t\t\t--exec=文件\n" #: main.c:599 msgid "\t-g\t\t\t--gen-pot\n" msgstr "\t-g\t\t\t--gen-pot\n" #: main.c:600 msgid "\t-h\t\t\t--help\n" msgstr "\t-h\t\t\t--help\n" #: main.c:601 msgid "\t-i includefile\t\t--include=includefile\n" msgstr "\t-i 包含文件\t\t--include=包含文件\n" #: main.c:602 msgid "\t-I\t\t\t--trace\n" msgstr "\t-I\t\t\t--trace\n" #: main.c:603 msgid "\t-k\t\t\t--csv\n" msgstr "\t-k\t\t\t--csv\n" #: main.c:604 msgid "\t-l library\t\t--load=library\n" msgstr "\t-l 库\t\t--load=库\n" #. TRANSLATORS: the "fatal", "invalid" and "no-ext" here are literal #. values, they should not be translated. Thanks. #. #: main.c:609 msgid "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" msgstr "\t-L[fatal|invalid|no-ext]\t--lint[=fatal|invalid|no-ext]\n" #: main.c:610 msgid "\t-M\t\t\t--bignum\n" msgstr "\t-M\t\t\t--bignum\n" #: main.c:611 msgid "\t-N\t\t\t--use-lc-numeric\n" msgstr "\t-N\t\t\t--use-lc-numeric\n" #: main.c:612 msgid "\t-n\t\t\t--non-decimal-data\n" msgstr "\t-n\t\t\t--non-decimal-data\n" #: main.c:613 msgid "\t-o[file]\t\t--pretty-print[=file]\n" msgstr "\t-o[文件]\t\t--pretty-print[=文件]\n" #: main.c:614 msgid "\t-O\t\t\t--optimize\n" msgstr "\t-O\t\t\t--optimize\n" #: main.c:615 msgid "\t-p[file]\t\t--profile[=file]\n" msgstr "\t-p[文件]\t\t--profile[=文件]\n" #: main.c:616 msgid "\t-P\t\t\t--posix\n" msgstr "\t-P\t\t\t--posix\n" #: main.c:617 msgid "\t-r\t\t\t--re-interval\n" msgstr "\t-r\t\t\t--re-interval\n" #: main.c:618 msgid "\t-s\t\t\t--no-optimize\n" msgstr "\t-s\t\t\t--no-optimize\n" #: main.c:619 msgid "\t-S\t\t\t--sandbox\n" msgstr "\t-S\t\t\t--sandbox\n" #: main.c:620 msgid "\t-t\t\t\t--lint-old\n" msgstr "\t-t\t\t\t--lint-old\n" #: main.c:621 msgid "\t-V\t\t\t--version\n" msgstr "\t-V\t\t\t--version\n" #: main.c:623 msgid "\t-Y\t\t\t--parsedebug\n" msgstr "\t-Y\t\t\t--parsedebug\n" #: main.c:626 msgid "\t-Z locale-name\t\t--locale=locale-name\n" msgstr "\t-Z locale-name\t\t--locale=locale-name\n" #. TRANSLATORS: --help output (end) #. no-wrap #: main.c:632 msgid "" "\n" "To report bugs, use the `gawkbug' program.\n" "For full instructions, see the node `Bugs' in `gawk.info'\n" "which is section `Reporting Problems and Bugs' in the\n" "printed version. This same information may be found at\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html.\n" "PLEASE do NOT try to report bugs by posting in comp.lang.awk,\n" "or by using a web forum such as Stack Overflow.\n" "\n" msgstr "" "\n" "如需提交错误报告,请使用“gawkbug”程序。\n" "详细指引可参考“gawk.info”中的“Bugs”页,\n" "它位于“Reporting Problems and Bugs”一节。您也可以在\n" "https://www.gnu.org/software/gawk/manual/html_node/Bugs.html\n" "中找到相同的信息。\n" "请勿在群组 comp.lang.awk 上提交错误报告,\n" "或者使用 Stack Overflow 等论坛报告错误。\n" "\n" #: main.c:648 #, c-format msgid "" "Source code for gawk may be obtained from\n" "%s/gawk-%s.tar.gz\n" "\n" msgstr "" "可以在以下位置获取 gawk 的源代码\n" "%s/gawk-%s.tar.gz\n" "\n" #: main.c:652 msgid "" "gawk is a pattern scanning and processing language.\n" "By default it reads standard input and writes standard output.\n" "\n" msgstr "" "gawk 是一个模式扫描及处理语言。缺省情况下它从标准输入读入并写至标准输出。\n" "\n" #: main.c:656 #, c-format msgid "" "Examples:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" msgstr "" "范例:\n" "\t%s '{ sum += $1 }; END { print sum }' file\n" "\t%s -F: '{ print $1 }' /etc/passwd\n" #: main.c:686 #, c-format msgid "" "Copyright (C) 1989, 1991-%d Free Software Foundation.\n" "\n" "This program is free software; you can redistribute it and/or modify\n" "it under the terms of the GNU General Public License as published by\n" "the Free Software Foundation; either version 3 of the License, or\n" "(at your option) any later version.\n" "\n" msgstr "" "版权所有 © 1989, 1991-%d 自由软件基金会(FSF)。\n" "\n" "该程序为自由软件,你可以在自由软件基金会发布的 GNU 通用公共许可证(GPL)第\n" "3版或以后版本下修改或重新发布。\n" "\n" #: main.c:694 msgid "" "This program is distributed in the hope that it will be useful,\n" "but WITHOUT ANY WARRANTY; without even the implied warranty of\n" "MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n" "GNU General Public License for more details.\n" "\n" msgstr "" "该程序之所以被发布是因为希望他能对你有所用处,但我们不作任何担保。这包含\n" "但不限于任何商业适售性以及针对特定目的的适用性的担保。详情参见 GNU 通用公\n" "共许可证(GPL)。\n" "\n" #: main.c:700 msgid "" "You should have received a copy of the GNU General Public License\n" "along with this program. If not, see http://www.gnu.org/licenses/.\n" msgstr "" "你应该收到程序附带的一份 GNU 通用公共许可证(GPL)。如果没有收到,请参看 " "http://www.gnu.org/licenses/ 。\n" #: main.c:739 msgid "-Ft does not set FS to tab in POSIX awk" msgstr "在 POSIX awk 中 -Ft 不会将 FS 设为制表符(tab)" #: main.c:1167 #, c-format msgid "" "%s: `%s' argument to `-v' not in `var=value' form\n" "\n" msgstr "" "%s:“-v”的参数“%s”不是“var=value”形式\n" "\n" #: main.c:1193 #, c-format msgid "`%s' is not a legal variable name" msgstr "“%s”不是一个合法的变量名" #: main.c:1196 #, c-format msgid "`%s' is not a variable name, looking for file `%s=%s'" msgstr "“%s”不是一个变量名,查找文件“%s=%s”" #: main.c:1210 #, c-format msgid "cannot use gawk builtin `%s' as variable name" msgstr "无法将 gawk 内置的 “%s” 作为变量名" #: main.c:1215 #, c-format msgid "cannot use function `%s' as variable name" msgstr "无法将函数名“%s”作为变量名" #: main.c:1294 msgid "floating point exception" msgstr "浮点数异常" #: main.c:1304 msgid "fatal error: internal error" msgstr "致命错误:内部错误" #: main.c:1391 #, c-format msgid "no pre-opened fd %d" msgstr "文件描述符 %d 未被打开" #: main.c:1398 #, c-format msgid "could not pre-open /dev/null for fd %d" msgstr "无法为文件描述符 %d 预打开 /dev/null" #: main.c:1612 msgid "empty argument to `-e/--source' ignored" msgstr "“-e/--source”的空参数被忽略" #: main.c:1681 main.c:1686 msgid "`--profile' overrides `--pretty-print'" msgstr "“--profile”覆盖“--pretty-print”" #: main.c:1698 msgid "-M ignored: MPFR/GMP support not compiled in" msgstr "忽略 -M ignored:未将 MPFR/GMP 支持编译于" #: main.c:1724 #, c-format msgid "Use `GAWK_PERSIST_FILE=%s gawk ...' instead of --persist." msgstr "使用“GAWK_PERSIST_FILE=%s gawk ...”替代 --persist。" #: main.c:1726 msgid "Persistent memory is not supported." msgstr "不支持持久内存。" #: main.c:1735 #, c-format msgid "%s: option `-W %s' unrecognized, ignored\n" msgstr "%s:选项“-W %s”无法识别,忽略\n" #: main.c:1788 #, c-format msgid "%s: option requires an argument -- %c\n" msgstr "%s:选项需要一个参数 -- %c\n" #: main.c:1891 #, c-format msgid "%s: fatal: cannot stat %s: %s\n" msgstr "%s:致命错误:无法 stat %s: %s\n" #: main.c:1895 #, c-format msgid "" "%s: fatal: using persistent memory is not allowed when running as root.\n" msgstr "%s:致命错误:以 root 身份运行时不允许使用持久存储。\n" #: main.c:1898 #, c-format msgid "%s: warning: %s is not owned by euid %d.\n" msgstr "%s:警告:%s 并非由 euid %d 所有。\n" #: main.c:1913 msgid "persistent memory is not supported" msgstr "不支持持久内存" #: main.c:1924 #, c-format msgid "" "%s: fatal: persistent memory allocator failed to initialize: return value " "%d, pma.c line: %d.\n" msgstr "%s:致命错误:持久内存分配器初始化失败:返回值 %d,pma.c 行:%d。\n" #: mpfr.c:659 #, c-format msgid "PREC value `%.*s' is invalid" msgstr "PREC 值 “%.*s” 无效" #: mpfr.c:718 #, c-format msgid "ROUNDMODE value `%.*s' is invalid" msgstr "ROUNDMODE 值 “%.*s” 无效" #: mpfr.c:784 msgid "atan2: received non-numeric first argument" msgstr "atan2:第一个参数不是数字" #: mpfr.c:786 msgid "atan2: received non-numeric second argument" msgstr "atan2:第二个参数不是数字" #: mpfr.c:825 #, c-format msgid "%s: received negative argument %.*s" msgstr "%s:收到负数参数 %.*s" #: mpfr.c:892 msgid "int: received non-numeric argument" msgstr "int:收到非数字参数" #: mpfr.c:924 msgid "compl: received non-numeric argument" msgstr "compl:收到非数字参数" #: mpfr.c:936 msgid "compl(%Rg): negative value is not allowed" msgstr "compl(%Rg):不允许使用负值" #: mpfr.c:941 msgid "comp(%Rg): fractional value will be truncated" msgstr "compl(%Rg):小数部分会被截断" #: mpfr.c:952 #, c-format msgid "compl(%Zd): negative values are not allowed" msgstr "compl(%Zd):不允许使用负值" #: mpfr.c:970 #, c-format msgid "%s: received non-numeric argument #%d" msgstr "%s:第 %d 个参数不是数值" #: mpfr.c:980 msgid "%s: argument #%d has invalid value %Rg, using 0" msgstr "%s:第 %d 个参数的值 %Rg 无效,改为 0" #: mpfr.c:991 msgid "%s: argument #%d negative value %Rg is not allowed" msgstr "%s:第 %d 个参数 %Rg 不能为负值" #: mpfr.c:998 msgid "%s: argument #%d fractional value %Rg will be truncated" msgstr "%s:第 %d 个参数 %Rg 的小数部分会被截断" #: mpfr.c:1012 #, c-format msgid "%s: argument #%d negative value %Zd is not allowed" msgstr "%s:第 %d 个参数 %Zd 不能为负值" #: mpfr.c:1106 msgid "and: called with less than two arguments" msgstr "and:调用时传递的参数不足2个" #: mpfr.c:1138 msgid "or: called with less than two arguments" msgstr "or:调用时传递的参数不足2个" #: mpfr.c:1169 msgid "xor: called with less than two arguments" msgstr "xor:调用时传递的参数不足2个" #: mpfr.c:1299 msgid "srand: received non-numeric argument" msgstr "srand:收到非数字参数" #: mpfr.c:1343 msgid "intdiv: received non-numeric first argument" msgstr "intdiv:第一个参数不是数字" #: mpfr.c:1345 msgid "intdiv: received non-numeric second argument" msgstr "intdiv:第二个参数不是数字" #: msg.c:76 #, c-format msgid "cmd. line:" msgstr "命令行:" #: node.c:477 msgid "backslash at end of string" msgstr "字符串尾部的反斜杠" #: node.c:511 msgid "could not make typed regex" msgstr "无法创建有类型的正则表达式" #: node.c:599 #, c-format msgid "old awk does not support the `\\%c' escape sequence" msgstr "老 awk 不支持“\\%c”转义序列" #: node.c:660 msgid "POSIX does not allow `\\x' escapes" msgstr "POSIX 不允许“\\x”转义符" #: node.c:668 msgid "no hex digits in `\\x' escape sequence" msgstr "“\\x”转义序列中没有十六进制数" #: node.c:690 #, c-format msgid "" "hex escape \\x%.*s of %d characters probably not interpreted the way you " "expect" msgstr "十六进制转义符 \\x%.*s 表示的 %d 个字符可能不会被如期望情况解释" #: node.c:705 msgid "POSIX does not allow `\\u' escapes" msgstr "POSIX 不允许“\\u”转义符" #: node.c:713 msgid "no hex digits in `\\u' escape sequence" msgstr "“\\u”转义序列中没有十六进制数" #: node.c:744 msgid "invalid `\\u' escape sequence" msgstr "无效的“\\u”转义序列" #: node.c:766 #, c-format msgid "escape sequence `\\%c' treated as plain `%c'" msgstr "转义序列“\\%c”被当作单纯的“%c”" #: node.c:908 msgid "" "Invalid multibyte data detected. There may be a mismatch between your data " "and your locale" msgstr "检测到了无效的多字节数据。可能你的数据和区域语言设置不匹配" #: posix/gawkmisc.c:188 #, c-format msgid "%s %s `%s': could not get fd flags: (fcntl F_GETFD: %s)" msgstr "%s %s “%s”:无法获取 fd 标志:(fcntl F_GETFD:%s)" #: posix/gawkmisc.c:200 #, c-format msgid "%s %s `%s': could not set close-on-exec: (fcntl F_SETFD: %s)" msgstr "%s %s “%s”:无法设置 close-on-exec:(fcntl F_SETFD:%s)" #: posix/gawkmisc.c:327 #, c-format msgid "warning: /proc/self/exe: readlink: %s\n" msgstr "" #: posix/gawkmisc.c:334 #, c-format msgid "warning: personality: %s\n" msgstr "" #: posix/gawkmisc.c:371 #, c-format msgid "waitpid: got exit status %#o\n" msgstr "" #: posix/gawkmisc.c:375 #, c-format msgid "fatal: posix_spawn: %s\n" msgstr "" #: profile.c:75 msgid "Program indentation level too deep. Consider refactoring your code" msgstr "代码缩进的层次太深。请考虑重构您的代码" #: profile.c:114 msgid "sending profile to standard error" msgstr "发送配置到标准错误输出" #: profile.c:284 #, c-format msgid "" "\t# %s rule(s)\n" "\n" msgstr "" "\t# %s 规则\n" "\n" #: profile.c:296 #, c-format msgid "" "\t# Rule(s)\n" "\n" msgstr "" "\t# 规则\n" "\n" #: profile.c:388 #, c-format msgid "internal error: %s with null vname" msgstr "内部错误:%s 带有空的 vname" #: profile.c:693 msgid "internal error: builtin with null fname" msgstr "内部错误:内置操作的 fname 为空" #: profile.c:1351 #, c-format msgid "" "%s# Loaded extensions (-l and/or @load)\n" "\n" msgstr "" "%s# 已加载扩展 (-l 和/或 @load)\n" "\n" #: profile.c:1382 #, c-format msgid "" "\n" "# Included files (-i and/or @include)\n" "\n" msgstr "" "\n" "# 已加载扩展 (-l 和/或 @load)\n" "\n" #: profile.c:1453 #, c-format msgid "\t# gawk profile, created %s\n" msgstr "\t# gawk 配置, 创建 %s\n" #: profile.c:2021 #, c-format msgid "" "\n" "\t# Functions, listed alphabetically\n" msgstr "" "\n" "\t# 函数列表,字典序\n" #: profile.c:2083 #, c-format msgid "redir2str: unknown redirection type %d" msgstr "redir2str:未知重定向类型 %d" #: re.c:61 re.c:175 msgid "" "behavior of matching a regexp containing NUL characters is not defined by " "POSIX" msgstr "POSIX 规范中不支持匹配包含 NUL 字符的正则表达式" #: re.c:131 msgid "invalid NUL byte in dynamic regexp" msgstr "动态正则表达式中含有无效的 NUL 字节" #: re.c:215 #, c-format msgid "regexp escape sequence `\\%c' treated as plain `%c'" msgstr "正则表达式中的转义序列“\\%c”将被当作纯文本“%c”" #: re.c:249 #, c-format msgid "regexp escape sequence `\\%c' is not a known regexp operator" msgstr "正则表达式中的转义序列“\\%c”不是有效的操作符" #: re.c:723 #, c-format msgid "regexp component `%.*s' should probably be `[%.*s]'" msgstr "正则表达式成分“%.*s”可能应为“[%.*s]”" #: support/dfa.c:910 msgid "unbalanced [" msgstr "[ 不配对" #: support/dfa.c:1031 msgid "invalid character class" msgstr "无效的字符类型名" #: support/dfa.c:1159 msgid "character class syntax is [[:space:]], not [:space:]" msgstr "字符类型的语法为 [[:space:]],而不是 [:space:]" #: support/dfa.c:1235 msgid "unfinished \\ escape" msgstr "不完整的 \\ 转义" #: support/dfa.c:1345 msgid "? at start of expression" msgstr "表达式起始位置的 ?" #: support/dfa.c:1357 msgid "* at start of expression" msgstr "表达式起始位置的 *" #: support/dfa.c:1371 msgid "+ at start of expression" msgstr "表达式起始位置的 +" #: support/dfa.c:1426 msgid "{...} at start of expression" msgstr "表达式起始位置的 {...}" #: support/dfa.c:1429 msgid "invalid content of \\{\\}" msgstr "\\{\\} 中内容无效" #: support/dfa.c:1431 msgid "regular expression too big" msgstr "正则表达式过大" #: support/dfa.c:1581 msgid "stray \\ before unprintable character" msgstr "不可打印字符前游离的 \\" #: support/dfa.c:1583 msgid "stray \\ before white space" msgstr "空白前游离的 \\" #: support/dfa.c:1594 #, c-format msgid "stray \\ before %s" msgstr "%s 前游离的 \\" #: support/dfa.c:1595 support/dfa.c:1598 msgid "stray \\" msgstr "游离的 \\" #: support/dfa.c:1949 msgid "unbalanced (" msgstr "( 不配对" #: support/dfa.c:2066 msgid "no syntax specified" msgstr "未指定语法" #: support/dfa.c:2077 msgid "unbalanced )" msgstr ") 不配对" #: support/getopt.c:605 support/getopt.c:634 #, c-format msgid "%s: option '%s' is ambiguous; possibilities:" msgstr "%s:选项“%s”有歧义;可能为:" #: support/getopt.c:680 support/getopt.c:684 #, c-format msgid "%s: option '--%s' doesn't allow an argument\n" msgstr "%s:选项“--%s”不允许有参数\n" #: support/getopt.c:693 support/getopt.c:698 #, c-format msgid "%s: option '%c%s' doesn't allow an argument\n" msgstr "%s:选项“%c%s”不允许有参数\n" #: support/getopt.c:741 support/getopt.c:760 #, c-format msgid "%s: option '--%s' requires an argument\n" msgstr "%s:选项“%s”需要一个参数\n" #: support/getopt.c:798 support/getopt.c:801 #, c-format msgid "%s: unrecognized option '--%s'\n" msgstr "%s:无法识别选项“--%s”\n" #: support/getopt.c:809 support/getopt.c:812 #, c-format msgid "%s: unrecognized option '%c%s'\n" msgstr "%s:无法识别选项“%c%s”\n" #: support/getopt.c:861 support/getopt.c:864 #, c-format msgid "%s: invalid option -- '%c'\n" msgstr "%s:无效选项 -- “%c”\n" #: support/getopt.c:917 support/getopt.c:934 support/getopt.c:1144 #: support/getopt.c:1162 #, c-format msgid "%s: option requires an argument -- '%c'\n" msgstr "%s:选项需要一个参数 -- “%c”\n" #: support/getopt.c:990 support/getopt.c:1006 #, c-format msgid "%s: option '-W %s' is ambiguous\n" msgstr "%s:选项“-W %s”有歧义\n" #: support/getopt.c:1030 support/getopt.c:1048 #, c-format msgid "%s: option '-W %s' doesn't allow an argument\n" msgstr "%s:选项“-W %s”不允许参数\n" #: support/getopt.c:1069 support/getopt.c:1087 #, c-format msgid "%s: option '-W %s' requires an argument\n" msgstr "%s:选项“-W %s”需要一个参数\n" #: support/regcomp.c:122 msgid "Success" msgstr "成功" #: support/regcomp.c:125 msgid "No match" msgstr "无匹配" #: support/regcomp.c:128 msgid "Invalid regular expression" msgstr "无效的正则表达式" #: support/regcomp.c:131 msgid "Invalid collation character" msgstr "无效的收集字符" #: support/regcomp.c:134 msgid "Invalid character class name" msgstr "无效的字符类型名" #: support/regcomp.c:137 msgid "Trailing backslash" msgstr "尾端的反斜杠" #: support/regcomp.c:140 msgid "Invalid back reference" msgstr "无效的回引用" #: support/regcomp.c:143 msgid "Unmatched [, [^, [:, [., or [=" msgstr "[、[^、 [:、[. 或 [= 不配对" #: support/regcomp.c:146 msgid "Unmatched ( or \\(" msgstr "未匹配的 ( 或 \\(" #: support/regcomp.c:149 msgid "Unmatched \\{" msgstr "未匹配的 \\{" #: support/regcomp.c:152 msgid "Invalid content of \\{\\}" msgstr "\\{\\} 中内容无效" #: support/regcomp.c:155 msgid "Invalid range end" msgstr "无效的范围结束" #: support/regcomp.c:158 msgid "Memory exhausted" msgstr "内存耗尽" #: support/regcomp.c:161 msgid "Invalid preceding regular expression" msgstr "无效的前置正则表达式" #: support/regcomp.c:164 msgid "Premature end of regular expression" msgstr "正则表达式非正常结束" #: support/regcomp.c:167 msgid "Regular expression too big" msgstr "正则表达式过大" #: support/regcomp.c:170 msgid "Unmatched ) or \\)" msgstr "未匹配的 ) 或 \\)" #: support/regcomp.c:650 msgid "No previous regular expression" msgstr "前面没有正则表达式" #: symbol.c:137 msgid "" "current setting of -M/--bignum does not match saved setting in PMA backing " "file" msgstr "当前对 -M/--bignum 的设置不匹配在 PMA backing 文件中存储的设置" #: symbol.c:781 #, c-format msgid "function `%s': cannot use function `%s' as a parameter name" msgstr "函数“%s”:无法将函数名“%s”作为参数名" #: symbol.c:911 msgid "cannot pop main context" msgstr "无法弹出 main 的上下文" #~ msgid "fatal: must use `count$' on all formats or none" #~ msgstr "致命错误:要么在所有格式上使用“count$”,要么完全不使用" #, c-format #~ msgid "field width is ignored for `%%' specifier" #~ msgstr "“%%”限定符的字段宽度被忽略" #, c-format #~ msgid "precision is ignored for `%%' specifier" #~ msgstr "“%%”描述符的精度被忽略" #, c-format #~ msgid "field width and precision are ignored for `%%' specifier" #~ msgstr "“%%”描述符的字段宽度和精度被忽略" #~ msgid "fatal: `$' is not permitted in awk formats" #~ msgstr "致命错误:awk 格式中不允许 “$”" #~ msgid "fatal: argument index with `$' must be > 0" #~ msgstr "致命错误:含有“$”的参数指标必须大于0" #, c-format #~ msgid "" #~ "fatal: argument index %ld greater than total number of supplied arguments" #~ msgstr "致命错误:参数索引 %ld 大于提供参数的总数" #~ msgid "fatal: `$' not permitted after period in format" #~ msgstr "致命错误:不允许在格式中的“.”后使用“$”" #~ msgid "fatal: no `$' supplied for positional field width or precision" #~ msgstr "致命错误:没有为格式宽度或精度提供“$”" #, c-format #~ msgid "`%c' is meaningless in awk formats; ignored" #~ msgstr "“%c”在 awk 格式中无意义;忽略" #, c-format #~ msgid "fatal: `%c' is not permitted in POSIX awk formats" #~ msgstr "致命错误:不允许在 POSIX awk 格式中使用“%c”" #, c-format #~ msgid "[s]printf: value %g is too big for %%c format" #~ msgstr "[s]printf:值 %g 对“%%c”格式来说超出范围" #, c-format #~ msgid "[s]printf: value %g is not a valid wide character" #~ msgstr "[s]printf:值 %g 不是有效的宽字符" #, c-format #~ msgid "[s]printf: value %g is out of range for `%%%c' format" #~ msgstr "[s]printf:值 %g 对“%%%c”格式来说超出范围" #, c-format #~ msgid "[s]printf: value %s is out of range for `%%%c' format" #~ msgstr "[s]printf:值 %s 对“%%%c”格式来说超出范围" #, c-format #~ msgid "%%%c format is POSIX standard but not portable to other awks" #~ msgstr "%%%c 格式符合 POSIX 规范,但可能无法与其他的 awk 兼容" #, c-format #~ msgid "" #~ "ignoring unknown format specifier character `%c': no argument converted" #~ msgstr "忽略位置的格式化字符“%c”:无参数被转化" #~ msgid "fatal: not enough arguments to satisfy format string" #~ msgstr "致命错误:参数数量少于格式数量" #~ msgid "^ ran out for this one" #~ msgstr "^ 跑出范围" #~ msgid "[s]printf: format specifier does not have control letter" #~ msgstr "[s]printf:指定格式不含控制字符" #~ msgid "too many arguments supplied for format string" #~ msgstr "相对格式来说参数个数过多" #, c-format #~ msgid "%s: received non-string format string argument" #~ msgstr "%s:参数不是非字符串格式化字符串" #~ msgid "sprintf: no arguments" #~ msgstr "sprintf:没有参数" #~ msgid "printf: no arguments" #~ msgstr "printf:没有参数" #~ msgid "printf: attempt to write to closed write end of two-way pipe" #~ msgstr "printf:试图向写入端已被关闭的双向管道中写入数据" #, c-format #~ msgid "%s" #~ msgstr "%s" #~ msgid "\t-W nostalgia\t\t--nostalgia\n" #~ msgstr "\t-W nostalgia\t\t--nostalgia\n" #~ msgid "fatal error: internal error: segfault" #~ msgstr "致命错误:内部错误:段错误" #~ msgid "fatal error: internal error: stack overflow" #~ msgstr "致命错误:内部错误:栈溢出" #~ msgid "typeof: invalid argument type `%s'" #~ msgstr "typeof:参数类型“%s”无效" #~ msgid "" #~ "The time extension is obsolete. Use the timex extension from gawkextlib " #~ "instead." #~ msgstr "time 扩展已经过时。请改用来自 gawkextlib 的 timex 扩展。" #~ msgid "`L' is meaningless in awk formats; ignored" #~ msgstr "“L”在 awk 格式中无意义;忽略" #~ msgid "fatal: `L' is not permitted in POSIX awk formats" #~ msgstr "致命错误:不允许在 POSIX awk 格式中使用“L”" #~ msgid "`h' is meaningless in awk formats; ignored" #~ msgstr "“h”在 awk 格式中无意义;忽略" #~ msgid "fatal: `h' is not permitted in POSIX awk formats" #~ msgstr "致命错误:不允许在 POSIX awk 格式中使用“h”" #~ msgid "No symbol `%s' in current context" #~ msgstr "当前上下文中找不到符号“%s”" #~ msgid "do_writea: first argument is not a string" #~ msgstr "do_writea:第一个参数不是字符串" #~ msgid "do_reada: first argument is not a string" #~ msgstr "do_reada:第一个参数不是字符串" #~ msgid "do_writea: argument 1 is not an array" #~ msgstr "do_writea:参数 1 不是数组" #~ msgid "do_reada: argument 0 is not a string" #~ msgstr "do_reada:参数 0 不是字符串" #~ msgid "do_reada: argument 1 is not an array" #~ msgstr "do_reada:参数 1 不是字数组" #~ msgid "adump: first argument not an array" #~ msgstr "adump:第一个参数不是数组" #~ msgid "asort: second argument not an array" #~ msgstr "asort:第二个参数不是数组" #~ msgid "asorti: second argument not an array" #~ msgstr "asorti:第二个参数不是数组" #~ msgid "asorti: first argument not an array" #~ msgstr "asorti:第一个参数不是数组" #~ msgid "asorti: cannot use a subarray of first arg for second arg" #~ msgstr "asorti:无法将第一个参数的子数组作为第二个参数" #~ msgid "asorti: cannot use a subarray of second arg for first arg" #~ msgstr "asorti:无法将第二个参数的子数组作为第一个参数" #~ msgid "can't read sourcefile `%s' (%s)" #~ msgstr "无法读取源文件“%s”(%s)" #~ msgid "POSIX does not allow operator `**='" #~ msgstr "POSIX 不允许操作符“**=”" #~ msgid "old awk does not support operator `**='" #~ msgstr "老 awk 不支持操作符“**=”" #~ msgid "old awk does not support operator `**'" #~ msgstr "老 awk 不支持操作符“**”" #~ msgid "operator `^=' is not supported in old awk" #~ msgstr "老 awk 不支持操作符“^=”" #~ msgid "could not open `%s' for writing (%s)" #~ msgstr "无法以写模式打开“%s” (%s)" #~ msgid "exp: received non-numeric argument" #~ msgstr "exp:收到非数字参数" #~ msgid "length: received non-string argument" #~ msgstr "length:收到非字符串参数" #~ msgid "log: received non-numeric argument" #~ msgstr "log:收到非数字参数" #~ msgid "sqrt: received non-numeric argument" #~ msgstr "sqrt:收到非数字参数" #~ msgid "sqrt: called with negative argument %g" #~ msgstr "sqrt:收到负数参数 %g" #~ msgid "strftime: received non-numeric second argument" #~ msgstr "strftime:第二个参数不是数字" #~ msgid "strftime: received non-string first argument" #~ msgstr "strftime:第一个参数不是字符串" #~ msgid "mktime: received non-string argument" #~ msgstr "mktime:收到非字符串参数" #~ msgid "tolower: received non-string argument" #~ msgstr "tolower:收到非字符串参数" #~ msgid "toupper: received non-string argument" #~ msgstr "toupper:收到非字符串参数" #~ msgid "sin: received non-numeric argument" #~ msgstr "sin:收到非数字参数" #~ msgid "cos: received non-numeric argument" #~ msgstr "cos:收到非数字参数" #~ msgid "lshift: received non-numeric first argument" #~ msgstr "lshift:第一个参数不是数字" #~ msgid "lshift: received non-numeric second argument" #~ msgstr "lshift:第二个参数不是数字" #~ msgid "rshift: received non-numeric first argument" #~ msgstr "rshift:第一个参数不是数字" #~ msgid "rshift: received non-numeric second argument" #~ msgstr "rshift:第二个参数不是数字" #~ msgid "and: argument %d is non-numeric" #~ msgstr "and:参数 %d 不是数值" #~ msgid "and: argument %d negative value %g is not allowed" #~ msgstr "and:参数 %d 不允许为负值 %g" #~ msgid "or: argument %d negative value %g is not allowed" #~ msgstr "or:数 %d 不允许为负值 %g" #~ msgid "xor: argument %d is non-numeric" #~ msgstr "xor:参数 %d 不是数值" #~ msgid "xor: argument %d negative value %g is not allowed" #~ msgstr "xor:数 %d 不允许为负值 %g" #~ msgid "Can't find rule!!!\n" #~ msgstr "无法找到规则!\n" #~ msgid "q" #~ msgstr "q" #~ msgid "fts: bad first parameter" #~ msgstr "fts:第一个参数有误" #~ msgid "fts: bad second parameter" #~ msgstr "fts:第二个参数有误" #~ msgid "fts: bad third parameter" #~ msgstr "fts:第三个参数有误" #~ msgid "fts: clear_array() failed\n" #~ msgstr "fts:clear_array() 失败\n" #~ msgid "ord: called with inappropriate argument(s)" #~ msgstr "ord:参数有误" #~ msgid "chr: called with inappropriate argument(s)" #~ msgstr "chr:参数有误" #~ msgid "setenv(TZ, %s) failed (%s)" #~ msgstr "sevenv(TZ, %s) 执行失败(%s)" #~ msgid "setenv(TZ, %s) restoration failed (%s)" #~ msgstr "sevenv(TZ, %s) 恢复原始值失败(%s)" #~ msgid "unsetenv(TZ) failed (%s)" #~ msgstr "unsetenv(TZ) 执行失败(%s)" #~ msgid "`isarray' is deprecated. Use `typeof' instead" #~ msgstr "“isarray”语法已被弃用,请改用“typeof”" #~ msgid "attempt to use array `%s[\".*%s\"]' in a scalar context" #~ msgstr "试图在标量环境中使用数组“%s[\"%s\"]”" #~ msgid "attempt to use scalar `%s[\".*%s\"]' as array" #~ msgstr "试图把标量“%s[\".*%s\"]”当数组使用" #~ msgid "gensub: third argument %g treated as 1" #~ msgstr "gensub:第三个参数 %g 被当作 1" #~ msgid "`extension' is a gawk extension" #~ msgstr "“extension”是 gawk 扩展" #~ msgid "extension: received NULL lib_name" #~ msgstr "extension:收到空 lib_name" #~ msgid "extension: cannot open library `%s' (%s)" #~ msgstr "extension:无法打开库“%s”(%s)" #~ msgid "" #~ "extension: library `%s': does not define `plugin_is_GPL_compatible' (%s)" #~ msgstr "extension:库“%s”:未定义“plugin_is_GPL_compatible”(%s)" #~ msgid "extension: library `%s': cannot call function `%s' (%s)" #~ msgstr "extension:库“%s”:无法调用函数“%s”(%s)" #~ msgid "extension: missing function name" #~ msgstr "extension:缺少函数名" #~ msgid "extension: illegal character `%c' in function name `%s'" #~ msgstr "extension:函数名“%2$s”中有非法字符“%1$c”" #~ msgid "extension: can't redefine function `%s'" #~ msgstr "extension:无法重定义函数“%s”" #~ msgid "extension: function `%s' already defined" #~ msgstr "extension:函数“%s”已经被定义" #~ msgid "extension: function name `%s' previously defined" #~ msgstr "extension:函数名“%s”前面已被定义" #~ msgid "extension: can't use gawk built-in `%s' as function name" #~ msgstr "extension:无法使用 gawk 内置的 “%s” 作为函数名" #~ msgid "chdir: called with incorrect number of arguments, expecting 1" #~ msgstr "chdir:调用时的参数个数有误,应为 1 个" #~ msgid "stat: called with wrong number of arguments" #~ msgstr "stat:调用时的参数个数有误" #~ msgid "statvfs: called with wrong number of arguments" #~ msgstr "statvfs:调用时的参数个数有误" #~ msgid "fnmatch: called with less than three arguments" #~ msgstr "fnmatch:调用时传递的参数不足3个" #~ msgid "fnmatch: called with more than three arguments" #~ msgstr "fnmatch:调用时传递的参数超过3个" #~ msgid "fork: called with too many arguments" #~ msgstr "fork:参数太多" #~ msgid "waitpid: called with too many arguments" #~ msgstr "waitpid:参数太多" #~ msgid "wait: called with no arguments" #~ msgstr "wait:缺少参数" #~ msgid "wait: called with too many arguments" #~ msgstr "wait:参数太多" #~ msgid "ord: called with too many arguments" #~ msgstr "ord:参数太多" #~ msgid "chr: called with too many arguments" #~ msgstr "chr:参数太多" #~ msgid "readfile: called with too many arguments" #~ msgstr "readfile:参数太多" #~ msgid "writea: called with too many arguments" #~ msgstr "readfile:参数太多" #~ msgid "reada: called with too many arguments" #~ msgstr "reada:参数太多" #~ msgid "gettimeofday: ignoring arguments" #~ msgstr "gettimeofday:忽略参数" #~ msgid "sleep: called with too many arguments" #~ msgstr "sleep:参数太多" #~ msgid "unknown value for field spec: %d\n" #~ msgstr "未知的字段规范:%d\n" #~ msgid "function `%s' defined to take no more than %d argument(s)" #~ msgstr "函数“%s”被定义为支持不超过 %d 个参数" #~ msgid "function `%s': missing argument #%d" #~ msgstr "函数“%s”:缺少第 %d 个参数" #~ msgid "reference to uninitialized element `%s[\"%.*s\"]'" #~ msgstr "引用未初始化的元素“%s[\"%.*s\"]”" #~ msgid "subscript of array `%s' is null string" #~ msgstr "数组“%s”的下标是空字符串" #~ msgid "%s: empty (null)\n" #~ msgstr "%s: 空(null)\n" #~ msgid "%s: empty (zero)\n" #~ msgstr "%s: 空(zero)\n" #~ msgid "%s: table_size = %d, array_size = %d\n" #~ msgstr "%s: 表格大小 = %d, 数组大小 = %d\n" #~ msgid "%s: array_ref to %s\n" #~ msgstr "%s: 数组引用到 %s\n" #~ msgid "statement may have no effect" #~ msgstr "表达式可能无任何效果" #~ msgid "`delete array' is a gawk extension" #~ msgstr "“delete array”是 gawk 扩展" #~ msgid "call of `length' without parentheses is deprecated by POSIX" #~ msgstr "POSIX 认为不带括号调用“length”是已过时的" #~ msgid "use of non-array as array" #~ msgstr "把非数组做数组使用" #~ msgid "`%s' is a Bell Labs extension" #~ msgstr "“%s”是贝尔实验室扩展" #~ msgid "division by zero attempted in `/'" #~ msgstr "在“/”中试图除 0" #~ msgid "length: untyped parameter argument will be forced to scalar" #~ msgstr "length: 无类型的参数会被强制转换为标量" #~ msgid "length: untyped argument will be forced to scalar" #~ msgstr "length: 无类型的参数会被强制转换为标量" #~ msgid "or(%lf, %lf): negative values will give strange results" #~ msgstr "or(%lf, %lf): 负值会得到奇怪的结果" #~ msgid "or(%lf, %lf): fractional values will be truncated" #~ msgstr "or(%lf, %lf): 小数部分会被截断" #~ msgid "xor: received non-numeric first argument" #~ msgstr "xor: 第一个参数不是数字" #~ msgid "xor: received non-numeric second argument" #~ msgstr "xor: 第二个参数不是数字" #~ msgid "xor(%lf, %lf): fractional values will be truncated" #~ msgstr "xor(%lf, %lf): 小数部分会被截断" #~ msgid "" #~ "for loop: array `%s' changed size from %ld to %ld during loop execution" #~ msgstr "for loop: 数组“%s”在循环执行时大小从 %ld 改变为 %ld" #~ msgid "`break' outside a loop is not portable" #~ msgstr "“break”在循环外使用是不可移植的" #~ msgid "`continue' outside a loop is not portable" #~ msgstr "“continue”在循环外使用是不可移植的" #~ msgid "`next' cannot be called from an END rule" #~ msgstr "在 END 规则中不允许调用“next”" #~ msgid "`nextfile' cannot be called from a BEGIN rule" #~ msgstr "在 BEGIN 规则中不允许调用“nextfile”" #~ msgid "`nextfile' cannot be called from an END rule" #~ msgstr "在 END 规则中不允许调用“nextfile”" #~ msgid "" #~ "concatenation: side effects in one expression have changed the length of " #~ "another!" #~ msgstr "concatenation: 一个表达式的额外效应已改变另一个的长度!" #~ msgid "assignment used in conditional context" #~ msgstr "在条件表达式中赋值" #~ msgid "illegal type (%s) in tree_eval" #~ msgstr "tree_eval 中的非法类型 (%s)" #~ msgid "\t# -- main --\n" #~ msgstr "\t# -- main --\n" #~ msgid "assignment is not allowed to result of builtin function" #~ msgstr "不允许对内置函数的结果赋值" #~ msgid "Operation Not Supported" #~ msgstr "操作不被支持" #~ msgid "invalid tree type %s in redirect()" #~ msgstr "在 redirect() 中的无效的树类型 %s" #~ msgid "/inet/raw client not ready yet, sorry" #~ msgstr "/inet/raw 客户端未准备好,对不起" #~ msgid "only root may use `/inet/raw'." #~ msgstr "仅 root 能使用 “/inet/raw”" #~ msgid "/inet/raw server not ready yet, sorry" #~ msgstr "/inet/raw 服务器未准备好,对不起" #~ msgid "no (known) protocol supplied in special filename `%s'" #~ msgstr "未提供特殊文件名的“%s”的访问协议" #~ msgid "special file name `%s' is incomplete" #~ msgstr "特殊文件名“%s”是不完整的" #~ msgid "must supply a remote hostname to `/inet'" #~ msgstr "必须提供远程主机名给“/inet”" #~ msgid "must supply a remote port to `/inet'" #~ msgstr "必须提供远程端口给“/inet”" #~ msgid "file `%s' is a directory" #~ msgstr "文件“%s”是一个目录" #~ msgid "use `PROCINFO[\"%s\"]' instead of `%s'" #~ msgstr "使用“PROCINFO[\"%s\"]”而不是“%s”" #~ msgid "use `PROCINFO[...]' instead of `/dev/user'" #~ msgstr "使用“PROCINFO[...]”而不是“/dev/user”" #~ msgid "out of memory" #~ msgstr "内存不足" #~ msgid "`-m[fr]' option irrelevant in gawk" #~ msgstr "“-m[fr]”选项在 gawk 中不相关" #~ msgid "-m option usage: `-m[fr] nnn'" #~ msgstr "-m 选项用法: “-m[fr] nnn”" #~ msgid "\t-m[fr] val\n" #~ msgstr "\t-m[fr] val\n" #~ msgid "\t-W compat\t\t--compat\n" #~ msgstr "\t-W compat\t\t--compat\n" #~ msgid "\t-W copyleft\t\t--copyleft\n" #~ msgstr "\t-W copyleft\t\t--copyleft\n" #~ msgid "\t-W usage\t\t--usage\n" #~ msgstr "\t-W usage\t\t--usage\n" #~ msgid "could not find groups: %s" #~ msgstr "无法找到组: %s" #~ msgid "can't convert string to float" #~ msgstr "无法将字符串转化为浮点数" #~ msgid "# treated internally as `delete'" #~ msgstr "# 内部处理为“delete”" #~ msgid "# this is a dynamically loaded extension function" #~ msgstr "# 这是一个动态加载的扩展函数" #~ msgid "" #~ "\t# BEGIN block(s)\n" #~ "\n" #~ msgstr "" #~ "\t# BEGIN 块\n" #~ "\n" #, fuzzy #~ msgid "" #~ "\t# END block(s)\n" #~ "\n" #~ msgstr "" #~ "\t# BEGIN 块\n" #~ "\n" #~ msgid "unexpected type %s in prec_level" #~ msgstr "在 prec_level 中未预期的类型 %s" #~ msgid "Unknown node type %s in pp_var" #~ msgstr "pp_var 中的未知的结点类型 %s" #~ msgid "can't open two way socket `%s' for input/output (%s)" #~ msgstr "无法为输入/输出打开双向端口“%s”(%s)" #~ msgid "`getline var' invalid inside `%s' rule" #~ msgstr "“getline var” 在“%s”规则中无效" #~ msgid "" #~ "\t# %s block(s)\n" #~ "\n" #~ msgstr "" #~ "\t# %s 块\n" #~ "\n" #~ msgid "range of the form `[%c-%c]' is locale dependent" #~ msgstr "范围的表示方式“[%c-%c]”与区域设置有关" EOF rm -fr /tmp/uudec # Final cleanup echo Sleeping and touching files to update timestamps. touch aclocal.m4 extension/aclocal.m4 configh.in extension/configh.in touch test/Makefile.in touch awklib/Makefile.in doc/Makefile.in extension/Makefile.in Makefile.in sleep 2 touch configure extension/configure sleep 2 touch version.c echo Remove any .orig or "'~'" files that may remain. echo Use '"configure && make"' to rebuild any dependent files. echo Use "'make distclean'" to clean up.