diff --git a/BUILD.md b/BUILD.md index d13b1cae3..63c1d71e5 100644 --- a/BUILD.md +++ b/BUILD.md @@ -1,6 +1,6 @@ # General information -- All the applications share the same library, which, for historical reasons, is in ReactNativeClient/lib. This library is copied to the relevant directories when builing each app. +- All the applications share the same library, which, for historical reasons, is in ReactNativeClient/lib. This library is copied to the relevant directories when building each app. - The translations are built by running CliClient/build-translation.sh. You normally don't need to run this if you haven't updated the translation since the compiled files are on the repository. ## macOS dependencies @@ -34,7 +34,7 @@ From `/ElectronClient` you can also run `run.sh` to run the app for testing. # Building the Mobile application -First you need to to setup React Native to build projects with native code. For this, follow the instructions on the [Get Started](https://facebook.github.io/react-native/docs/getting-started.html) tutorial, in the "Building Projects with Native Code" tab. +First you need to setup React Native to build projects with native code. For this, follow the instructions on the [Get Started](https://facebook.github.io/react-native/docs/getting-started.html) tutorial, in the "Building Projects with Native Code" tab. Then, from `/ReactNativeClient`, run `npm install`, then `react-native run-ios` or `react-native run-android`. diff --git a/CliClient/app/app-gui.js b/CliClient/app/app-gui.js index a20b90493..906efeb06 100644 --- a/CliClient/app/app-gui.js +++ b/CliClient/app/app-gui.js @@ -82,6 +82,14 @@ class AppGui { await this.renderer_.renderRoot(); } + termSaveState() { + return this.term().saveState(); + } + + termRestoreState(state) { + return this.term().restoreState(state); + } + prompt(initialText = '', promptString = ':', options = null) { return this.widget('statusBar').prompt(initialText, promptString, options); } @@ -550,6 +558,10 @@ class AppGui { } this.widget('console').scrollBottom(); + + // Invalidate so that the screen is redrawn in case inputting a command has moved + // the GUI up (in particular due to autocompletion), it's moved back to the right position. + this.widget('root').invalidate(); } async updateFolderList() { @@ -828,4 +840,4 @@ class AppGui { AppGui.INPUT_MODE_NORMAL = 1; AppGui.INPUT_MODE_META = 2; -module.exports = AppGui; \ No newline at end of file +module.exports = AppGui; diff --git a/CliClient/app/app.js b/CliClient/app/app.js index 4873af882..00e50aed1 100644 --- a/CliClient/app/app.js +++ b/CliClient/app/app.js @@ -285,7 +285,10 @@ class Application extends BaseApplication { exit: () => {}, showModalOverlay: (text) => {}, hideModalOverlay: () => {}, - stdoutMaxWidth: () => { return 78; } + stdoutMaxWidth: () => { return 78; }, + forceRender: () => {}, + termSaveState: () => {}, + termRestoreState: (state) => {}, }; } diff --git a/CliClient/app/autocompletion.js b/CliClient/app/autocompletion.js new file mode 100644 index 000000000..db40cc48f --- /dev/null +++ b/CliClient/app/autocompletion.js @@ -0,0 +1,185 @@ +var { app } = require('./app.js'); +var { Note } = require('lib/models/note.js'); +var { Folder } = require('lib/models/folder.js'); +var { Tag } = require('lib/models/tag.js'); +var { cliUtils } = require('./cli-utils.js'); +var yargParser = require('yargs-parser'); + +async function handleAutocompletionPromise(line) { + // Auto-complete the command name + const names = await app().commandNames(); + let words = getArguments(line); + //If there is only one word and it is not already a command name then you + //should look for commmands it could be + if (words.length == 1) { + if (names.indexOf(words[0]) === -1) { + let x = names.filter((n) => n.indexOf(words[0]) === 0); + if (x.length === 1) { + return x[0] + ' '; + } + return x.length > 0 ? x.map((a) => a + ' ') : line; + } else { + return line; + } + } + //There is more than one word and it is a command + const metadata = (await app().commandMetadata())[words[0]]; + //If for some reason this command does not have any associated metadata + //just don't autocomplete. However, this should not happen. + if (metadata === undefined) { + return line; + } + //complete an option + let next = words.length > 1 ? words[words.length - 1] : ''; + let l = []; + if (next[0] === '-') { + for (let i = 0; i 1 && options[1].indexOf(next) === 0) { + l.push(options[1]); + } else if (options[0].indexOf(next) === 0) { + l.push(options[2]); + } + } + if (l.length === 0) { + return line; + } + let ret = l.map(a=>toCommandLine(a)); + ret.prefix = toCommandLine(words.slice(0, -1)) + ' '; + return ret; + } + //Complete an argument + //Determine the number of positional arguments by counting the number of + //words that don't start with a - less one for the command name + const positionalArgs = words.filter((a)=>a.indexOf('-') !== 0).length - 1; + + let cmdUsage = yargParser(metadata.usage)['_']; + cmdUsage.splice(0, 1); + + if (cmdUsage.length >= positionalArgs) { + + let argName = cmdUsage[positionalArgs - 1]; + argName = cliUtils.parseCommandArg(argName).name; + + if (argName == 'note' || argName == 'note-pattern' && app().currentFolder()) { + const notes = await Note.previews(app().currentFolder().id, { titlePattern: next + '*' }); + l.push(...notes.map((n) => n.title)); + } + + if (argName == 'notebook') { + const folders = await Folder.search({ titlePattern: next + '*' }); + l.push(...folders.map((n) => n.title)); + } + + if (argName == 'tag') { + let tags = await Tag.search({ titlePattern: next + '*' }); + l.push(...tags.map((n) => n.title)); + } + + if (argName == 'tag-command') { + let c = filterList(['add', 'remove', 'list'], next); + l.push(...c); + } + + if (argName == 'todo-command') { + let c = filterList(['toggle', 'clear'], next); + l.push(...c); + } + } + if (l.length === 1) { + return toCommandLine([...words.slice(0, -1), l[0]]); + } else if (l.length > 1) { + let ret = l.map(a=>toCommandLine(a)); + ret.prefix = toCommandLine(words.slice(0, -1)) + ' '; + return ret; + } + return line; + +} +function handleAutocompletion(str, callback) { + handleAutocompletionPromise(str).then(function(res) { + callback(undefined, res); + }); +} +function toCommandLine(args) { + if (Array.isArray(args)) { + return args.map(function(a) { + if(a.indexOf('"') !== -1 || a.indexOf(' ') !== -1) { + return "'" + a + "'"; + } else if (a.indexOf("'") !== -1) { + return '"' + a + '"'; + } else { + return a; + } + }).join(' '); + } else { + if(args.indexOf('"') !== -1 || args.indexOf(' ') !== -1) { + return "'" + args + "' "; + } else if (args.indexOf("'") !== -1) { + return '"' + args + '" '; + } else { + return args + ' '; + } + } +} +function getArguments(line) { + let inSingleQuotes = false; + let inDoubleQuotes = false; + let currentWord = ''; + let parsed = []; + for(let i = 0; i." msgstr "Löscht die Notizen, die mit übereinstimmen." @@ -410,7 +412,12 @@ msgstr "Notiz löschen?" msgid "Searches for the given in all the notes." msgstr "Sucht nach dem gegebenen in allen Notizen." -msgid "Sets the property of the given to the given [value]." +#, fuzzy, javascript-format +msgid "" +"Sets the property of the given to the given [value]. Possible " +"properties are:\n" +"\n" +"%s" msgstr "" "Setzt die Eigenschaft der gegebenen zu dem gegebenen [Wert]." @@ -547,6 +554,15 @@ msgstr "" msgid "Search:" msgstr "Suchen:" +msgid "" +"Welcome to Joplin!\n" +"\n" +"Type `:help shortcuts` for the list of keyboard shortcuts, or just `:help` " +"for usage information.\n" +"\n" +"For example, to create a notebook press `mb`; to create a note press `mn`." +msgstr "" + msgid "File" msgstr "Datei" @@ -612,6 +628,13 @@ msgstr "OK" msgid "Cancel" msgstr "Abbrechen" +#, javascript-format +msgid "Notes and settings are stored in: %s" +msgstr "" + +msgid "Save" +msgstr "" + msgid "Back" msgstr "Zurück" @@ -659,6 +682,35 @@ msgstr "Kann Synchronisierer nicht initialisieren." msgid "View them now" msgstr "" +msgid "Active" +msgstr "" + +msgid "ID" +msgstr "" + +msgid "Source" +msgstr "" + +#, fuzzy +msgid "Created" +msgstr "Erstellt: %d." + +#, fuzzy +msgid "Updated" +msgstr "Aktualisiert: %d." + +msgid "Password" +msgstr "" + +msgid "Password OK" +msgstr "" + +msgid "" +"Note: Only one master key is going to be used for encryption (the one marked " +"as \"active\"). Any of the keys might be used for decryption, depending on " +"how the notes or notebooks were originally encrypted." +msgstr "" + msgid "Add or remove tags" msgstr "Markierungen hinzufügen oder entfernen" @@ -676,6 +728,13 @@ msgstr "" "Hier sind noch keine Notizen. Erstelle eine, indem du auf \"Neue Notiz\" " "drückst." +#, fuzzy +msgid "" +"There is currently no notebook. Create one by clicking on \"New notebook\"." +msgstr "" +"Momentan existieren noch keine Notizen. Erstelle eine, indem du auf den (+) " +"Knopf drückst." + #, javascript-format msgid "Unsupported link or message: %s" msgstr "Nicht unterstützter Link oder Nachricht: %s" @@ -702,9 +761,6 @@ msgstr "Importieren" msgid "Synchronisation Status" msgstr "Synchronisationsziel" -msgid "Delete notebook?" -msgstr "Notizbuch löschen?" - msgid "Remove this tag from all the notes?" msgstr "Diese Markierung von allen Notizen löschen?" @@ -726,6 +782,12 @@ msgstr "Markierungen" msgid "Searches" msgstr "Suchen" +#, fuzzy +msgid "Please select where the sync status should be exported to" +msgstr "" +"Wähle bitte zuerst eine Notiz oder ein Notizbuch aus, das gelöscht werden " +"soll." + #, fuzzy, javascript-format msgid "Usage: %s" msgstr "Benutzung: %s" @@ -842,16 +904,6 @@ msgstr "Kann Notiz nicht zu Notizbuch \"%s\" kopieren" msgid "Cannot move note to \"%s\" notebook" msgstr "Kann Notiz nicht zu Notizbuch \"%s\" verschieben" -msgid "File system synchronisation target directory" -msgstr "Dateisystem-Synchronisation Zielpfad" - -msgid "" -"The path to synchronise with when file system synchronisation is enabled. " -"See `sync.target`." -msgstr "" -"Der Pfad, mit dem synchronisiert wird, wenn Dateisystem-Synchronisation " -"aktiviert ist. Siehe `sync.target`." - msgid "Text editor" msgstr "Textbearbeitungsprogramm" @@ -922,6 +974,16 @@ msgstr "" "Dateisystem synchronisiert werden soll, setz den Wert zu `sync.2.path`, um " "den Zielpfad zu spezifizieren." +msgid "Directory to synchronise with (absolute path)" +msgstr "" + +msgid "" +"The path to synchronise with when file system synchronisation is enabled. " +"See `sync.target`." +msgstr "" +"Der Pfad, mit dem synchronisiert wird, wenn Dateisystem-Synchronisation " +"aktiviert ist. Siehe `sync.target`." + #, javascript-format msgid "Invalid option value: \"%s\". Possible values are: %s." msgstr "Ungültiger Optionswert: \"%s\". Mögliche Werte sind: %s." @@ -1065,5 +1127,18 @@ msgstr "" msgid "Welcome" msgstr "Wilkommen" +#, fuzzy +#~ msgid "Some items cannot be decrypted." +#~ msgstr "Kann Synchronisierer nicht initialisieren." + +#~ msgid "Delete notebook?" +#~ msgstr "Notizbuch löschen?" + +#~ msgid "Delete notebook \"%s\"?" +#~ msgstr "Notizbuch \"%s\" löschen?" + +#~ msgid "File system synchronisation target directory" +#~ msgstr "Dateisystem-Synchronisation Zielpfad" + #~ msgid "Set or clear alarm:" #~ msgstr "Erstelle oder entferne Alarm:" diff --git a/CliClient/locales/en_GB.po b/CliClient/locales/en_GB.po index f8eb912d4..a0050ad1d 100644 --- a/CliClient/locales/en_GB.po +++ b/CliClient/locales/en_GB.po @@ -208,7 +208,9 @@ msgstr "" msgid "Shortcuts are not available in CLI mode." msgstr "" -msgid "Type `help [command]` for more information about a command." +msgid "" +"Type `help [command]` for more information about a command; or type `help " +"all` for the complete usage information." msgstr "" msgid "The possible commands are:" @@ -343,8 +345,7 @@ msgstr "" msgid "Deletes the notebook without asking for confirmation." msgstr "" -#, javascript-format -msgid "Delete notebook \"%s\"?" +msgid "Delete notebook? All notes within this notebook will also be deleted." msgstr "" msgid "Deletes the notes matching ." @@ -363,7 +364,12 @@ msgstr "" msgid "Searches for the given in all the notes." msgstr "" -msgid "Sets the property of the given to the given [value]." +#, javascript-format +msgid "" +"Sets the property of the given to the given [value]. Possible " +"properties are:\n" +"\n" +"%s" msgstr "" msgid "Displays summary about the notes and notebooks." @@ -473,6 +479,15 @@ msgstr "" msgid "Search:" msgstr "" +msgid "" +"Welcome to Joplin!\n" +"\n" +"Type `:help shortcuts` for the list of keyboard shortcuts, or just `:help` " +"for usage information.\n" +"\n" +"For example, to create a notebook press `mb`; to create a note press `mn`." +msgstr "" + msgid "File" msgstr "" @@ -537,6 +552,13 @@ msgstr "" msgid "Cancel" msgstr "" +#, javascript-format +msgid "Notes and settings are stored in: %s" +msgstr "" + +msgid "Save" +msgstr "" + msgid "Back" msgstr "" @@ -581,6 +603,33 @@ msgstr "" msgid "View them now" msgstr "" +msgid "Active" +msgstr "" + +msgid "ID" +msgstr "" + +msgid "Source" +msgstr "" + +msgid "Created" +msgstr "" + +msgid "Updated" +msgstr "" + +msgid "Password" +msgstr "" + +msgid "Password OK" +msgstr "" + +msgid "" +"Note: Only one master key is going to be used for encryption (the one marked " +"as \"active\"). Any of the keys might be used for decryption, depending on " +"how the notes or notebooks were originally encrypted." +msgstr "" + msgid "Add or remove tags" msgstr "" @@ -596,6 +645,10 @@ msgstr "" msgid "No notes in here. Create one by clicking on \"New note\"." msgstr "" +msgid "" +"There is currently no notebook. Create one by clicking on \"New notebook\"." +msgstr "" + #, javascript-format msgid "Unsupported link or message: %s" msgstr "" @@ -621,9 +674,6 @@ msgstr "" msgid "Synchronisation Status" msgstr "" -msgid "Delete notebook?" -msgstr "" - msgid "Remove this tag from all the notes?" msgstr "" @@ -645,6 +695,9 @@ msgstr "" msgid "Searches" msgstr "" +msgid "Please select where the sync status should be exported to" +msgstr "" + #, javascript-format msgid "Usage: %s" msgstr "" @@ -752,14 +805,6 @@ msgstr "" msgid "Cannot move note to \"%s\" notebook" msgstr "" -msgid "File system synchronisation target directory" -msgstr "" - -msgid "" -"The path to synchronise with when file system synchronisation is enabled. " -"See `sync.target`." -msgstr "" - msgid "Text editor" msgstr "" @@ -824,6 +869,14 @@ msgid "" "`sync.2.path` to specify the target directory." msgstr "" +msgid "Directory to synchronise with (absolute path)" +msgstr "" + +msgid "" +"The path to synchronise with when file system synchronisation is enabled. " +"See `sync.target`." +msgstr "" + #, javascript-format msgid "Invalid option value: \"%s\". Possible values are: %s." msgstr "" diff --git a/CliClient/locales/es_CR.po b/CliClient/locales/es_CR.po index ac7502763..75ddeca55 100644 --- a/CliClient/locales/es_CR.po +++ b/CliClient/locales/es_CR.po @@ -9,7 +9,7 @@ msgstr "" "Report-Msgid-Bugs-To: \n" "Last-Translator: \n" "Language-Team: \n" -"Language: es_CR\n" +"Language: es_419\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" @@ -17,19 +17,19 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" msgid "Give focus to next pane" -msgstr "Enfocar panel siguiente" +msgstr "Dar enfoque al siguiente panel" msgid "Give focus to previous pane" -msgstr "Enfocar panel anterior" +msgstr "Dar enfoque al panel anterior" msgid "Enter command line mode" -msgstr "Entrar en modo de línea de comandos" +msgstr "Entrar modo linea de comandos" msgid "Exit command line mode" -msgstr "Salir del modo de línea de comandos" +msgstr "Salir modo linea de comandos" msgid "Edit the selected note" -msgstr "Editar la nota siguiente" +msgstr "Editar la nota seleccionada" msgid "Cancel the current command." msgstr "Cancelar el comando actual." @@ -38,124 +38,123 @@ msgid "Exit the application." msgstr "Salir de la aplicación." msgid "Delete the currently selected note or notebook." -msgstr "Eliminar la nota o el cuaderno activo." +msgstr "Eliminar la nota o libreta seleccionada." msgid "To delete a tag, untag the associated notes." -msgstr "Para eliminar una etiqueta, desetiquete las notas asociadas." +msgstr "Para eliminar una etiqueta, desmarca las notas asociadas." msgid "Please select the note or notebook to be deleted first." -msgstr "Por favor seleccione la nota o el cuaderno a eliminar primero." +msgstr "Por favor selecciona la nota o libreta a elliminar." +#, fuzzy msgid "Set a to-do as completed / not completed" -msgstr "Cambiar un quehacer a completado / no completado" +msgstr "Marca una tarea como completado / no completado" msgid "[t]oggle [c]onsole between maximized/minimized/hidden/visible." -msgstr "Al[t]ernar [c]onsla entre maximizado/minimizado/oculto/visible." +msgstr "[c]ambia la [c]onsola entre maximizado/minimizado/oculto/visible." msgid "Search" msgstr "Buscar" msgid "[t]oggle note [m]etadata." -msgstr "Al[t]ernar [m]etadatos de la nota." +msgstr "[c]ambia los [m]etadatos de una nota." -#, fuzzy msgid "[M]ake a new [n]ote" -msgstr "Crear [M] una nueva [n]ota" +msgstr "[H]acer una [n]ota nueva" -#, fuzzy msgid "[M]ake a new [t]odo" -msgstr "Crear [M] un nuevo quehacer [T]" +msgstr "[H]acer una nueva [t]area" -#, fuzzy msgid "[M]ake a new note[b]ook" -msgstr "Crear[M] un nuevo cuaderno [B]" +msgstr "[H]acer una nueva [l]ibreta" msgid "Copy ([Y]ank) the [n]ote to a notebook." -msgstr "" +msgstr "Copiar ([Y]ank) la [n]ota a una libreta." msgid "Move the note to a notebook." -msgstr "Mover nota a un cuaderno." +msgstr "Mover la nota a una libreta." msgid "Press Ctrl+D or type \"exit\" to exit the application" -msgstr "Presione Ctrl+D o escriba \"exit\" para salir de la aplicación" +msgstr "Presiona Ctrl+D o escribe \"salir\" para salir de la aplicación" #, javascript-format msgid "More than one item match \"%s\". Please narrow down your query." -msgstr "" -"Más de un elemento coinciden con \"%s\". Por favor haga una búsqueda más " -"específica." +msgstr "Más de un artículo coincide con \"%s\". Por favor acortar tu consulta." msgid "No notebook selected." -msgstr "No hay ningún cuaderno seleccionado." +msgstr "Ninguna libreta seleccionada" msgid "No notebook has been specified." -msgstr "Ningún cuaderno ha sido especificado." +msgstr "Ninguna libre fue especificada" msgid "Y" -msgstr "" +msgstr "Y" msgid "n" -msgstr "" +msgstr "n" msgid "N" -msgstr "" +msgstr "N" msgid "y" -msgstr "" +msgstr "y" msgid "Cancelling background synchronisation... Please wait." -msgstr "Cancelando sincronización en segundo plano... Por favor espere." +msgstr "Cancelando sincronización de segundo plano... Por favor espere." #, fuzzy, javascript-format msgid "No such command: %s" msgstr "Comando inválido: \"%s\"" -#, javascript-format +#, fuzzy, javascript-format msgid "The command \"%s\" is only available in GUI mode" -msgstr "El comando \"%s\" solo está disponible en el modo gráfico (GUI)" +msgstr "El comando \"%s\" unicamente disponible en modo GUI" #, javascript-format msgid "Missing required argument: %s" -msgstr "Falta argumento necesario: %s" +msgstr "Falta un argumento requerido: %s" -#, fuzzy, javascript-format +#, javascript-format msgid "%s: %s" msgstr "%s: %s" msgid "Your choice: " -msgstr "Su elección: " +msgstr "Tu elección: " #, javascript-format msgid "Invalid answer: %s" msgstr "Respuesta inválida: %s" msgid "Attaches the given file to the note." -msgstr "Adjunta el archivo a la nota." +msgstr "Adjuntar archivo a la nota." #, javascript-format msgid "Cannot find \"%s\"." -msgstr "No se puede encontrar \"%s\"." +msgstr "No se encuentra \"%s\"." msgid "Displays the given note." -msgstr "Muestra la nota." +msgstr "Mostrar la nota dada." msgid "Displays the complete information about note." -msgstr "Muestra la información completa acerca de la nota." +msgstr "Mostrar la información completa acerca de la nota." msgid "" "Gets or sets a config value. If [value] is not provided, it will show the " "value of [name]. If neither [name] nor [value] is provided, it will list the " "current configuration." msgstr "" +"Obtener o configurar un valor. Si no se provee el [valor], se mostrará el " +"valor de [nombre]. Si no se provee [nombre] ni [valor], se listara la " +"configuración actual." msgid "Also displays unset and hidden config variables." -msgstr "También muestra variables configuradas no establecidas y ocultas." +msgstr "También muestra variables ocultas o no configuradas." -#, fuzzy, javascript-format +#, javascript-format msgid "%s = %s (%s)" msgstr "%s = %s (%s)" -#, fuzzy, javascript-format +#, javascript-format msgid "%s = %s" msgstr "%s = %s" @@ -163,121 +162,126 @@ msgid "" "Duplicates the notes matching to [notebook]. If no notebook is " "specified the note is duplicated in the current notebook." msgstr "" -"Duplica las notas coincidentes con a [noteboom]. Si ningún cuaderno " -"es especificado la nota es duplicada en el uaderno actual." +"Duplica las notas que coincidan con en la libreta. Si no se " +"especifica una libreta la nota se duplica en la libreta actual." msgid "Marks a to-do as done." -msgstr "Marca el quehacer como hecho." +msgstr "Marca una tarea como hecha." #, javascript-format msgid "Note is not a to-do: \"%s\"" -msgstr "La nota no es un quehacer: \"%s\"" +msgstr "Una nota no es una tarea: \"%s\"" msgid "Edit note." -msgstr "Editar nota." +msgstr "Editar una nota." msgid "" "No text editor is defined. Please set it using `config editor `" msgstr "" -"No hay texto definido. Por favor establézcalo con `config editor `" +"No hay editor de texto definido. Por favor configure uno usando `config " +"editor `" msgid "No active notebook." -msgstr "No hay cuaderno activo." +msgstr "No hay libreta activa." #, javascript-format msgid "Note does not exist: \"%s\". Create it?" -msgstr "La nota no existe: \"%s\". ¿Crearlo?" +msgstr "La nota no existe: \"%s\". Crearla?" msgid "Starting to edit note. Close the editor to get back to the prompt." -msgstr "" +msgstr "Iniciando a editar una nota. Cierra el editor para regresar al prompt." msgid "Note has been saved." -msgstr "La nota ha sido guardada." +msgstr "La nota a sido guardada." msgid "Exits the application." -msgstr "Cierra la aplicación." +msgstr "Sale de la aplicación." msgid "" "Exports Joplin data to the given directory. By default, it will export the " "complete database including notebooks, notes, tags and resources." msgstr "" -"Exporta la información de Joplin al directorio. Por defecto, exportará la " -"base de datos completa incluyendo cuadernos, notas, etiquetas y recursos." +"Exportar datos de Joplin al directorio indicado. Por defecto, se exportará " +"la base de datos completa incluyendo libretas, notas, etiquetas y recursos." msgid "Exports only the given note." -msgstr "Exporta solo la nota especificado." +msgstr "Exportar unicamente la nota indicada." msgid "Exports only the given notebook." -msgstr "Exporta solo el cuaderno especificado." +msgstr "Exportar unicamente la libreta indicada." msgid "Displays a geolocation URL for the note." -msgstr "Muestra la URL de geolocalización de la nota." +msgstr "Mostrar geolocalización de la URL para la nota." msgid "Displays usage information." msgstr "Muestra información de uso." msgid "Shortcuts are not available in CLI mode." -msgstr "Los atajos no están disponibles en mod de línea de comandos (CLI)." +msgstr "Atajos no disponibles en modo CLI." -msgid "Type `help [command]` for more information about a command." -msgstr "Escriba `help [comando]` para más información acerca del comando." +#, fuzzy +msgid "" +"Type `help [command]` for more information about a command; or type `help " +"all` for the complete usage information." +msgstr "Escribe `help [command]` para más información acerca del comando." msgid "The possible commands are:" -msgstr "Los comandos posibles son:" +msgstr "Los posibles comandos son:" msgid "" "In any command, a note or notebook can be refered to by title or ID, or " "using the shortcuts `$n` or `$b` for, respectively, the currently selected " "note or notebook. `$c` can be used to refer to the currently selected item." msgstr "" -"En cualquier comando, una nota o cuaderno puede ser referido por su título o " -"ID, o usando los atajos `$n` o `$b` para la nota o cuaderno seleccionado, " -"respectivamente. `$c` puede ser utilizado para referirse al elemento " +"Con cualquier comando, una nota o libreta puede ser referida por titulo o " +"ID, o utilizando atajos `$n` o `$b`, respectivamente, para la nota o libreta " +"seleccionada se puede usar `$c` para hacer referencia al artículo " "seleccionado." msgid "To move from one pane to another, press Tab or Shift+Tab." -msgstr "Para moverse de un panel a otro, presione Tab o Shift+Tab." +msgstr "Para mover desde un panel a otro, presiona Tab o Shift+Tab." msgid "" "Use the arrows and page up/down to scroll the lists and text areas " "(including this console)." msgstr "" -"Use las flechas y RePág/AvPág para deslizar las listas y áreas de texto " -"(incluyendo esta consola)." +"Para desplazar en las listas y areas de texto ( incluyendo la consola ) " +"utilice las flechas y re pág/av pág." msgid "To maximise/minimise the console, press \"TC\"." -msgstr "Para minimizar/mazimizar la consola, presione \"TC\"." +msgstr "Para maximizar/minimizar la consola, presiona \"TC\"." msgid "To enter command line mode, press \":\"" -msgstr "Para entrar en modo de línea de comandos (CLI), presione \":\"" +msgstr "Para entrar a modo linea de comando, presiona \":\"" msgid "To exit command line mode, press ESCAPE" -msgstr "Para salir del modo de línea de comandos (CLI), presione Esc" +msgstr "Para salir de modo linea de comando, presiona ESCAPE" msgid "" "For the complete list of available keyboard shortcuts, type `help shortcuts`" msgstr "" -"Para la lista completa de atajos de teclado disponibles, escriba `help " +"Para una lista completa de los atajos de teclado disponibles, escribe `help " "shortcuts`" msgid "Imports an Evernote notebook file (.enex file)." -msgstr "Importa un archivo de cuaderno de Evernote (.enex)." +msgstr "Importar una libreta de Evernote (archivo .enex)." msgid "Do not ask for confirmation." msgstr "No preguntar por confirmación." #, javascript-format msgid "File \"%s\" will be imported into existing notebook \"%s\". Continue?" -msgstr "El archivo \"%s\" será importado al cuaderno \"%s\". ¿Continuar?" +msgstr "" +"El archivo \"%s\" será importado dentro de la libreta existente \"%s\". " +"Continuar?" #, javascript-format msgid "" "New notebook \"%s\" will be created and file \"%s\" will be imported into " "it. Continue?" msgstr "" -"El nuevo cuaderno \"%s\" será cread y el archivo \"%s\" será importado en " -"él. ¿Continuar?" +"Nueva libreta \"%s\" será creada y el archivo \"%s\" será importado dentro " +"de ella. Continuar?" #, javascript-format msgid "Found: %d." @@ -293,7 +297,7 @@ msgstr "Actualizado: %d." #, javascript-format msgid "Skipped: %d." -msgstr "Saltado: %d." +msgstr "Omitido: %d." #, javascript-format msgid "Resources: %d." @@ -314,16 +318,16 @@ msgid "" "Displays the notes in the current notebook. Use `ls /` to display the list " "of notebooks." msgstr "" -"Muestra las notas en el cuaderno actual. Use `ls /` para mostrar la lista de " -"cuadernos." +"Muestra las notas en la libreta actual. Usa `ls /` para mostrar la lista de " +"libretas." msgid "Displays only the first top notes." msgstr "Muestra las primeras notas." -#, fuzzy msgid "Sorts the item by (eg. title, updated_time, created_time)." msgstr "" -"Ordena el elemento por (ej. title, updated_time, created_time)." +"Ordena los artículos por campo ( ej. título, fecha de actualización, fecha " +"de creación)." msgid "Reverses the sorting order." msgstr "Invierte el orden." @@ -333,115 +337,123 @@ msgid "" "for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the " "to-dos, while `-ttd` would display notes and to-dos." msgstr "" -"Muestra solo los elementos del tipo específico. Puede ser `n` para notas, " -"`t` para quehaceres, o `nt` para notas y quehaceres (ej. `-tt` mostraría " -"solo los quehaceres, mientras que `-ttd` mostraría las notas y los " -"quehaceres." +"Muestra unicamente los artículos de los tipos especificados. Pueden ser `n` " +"para notas, `t` para tareas, o `nt` para libretas y tareas (ej. `-tt` " +"mostrará unicamente las tareas, mientras `-ttd` mostrará notas y tareas)." -#, fuzzy msgid "Either \"text\" or \"json\"" -msgstr "Cualquiera entre \"texto\" o \"json\"" +msgstr "Puede ser \"text\" o \"json\"" msgid "" "Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, " "TODO_CHECKED (for to-dos), TITLE" msgstr "" -"Usar formato de lista largo. El formato es ID, NOTE_COUNT (para cuaderno), " -"DATE, TODO_CHECKED (para quehaceres), TITLE" +"Usar formato largo de lista. El formato es ID, NOTE_COUNT ( para libretas), " +"DATE,TODO_CHECKED ( para tareas), TITLE" msgid "Please select a notebook first." -msgstr "Por favor seleccione un cuaderno primero." +msgstr "Por favor selecciona la libreta." msgid "Creates a new notebook." -msgstr "Crea un nuevo cuaderno." +msgstr "Crea una nueva libreta." msgid "Creates a new note." msgstr "Crea una nueva nota." msgid "Notes can only be created within a notebook." -msgstr "Las notas solo pueden ser creadas dentro de un cuaderno." +msgstr "Notas solamente pueden ser creadas dentro de una libreta." msgid "Creates a new to-do." -msgstr "Crea un nuevo quehacer." +msgstr "Crea una nueva lista de tareas." -#, fuzzy msgid "Moves the notes matching to [notebook]." -msgstr "Mueve las notas coincidentes con a [cuaderno]." +msgstr "Mueve las notas que coincidan con para la [libreta]." msgid "Renames the given (note or notebook) to ." -msgstr "Renombra el (nota o cuaderno) a ." +msgstr "Renombre el artículo dado (nota o libreta) a ." msgid "Deletes the given notebook." -msgstr "Elimina el cuaderno." +msgstr "Elimina la libreta dada." msgid "Deletes the notebook without asking for confirmation." -msgstr "Elimina el cuaderno sin preguntar por confirmación." +msgstr "Elimina una libreta sin pedir confirmación." -#, javascript-format -msgid "Delete notebook \"%s\"?" -msgstr "¿Eliminar el cuaderno \"%s\"?" +msgid "Delete notebook? All notes within this notebook will also be deleted." +msgstr "" msgid "Deletes the notes matching ." -msgstr "Elimina las notas coincidentes con ." +msgstr "Elimina las notas que coinciden con ." msgid "Deletes the notes without asking for confirmation." -msgstr "Elimina las notas sin preguntar por confirmación." +msgstr "Elimina las notas sin pedir confirmación." #, javascript-format msgid "%d notes match this pattern. Delete them?" -msgstr "%d notas coinciden con este patrón. ¿Eliminarlas?" +msgstr "%d notas coinciden con el patron. Eliminarlas?" msgid "Delete note?" -msgstr "¿Elimnar la nota?" +msgstr "Eliminar nota?" msgid "Searches for the given in all the notes." -msgstr "Busca el en todas las notas." +msgstr "Buscar el patron en todas las notas." -msgid "Sets the property of the given to the given [value]." -msgstr "Establece la propiedad de la al [value]." +#, fuzzy, javascript-format +msgid "" +"Sets the property of the given to the given [value]. Possible " +"properties are:\n" +"\n" +"%s" +msgstr "Configura la propiedad en la nota dada al valor [value]." msgid "Displays summary about the notes and notebooks." -msgstr "Muestra un resumen acerca de las notas y los cuadernos." +msgstr "Muestra un resumen acerca de las notas y las libretas." msgid "Synchronises with remote storage." -msgstr "Sincroniza con el almacenamiento remoto." +msgstr "Sincronizar con almacenamiento remoto." -#, fuzzy msgid "Sync to provided target (defaults to sync.target config value)" -msgstr "Sincroniza con el objetivo dado" +msgstr "" +"Sincronizar con objetivo proveído ( por defecto al valor de configuración " +"sync.target)" msgid "Synchronisation is already in progress." -msgstr "La sincronización ya está en progreso." +msgstr "Sincronzación en progreso." -#, javascript-format +#, fuzzy, javascript-format msgid "" "Lock file is already being hold. If you know that no synchronisation is " "taking place, you may delete the lock file at \"%s\" and resume the " "operation." msgstr "" +"Archivo de bloqueo encontrado. Si tu sabes que no hay una sincronización en " +"curso, puedes eliminar el archivo de bloqueo en \"%s\" y reanudar la " +"operación." msgid "" "Authentication was not completed (did not receive an authentication token)." -msgstr "" +msgstr "Autenticación no completada (no se recibió token de autenticación)." #, javascript-format msgid "Synchronisation target: %s (%s)" msgstr "Objetivo de sincronización: %s (%s)" msgid "Cannot initialize synchroniser." -msgstr "No se puede iniciar la sincronización." +msgstr "No se puede inicializar sincronizador." msgid "Starting synchronisation..." -msgstr "Iniciando la sincronización..." +msgstr "Iniciando sincronización..." msgid "Cancelling... Please wait." -msgstr "Cancelando... por favor espere." +msgstr "Cancelando... Por favor espere." msgid "" " can be \"add\", \"remove\" or \"list\" to assign or remove " "[tag] from [note], or to list the notes associated with [tag]. The command " "`tag list` can be used to list all the tags." msgstr "" +" puede ser \"add\", \"remove\" o \"list\" para asignar o " +"eliminar [tag] de [note], o para listar las notas asociadas con [tag]. El " +"comando `tag list` puede ser usado para listar todas las etiquetas." #, javascript-format msgid "Invalid command: \"%s\"" @@ -453,27 +465,30 @@ msgid "" "target is a regular note it will be converted to a to-do). Use \"clear\" to " "convert the to-do back to a regular note." msgstr "" +" puede ser \"toggle\" o \"clear\". Usa \"toggle\" para cambiar " +"la tarea dada entre estado completado y sin completar. ( Si el objetivo es " +"una nota regular se convertirá en una tarea). Usa \"clear\" para convertir " +"la tarea a una nota regular. " msgid "Marks a to-do as non-completed." -msgstr "Marca los quehaceres como incompletos." +msgstr "Marcar una tarea como no completada." -#, fuzzy msgid "" "Switches to [notebook] - all further operations will happen within this " "notebook." msgstr "" -"Cambia al [cuaderno] - todas las operaciones próximas sucerderán dentro de " -"este cuaderno." +"Cambia una [libreta] - todas las demás operaciones se realizan en ésta " +"libreta." msgid "Displays version information" -msgstr "Muestra la información de la versión" +msgstr "Muestra información de la versión" -#, fuzzy, javascript-format +#, javascript-format msgid "%s %s (%s)" msgstr "%s %s (%s)" msgid "Enum" -msgstr "" +msgstr "Enumerar" #, javascript-format msgid "Type: %s." @@ -481,26 +496,28 @@ msgstr "Tipo: %s." #, javascript-format msgid "Possible values: %s." -msgstr "Valores posibles: %s." +msgstr "Posibles valores: %s." #, javascript-format msgid "Default: %s" -msgstr "" +msgstr "Por defecto: %s" -#, fuzzy msgid "Possible keys/values:" -msgstr "Valores posibles:" +msgstr "Teclas/valores posbiles:" msgid "Fatal error:" msgstr "Error fatal:" msgid "" "The application has been authorised - you may now close this browser tab." -msgstr "La aplicación ha sido autorizada. Ya puede cerrar esta pestaña." +msgstr "" +"La aplicación ha sido autorizada - ahora puedes cerrar esta pestaña de tu " +"navegador." msgid "The application has been successfully authorised." -msgstr "La aplicación fue autorizada exitosamente." +msgstr "La aplicacion ha sido autorizada exitosamente." +#, fuzzy msgid "" "Please open the following URL in your browser to authenticate the " "application. The application will create a directory in \"Apps/Joplin\" and " @@ -508,14 +525,23 @@ msgid "" "any files outside this directory nor to any other personal data. No data " "will be shared with any third party." msgstr "" -"Por favor abra el siguiente URL en su explorador para autenticar la " -"aplciación. La aplicación creará un directorio en \"Apps/Joplin\" y solo " -"leerá y escribirá los archivos en este directorio. No tendrá acceso a ningún " -"archivo fuera de este directorio ni a información personal. Ninguna " -"información será compartida con terceros." +"Por favor abre la siguiente URL en tu navegador para autenticar la " +"aplicacion. La aplicacion creara un directorio en \"Apps/Joplin\" y solo " +"leerá y escribirá archivos en este directorio. No tendra acceso a ningun " +"archivo fuera de este directorio ni a ningun otro archivo personal. Ninguna " +"informacion sera compartido con terceros." msgid "Search:" -msgstr "Buscar:" +msgstr "Bucar:" + +msgid "" +"Welcome to Joplin!\n" +"\n" +"Type `:help shortcuts` for the list of keyboard shortcuts, or just `:help` " +"for usage information.\n" +"\n" +"For example, to create a notebook press `mb`; to create a note press `mn`." +msgstr "" msgid "File" msgstr "Archivo" @@ -524,20 +550,19 @@ msgid "New note" msgstr "Nueva nota" msgid "New to-do" -msgstr "Nuevo quehacer" +msgstr "Nueva lista de tareas" msgid "New notebook" -msgstr "Nuevo cuaderno" +msgstr "Nueva libreta" msgid "Import Evernote notes" msgstr "Importar notas de Evernote" -#, fuzzy msgid "Evernote Export Files" -msgstr "Archivos exportados desde Evernote" +msgstr "Exportar archivos de Evernote" msgid "Quit" -msgstr "Abortar" +msgstr "Salir" msgid "Edit" msgstr "Editar" @@ -552,14 +577,14 @@ msgid "Paste" msgstr "Pegar" msgid "Search in all the notes" -msgstr "Buscar en todas la notas" +msgstr "Buscar en todas las notas" msgid "Tools" msgstr "Herramientas" #, fuzzy msgid "Synchronisation status" -msgstr "Objetivo de sincronización" +msgstr "Sincronización de objetivo" msgid "Options" msgstr "Opciones" @@ -568,98 +593,139 @@ msgid "Help" msgstr "Ayuda" msgid "Website and documentation" -msgstr "Sitio web y documentación" +msgstr "Sitio web y documentacion" msgid "About Joplin" msgstr "Acerca de Joplin" -#, fuzzy, javascript-format +#, javascript-format msgid "%s %s (%s, %s)" msgstr "%s %s (%s, %s)" msgid "OK" -msgstr "Aceptar" +msgstr "Ok" msgid "Cancel" msgstr "Cancelar" -msgid "Back" -msgstr "Atrás" - #, javascript-format +msgid "Notes and settings are stored in: %s" +msgstr "" + +msgid "Save" +msgstr "" + +#, fuzzy +msgid "Back" +msgstr "Retroceder" + +#, fuzzy, javascript-format msgid "" "New notebook \"%s\" will be created and file \"%s\" will be imported into it" msgstr "" -"El nuevo cuaderno \"%s\" será cread y el archivo \"%s\" será importado en él" +"Nueva libreta \"%s\" sera creada y archivo \"%s\" sera importado dentro de" msgid "Please create a notebook first." -msgstr "Por favor cree un cuaderno primero." +msgstr "Por favor crea una libreta primero." msgid "Note title:" -msgstr "Título de la nota:" +msgstr "Título de nota:" msgid "Please create a notebook first" -msgstr "Por favor cree un cuaderno primero" +msgstr "Por favor crea una libreta primero" msgid "To-do title:" -msgstr "Nombre del quehacer:" +msgstr "Títuto de lista de tareas:" msgid "Notebook title:" -msgstr "Título del cuaderno:" +msgstr "Título de libreta:" msgid "Add or remove tags:" -msgstr "Añadir o eliminar etiquetas:" +msgstr "Agregar o borrar etiquetas: " msgid "Separate each tag by a comma." -msgstr "Separar cada etiqueta con una coma." +msgstr "Separar cada etiqueta por una coma." msgid "Rename notebook:" -msgstr "Renombrar cuaderno:" +msgstr "Renombrar libreta:" -#, fuzzy msgid "Set alarm:" -msgstr "Establecer alarma" +msgstr "Ajustar alarma:" -#, fuzzy msgid "Layout" -msgstr "Plantilla" +msgstr "Diseño" #, fuzzy msgid "Some items cannot be synchronised." -msgstr "No se puede iniciar la sincronización." +msgstr "No se puede inicializar sincronizador." msgid "View them now" msgstr "" -msgid "Add or remove tags" -msgstr "Añadir o eliminar etiquetas" +msgid "Active" +msgstr "" +msgid "ID" +msgstr "" + +msgid "Source" +msgstr "" + +#, fuzzy +msgid "Created" +msgstr "Creado: %d." + +#, fuzzy +msgid "Updated" +msgstr "Actualizado: %d." + +msgid "Password" +msgstr "" + +msgid "Password OK" +msgstr "" + +msgid "" +"Note: Only one master key is going to be used for encryption (the one marked " +"as \"active\"). Any of the keys might be used for decryption, depending on " +"how the notes or notebooks were originally encrypted." +msgstr "" + +msgid "Add or remove tags" +msgstr "Agregar o borrar etiquetas" + +#, fuzzy msgid "Switch between note and to-do type" -msgstr "Cambie entre nota y quehacer" +msgstr "Cambiar entre nota y tipo de lista de tareas" msgid "Delete" msgstr "Eliminar" msgid "Delete notes?" -msgstr "¿Eliminar notas?" +msgstr "Eliminar notas?" msgid "No notes in here. Create one by clicking on \"New note\"." -msgstr "No hay notas aquí. Cree una presionando \"Nota nueva\"." +msgstr "No hay notas aqui. Crea una dando click en \"Nueva nota\"." + +#, fuzzy +msgid "" +"There is currently no notebook. Create one by clicking on \"New notebook\"." +msgstr "" +"Actualmente no hay notas. Crea una nueva nota dando client en el boton (+)." #, javascript-format msgid "Unsupported link or message: %s" -msgstr "Enlace o mensaje no soportado: %s" +msgstr "Enlace o mensaje sin soporte: %s" msgid "Attach file" msgstr "Adjuntar archivo" msgid "Set alarm" -msgstr "Establecer alarma" +msgstr "Ajustar alarma" msgid "Refresh" -msgstr "Actualizar" +msgstr "Refrescar" -#, fuzzy msgid "Clear" msgstr "Limpiar" @@ -671,16 +737,13 @@ msgstr "Importar" #, fuzzy msgid "Synchronisation Status" -msgstr "Objetivo de sincronización" - -msgid "Delete notebook?" -msgstr "¿Eliminar cuaderno?" +msgstr "Sincronización de objetivo" msgid "Remove this tag from all the notes?" -msgstr "¿Eliminar esta etiqueta de todas las notas?" +msgstr "Remover esta etiqueta de todas las notas?" msgid "Remove this search from the sidebar?" -msgstr "¿Eliminar esta búsqueda de la barra lateral?" +msgstr "Remover esta busqueda de la barra lateral?" msgid "Rename" msgstr "Renombrar" @@ -689,13 +752,17 @@ msgid "Synchronise" msgstr "Sincronizar" msgid "Notebooks" -msgstr "Cuadernos" +msgstr "Libretas" msgid "Tags" msgstr "Etiquetas" msgid "Searches" -msgstr "Búsquedas" +msgstr "Busquedas" + +#, fuzzy +msgid "Please select where the sync status should be exported to" +msgstr "Por favor selecciona la nota o libreta a elliminar." #, javascript-format msgid "Usage: %s" @@ -703,7 +770,7 @@ msgstr "Uso: %s" #, javascript-format msgid "Unknown flag: %s" -msgstr "" +msgstr "Etiqueta desconocida: %s" msgid "File system" msgstr "Sistema de archivos" @@ -711,22 +778,27 @@ msgstr "Sistema de archivos" msgid "OneDrive" msgstr "OneDrive" +#, fuzzy msgid "OneDrive Dev (For testing only)" -msgstr "Desarrollo de OneDrive (solo para pruebas)" +msgstr "OneDrive Dev(Solo para pruebas)" #, javascript-format msgid "Unknown log level: %s" -msgstr "" +msgstr "Nivel de log desconocido: %s" #, javascript-format msgid "Unknown level ID: %s" -msgstr "" +msgstr "Nivel de ID desconocido: %s" +#, fuzzy msgid "" "Cannot refresh token: authentication data is missing. Starting the " "synchronisation again may fix the problem." msgstr "" +"No se ha podido actualizar token: los datos de autenticacion estan perdidos. " +"Iniciar la sincronización nuevamente puede solucionar el problema." +#, fuzzy msgid "" "Could not synchronize with OneDrive.\n" "\n" @@ -735,41 +807,47 @@ msgid "" "\n" "Please consider using a regular OneDrive account." msgstr "" +"No se ha podido sincronizar con OneDrive.\n" +"\n" +"Este error muchas veces es causado cuando se esta utilizando OneDrive for " +"Business, el cual desafortunadamente no se encuentra soportado.\n" +"\n" +"Por favor considere utilizar una cuenta regular de OneDrive." #, fuzzy, javascript-format msgid "Cannot access %s" -msgstr "No se puede acceder a %s" +msgstr "No se ha podido acceder a %s" #, javascript-format msgid "Created local items: %d." -msgstr "Elementos locales creados: %d." +msgstr "Artículos locales creados: %d." #, javascript-format msgid "Updated local items: %d." -msgstr "Elementos locales actualizados: %d." +msgstr "Artículos locales actualizados: %d." #, javascript-format msgid "Created remote items: %d." -msgstr "Elementos remotos creados: %d." +msgstr "Artículos remotos creados: %d." #, javascript-format msgid "Updated remote items: %d." -msgstr "Elementos remotos actualizados: %d." +msgstr "Artículos remotos actualizados: %d." #, javascript-format msgid "Deleted local items: %d." -msgstr "Elementos locales eliminados: %d." +msgstr "Artículos locales borrados: %d." #, javascript-format msgid "Deleted remote items: %d." -msgstr "Elementos remotos eliminados: %d." +msgstr "Artículos remotos borrados: %d." #, javascript-format msgid "State: \"%s\"." msgstr "Estado: \"%s\"." msgid "Cancelling..." -msgstr "Cancelando..." +msgstr "Cancelando...." #, javascript-format msgid "Completed: %s" @@ -777,57 +855,47 @@ msgstr "Completado: %s" #, javascript-format msgid "Synchronisation is already in progress. State: %s" -msgstr "La sincronización ya está en progreso. Estado: %s" +msgstr "La sincronizacion ya esta en progreso. Estod: %s" msgid "Conflicts" msgstr "Conflictos" #, javascript-format msgid "A notebook with this title already exists: \"%s\"" -msgstr "Ya existe un cuaderno con este título: \"%s\"" +msgstr "Ya existe una libreta con este nombre: \"%s\"" #, fuzzy, javascript-format msgid "Notebooks cannot be named \"%s\", which is a reserved title." msgstr "" -"Los cuadernos no pueden ser nombrados \"%s\", los cuales son títulos " -"reservados." +"Las libretas no pueden ser nombradas \"%s\", el cual es un título reservado" msgid "Untitled" -msgstr "Sin título" +msgstr "Intitulado" msgid "This note does not have geolocation information." -msgstr "Esta nota no tiene datos de localización geográfica." +msgstr "Esta nota no tiene informacion de geolocalización." #, fuzzy, javascript-format msgid "Cannot copy note to \"%s\" notebook" -msgstr "No se puede copiar la nota al cuaderno \"%s\"" +msgstr "No se ha podido copiar la nota a la libreta \"%s\"" #, fuzzy, javascript-format msgid "Cannot move note to \"%s\" notebook" -msgstr "No se puede mover la nota al cuaderno \"%s\"" - -msgid "File system synchronisation target directory" -msgstr "Directorio objetivo del sistema de sincronización de archivos" - -msgid "" -"The path to synchronise with when file system synchronisation is enabled. " -"See `sync.target`." -msgstr "" -"La ruta para sincronizar cuando el sistema de sincronización de archivos de " -"es activado. Ver `sync.target`." +msgstr "No se ha podido mover la nota a la libreta \"%s\"" msgid "Text editor" msgstr "Editor de texto" +#, fuzzy msgid "" "The editor that will be used to open a note. If none is provided it will try " "to auto-detect the default editor." msgstr "" -"El editor que va a ser utilizado para abrir notas. Si no hay ninguno " -"seleccionado va a intentar detectar el editor por defecto." +"El editor sera cápaz de abrir una nota. Si ninguna es prevista, intentara " +"auto-detectar el editor por defecto." msgid "Language" -msgstr "Idioma" +msgstr "Lenguaje" msgid "Date format" msgstr "Formato de fecha" @@ -844,23 +912,24 @@ msgstr "Claro" msgid "Dark" msgstr "Oscuro" +#, fuzzy msgid "Show uncompleted todos on top of the lists" -msgstr "Mostrar quehaceres incompletos arriba de las listas" +msgstr "Mostrar lista de tareas incompletas al inio de las listas" msgid "Save geo-location with notes" -msgstr "Guardar localización geográfica con notas" +msgstr "Guardar notas con geo-licalización" msgid "Synchronisation interval" msgstr "Intervalo de sincronización" msgid "Disabled" -msgstr "Desactivado" +msgstr "Deshabilitado" #, javascript-format msgid "%d minutes" msgstr "%d minutos" -#, fuzzy, javascript-format +#, javascript-format msgid "%d hour" msgstr "%d hora" @@ -869,24 +938,35 @@ msgid "%d hours" msgstr "%d horas" msgid "Automatically update the application" -msgstr "Actualizar la aplicación automáticamente" +msgstr "Actualizacion automatica de la aplicación" msgid "Show advanced options" -msgstr "Mostrar opciones avanzadas" +msgstr "Mostrar opciones " msgid "Synchronisation target" -msgstr "Objetivo de sincronización" +msgstr "Sincronización de objetivo" +#, fuzzy msgid "" "The target to synchonise to. If synchronising with the file system, set " "`sync.2.path` to specify the target directory." msgstr "" -"El objetivo a sincronizar. Si está sincronizando con el sistema de archivos, " -"establezca `sync.2.path` para especificar el directorio objetivo." +"El objetivo para sincronizarse a. Si sincronizando con el sistema de " +"archivos, establecer `sync.2.path` especifique el directorio destino." + +msgid "Directory to synchronise with (absolute path)" +msgstr "" + +msgid "" +"The path to synchronise with when file system synchronisation is enabled. " +"See `sync.target`." +msgstr "" +"La ubicacion para sincronizar cuando el sistema de archivo tenga habilitada " +"la sincronización. Ver `sync.target`." #, javascript-format msgid "Invalid option value: \"%s\". Possible values are: %s." -msgstr "Valor inválido: \"%s\". Posibles valores: %s." +msgstr "Valor inválido de opción: \"%s\". Los válores inválidos son: %s." msgid "Items that cannot be synchronised" msgstr "" @@ -897,7 +977,7 @@ msgstr "" msgid "Sync status (synced items / total items)" msgstr "" -"Estado de sincronización (elementos sincronizados / total de elementos)" +"Estatus de sincronización (artículos sincronizados / total de artículos)" #, javascript-format msgid "%s: %d/%d" @@ -909,66 +989,70 @@ msgstr "Total: %d/%d" #, javascript-format msgid "Conflicted: %d" -msgstr "Conflicto: %d" +msgstr "Conflictivo: %d" #, javascript-format msgid "To delete: %d" -msgstr "A eliminar: %d" +msgstr "Borrar: %d" msgid "Folders" -msgstr "Carpetas" +msgstr "Directorios" #, javascript-format msgid "%s: %d notes" -msgstr "" +msgstr "%s: %d notas" +#, fuzzy msgid "Coming alarms" -msgstr "Alarmas pendientes" +msgstr "Próximas alarmas" #, javascript-format msgid "On %s: %s" -msgstr "" +msgstr "En %s: %s" +#, fuzzy msgid "There are currently no notes. Create one by clicking on the (+) button." -msgstr "Actualmente no hay notas. Cree una presionando el botón (+)." +msgstr "" +"Actualmente no hay notas. Crea una nueva nota dando client en el boton (+)." msgid "Delete these notes?" -msgstr "¿Eliminar estas notas?" +msgstr "Borrar estas notas?" msgid "Log" -msgstr "Historial" +msgstr "Log" msgid "Status" -msgstr "Estado" +msgstr "Estatus" +#, fuzzy msgid "Export Debug Report" -msgstr "Exportar reporte de fallos" +msgstr "Exportar reporte depuracion" msgid "Configuration" -msgstr "Configuración" +msgstr "Configuracion" msgid "Move to notebook..." -msgstr "Mover a cuaderno..." +msgstr "Mover a libreta...." -#, fuzzy, javascript-format +#, javascript-format msgid "Move %d notes to notebook \"%s\"?" -msgstr "¿Mover notas %d al cuaderno \"%s\"?" +msgstr "Mover %d notas a libreta \"%s\"?" msgid "Select date" msgstr "Seleccionar fecha" msgid "Confirm" -msgstr "Aceptar" +msgstr "Confirmar" msgid "Cancel synchronisation" -msgstr "Cancelar sincronización" +msgstr "Sincronizacion cancelada" #, javascript-format msgid "The notebook could not be saved: %s" -msgstr "El cuaderno no pudo ser guardado: %s" +msgstr "Esta libreta no pudo ser guardada: %s" msgid "Edit notebook" -msgstr "Editar cuaderno" +msgstr "Editar libreta" msgid "This note has been modified:" msgstr "Esta nota ha sido modificada:" @@ -987,42 +1071,56 @@ msgid "Attach photo" msgstr "Adjuntar foto" msgid "Attach any file" -msgstr "Adjuntar un archivo" +msgstr "Adjuntar cualquier archivo" msgid "Convert to note" msgstr "Convertir a nota" msgid "Convert to todo" -msgstr "Convertir a quehacer" +msgstr "Convertir a lista de tareas" msgid "Hide metadata" -msgstr "Ocultar metadatos" +msgstr "Ocultar metadata" msgid "Show metadata" -msgstr "Mostrar metadatos" +msgstr "Mostrar metadata" msgid "View on map" -msgstr "Ver en el mapa" +msgstr "Ver un mapa" msgid "Delete notebook" -msgstr "Eliminar un cuaderno" +msgstr "Borrar libreta" msgid "Login with OneDrive" -msgstr "Iniciar sesión con OneDrive" +msgstr "Loguear con OneDrive" +#, fuzzy msgid "" "Click on the (+) button to create a new note or notebook. Click on the side " "menu to access your existing notebooks." msgstr "" -"Presione el botón (+) para crear una nueva nota o un nuevo cuaderno. " -"Presione el menú lateral para acceder a uno de sus cuadernos." +"Click en el boton (+) para crear una nueva nota o libreta. Click en el lado " +"del menu para acceder a tus libretas existentes." +#, fuzzy msgid "You currently have no notebook. Create one by clicking on (+) button." -msgstr "Actualmente no tiene cuadernos. Cree uno presionando el botón (+)." +msgstr "" +"Tu actualmente no tienes una libreta. Crea una nueva libreta dando click en " +"el boton (+)." msgid "Welcome" msgstr "Bienvenido" #, fuzzy -#~ msgid "Set or clear alarm:" -#~ msgstr "Establecer o eliminar alarma:" +#~ msgid "Some items cannot be decrypted." +#~ msgstr "No se puede inicializar sincronizador." + +#~ msgid "Delete notebook?" +#~ msgstr "Eliminar libreta?" + +#~ msgid "Delete notebook \"%s\"?" +#~ msgstr "Elimina una libreta \"%s\"?" + +#, fuzzy +#~ msgid "File system synchronisation target directory" +#~ msgstr "Sincronización de sistema de archivos en directorio objetivo" diff --git a/CliClient/locales/es_419.po b/CliClient/locales/es_ES.po similarity index 72% rename from CliClient/locales/es_419.po rename to CliClient/locales/es_ES.po index 14d7f0a59..f6d61cf83 100644 --- a/CliClient/locales/es_419.po +++ b/CliClient/locales/es_ES.po @@ -1,34 +1,33 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR Laurent Cozic +# Joplin translation to Spanish (Spain) +# Copyright (C) 2017 Lucas Vieites # This file is distributed under the same license as the Joplin-CLI package. -# FIRST AUTHOR , YEAR. +# Lucas Vieites , 2017. # msgid "" msgstr "" "Project-Id-Version: Joplin-CLI 1.0.0\n" "Report-Msgid-Bugs-To: \n" -"Language-Team: \n" +"Last-Translator: Lucas Vieites\n" +"Language-Team: Spanish \n" +"Language: es_ES\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"POT-Creation-Date: \n" -"PO-Revision-Date: \n" -"X-Generator: Poedit 2.0.4\n" -"Last-Translator: \n" +"X-Generator: Poedit 1.8.11\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"Language: es_419\n" +"X-Poedit-SourceCharset: UTF-8\n" msgid "Give focus to next pane" -msgstr "Dar enfoque al siguiente panel" +msgstr "Enfocar el siguiente panel" msgid "Give focus to previous pane" -msgstr "Dar enfoque al panel anterior" +msgstr "Enfocar el panel anterior" msgid "Enter command line mode" -msgstr "Entrar modo linea de comandos" +msgstr "Entrar en modo línea de comandos" msgid "Exit command line mode" -msgstr "Salir modo linea de comandos" +msgstr "Salir del modo línea de comandos" msgid "Edit the selected note" msgstr "Editar la nota seleccionada" @@ -43,32 +42,31 @@ msgid "Delete the currently selected note or notebook." msgstr "Eliminar la nota o libreta seleccionada." msgid "To delete a tag, untag the associated notes." -msgstr "Para eliminar una etiqueta, desmarca las notas asociadas." +msgstr "Desmarque las notas asociadas para eliminar una etiqueta." msgid "Please select the note or notebook to be deleted first." -msgstr "Por favor selecciona la nota o libreta a elliminar." +msgstr "Seleccione primero la nota o libreta que desea eliminar." -#, fuzzy msgid "Set a to-do as completed / not completed" -msgstr "Marca una tarea como completado / no completado" +msgstr "Marca una tarea como completada/no completada" msgid "[t]oggle [c]onsole between maximized/minimized/hidden/visible." -msgstr "[c]ambia la [c]onsola entre maximizado/minimizado/oculto/visible." +msgstr "in[t]ercambia la [c]onsola entre maximizada/minimizada/oculta/visible." msgid "Search" msgstr "Buscar" msgid "[t]oggle note [m]etadata." -msgstr "[c]ambia los [m]etadatos de una nota." +msgstr "in[t]ercambia los [m]etadatos de una nota." msgid "[M]ake a new [n]ote" -msgstr "[H]acer una [n]ota nueva" +msgstr "[C]rear una [n]ota nueva" msgid "[M]ake a new [t]odo" -msgstr "[H]acer una nueva [t]area" +msgstr "[C]rear una [t]area nueva" msgid "[M]ake a new note[b]ook" -msgstr "[H]acer una nueva [l]ibreta" +msgstr "[C]rear una li[b]reta nueva" msgid "Copy ([Y]ank) the [n]ote to a notebook." msgstr "Copiar ([Y]ank) la [n]ota a una libreta." @@ -77,14 +75,15 @@ msgid "Move the note to a notebook." msgstr "Mover la nota a una libreta." msgid "Press Ctrl+D or type \"exit\" to exit the application" -msgstr "Presiona Ctrl+D o escribe \"salir\" para salir de la aplicación" +msgstr "Pulse Ctrl+D o escriba «salir» para salir de la aplicación" #, javascript-format msgid "More than one item match \"%s\". Please narrow down your query." -msgstr "Más de un artículo coincide con \"%s\". Por favor acortar tu consulta." +msgstr "" +"Hay más de un elemento que coincide con «%s», intente mejorar su consulta." msgid "No notebook selected." -msgstr "Ninguna libreta seleccionada" +msgstr "No se ha seleccionado ninguna libreta." msgid "No notebook has been specified." msgstr "Ninguna libre fue especificada" @@ -104,9 +103,13 @@ msgstr "y" msgid "Cancelling background synchronisation... Please wait." msgstr "Cancelando sincronización de segundo plano... Por favor espere." -#, fuzzy, javascript-format +#, javascript-format +msgid "No such command: %s" +msgstr "El comando no existe: %s" + +#, javascript-format msgid "The command \"%s\" is only available in GUI mode" -msgstr "El comando \"%s\" unicamente disponible en modo GUI" +msgstr "El comando «%s» solamente está disponible en modo GUI" #, javascript-format msgid "Missing required argument: %s" @@ -217,8 +220,13 @@ msgstr "Muestra información de uso." msgid "Shortcuts are not available in CLI mode." msgstr "Atajos no disponibles en modo CLI." -msgid "Type `help [command]` for more information about a command." -msgstr "Escribe `help [command]` para más información acerca del comando." +msgid "" +"Type `help [command]` for more information about a command; or type `help " +"all` for the complete usage information." +msgstr "" +"Escriba `help [command]` para obtener más información sobre el comando, o " +"escriba `help all` para obtener toda la información acerca del uso del " +"programa." msgid "The possible commands are:" msgstr "Los posibles comandos son:" @@ -373,9 +381,10 @@ msgstr "Elimina la libreta dada." msgid "Deletes the notebook without asking for confirmation." msgstr "Elimina una libreta sin pedir confirmación." -#, javascript-format -msgid "Delete notebook \"%s\"?" -msgstr "Elimina una libreta \"%s\"?" +msgid "Delete notebook? All notes within this notebook will also be deleted." +msgstr "" +"¿Desea eliminar la libreta? Todas las notas dentro de esta libreta también " +"serán eliminadas." msgid "Deletes the notes matching ." msgstr "Elimina las notas que coinciden con ." @@ -393,8 +402,17 @@ msgstr "Eliminar nota?" msgid "Searches for the given in all the notes." msgstr "Buscar el patron en todas las notas." -msgid "Sets the property of the given to the given [value]." -msgstr "Configura la propiedad en la nota dada al valor [value]." +#, javascript-format +msgid "" +"Sets the property of the given to the given [value]. Possible " +"properties are:\n" +"\n" +"%s" +msgstr "" +"Asigna el valor [value] a la propiedad de la nota indicada . " +"Propiedades disponibles:\n" +"\n" +"%s" msgid "Displays summary about the notes and notebooks." msgstr "Muestra un resumen acerca de las notas y las libretas." @@ -410,15 +428,15 @@ msgstr "" msgid "Synchronisation is already in progress." msgstr "Sincronzación en progreso." -#, fuzzy, javascript-format +#, javascript-format msgid "" "Lock file is already being hold. If you know that no synchronisation is " "taking place, you may delete the lock file at \"%s\" and resume the " "operation." msgstr "" -"Archivo de bloqueo encontrado. Si tu sabes que no hay una sincronización en " -"curso, puedes eliminar el archivo de bloqueo en \"%s\" y reanudar la " -"operación." +"Ya hay un archivo de bloqueo. Si está seguro de que no hay una " +"sincronización en curso puede eliminar el archivo de bloqueo «%s» y reanudar " +"la operación." msgid "" "Authentication was not completed (did not receive an authentication token)." @@ -508,7 +526,6 @@ msgstr "" msgid "The application has been successfully authorised." msgstr "La aplicacion ha sido autorizada exitosamente." -#, fuzzy msgid "" "Please open the following URL in your browser to authenticate the " "application. The application will create a directory in \"Apps/Joplin\" and " @@ -516,32 +533,48 @@ msgid "" "any files outside this directory nor to any other personal data. No data " "will be shared with any third party." msgstr "" -"Por favor abre la siguiente URL en tu navegador para autenticar la " -"aplicacion. La aplicacion creara un directorio en \"Apps/Joplin\" y solo " -"leerá y escribirá archivos en este directorio. No tendra acceso a ningun " -"archivo fuera de este directorio ni a ningun otro archivo personal. Ninguna " -"informacion sera compartido con terceros." +"Abra la siguiente URL en su navegador para autenticar la aplicación. La " +"aplicación creará un directorio en «Apps/Joplin» y solo leerá y escribirá " +"archivos en este directorio. No tendrá acceso a ningún archivo fuera de este " +"directorio ni a ningún otro archivo personal. No se compartirá información " +"con terceros." msgid "Search:" -msgstr "Bucar:" +msgstr "Buscar:" + +msgid "" +"Welcome to Joplin!\n" +"\n" +"Type `:help shortcuts` for the list of keyboard shortcuts, or just `:help` " +"for usage information.\n" +"\n" +"For example, to create a notebook press `mb`; to create a note press `mn`." +msgstr "" +"Bienvenido a Joplin.\n" +"\n" +"Escriba «:help shortcuts» para obtener una lista con los atajos de teclado, " +"o simplemente «:help» para información general.\n" +"\n" +"Por ejemplo, para crear una libreta escriba «mb», para crear una nota " +"escriba «mn»." msgid "File" msgstr "Archivo" msgid "New note" -msgstr "Nueva nota" +msgstr "Nota nueva" msgid "New to-do" -msgstr "Nueva lista de tareas" +msgstr "Lista de tareas nueva" msgid "New notebook" -msgstr "Nueva libreta" +msgstr "Libreta nueva" msgid "Import Evernote notes" msgstr "Importar notas de Evernote" msgid "Evernote Export Files" -msgstr "Exportar archivos de Evernote" +msgstr "Archivos exportados de Evernote" msgid "Quit" msgstr "Salir" @@ -564,6 +597,9 @@ msgstr "Buscar en todas las notas" msgid "Tools" msgstr "Herramientas" +msgid "Synchronisation status" +msgstr "Estado de la sincronización" + msgid "Options" msgstr "Opciones" @@ -571,7 +607,7 @@ msgid "Help" msgstr "Ayuda" msgid "Website and documentation" -msgstr "Sitio web y documentacion" +msgstr "Sitio web y documentación" msgid "About Joplin" msgstr "Acerca de Joplin" @@ -581,26 +617,31 @@ msgid "%s %s (%s, %s)" msgstr "%s %s (%s, %s)" msgid "OK" -msgstr "Ok" +msgstr "OK" msgid "Cancel" msgstr "Cancelar" -#, fuzzy -msgid "Back" -msgstr "Retroceder" +#, javascript-format +msgid "Notes and settings are stored in: %s" +msgstr "Las notas y los ajustes se guardan en: %s" -#, fuzzy, javascript-format +msgid "Save" +msgstr "Guardar" + +msgid "Back" +msgstr "Atrás" + +#, javascript-format msgid "" "New notebook \"%s\" will be created and file \"%s\" will be imported into it" -msgstr "" -"Nueva libreta \"%s\" sera creada y archivo \"%s\" sera importado dentro de" +msgstr "Se creará la nueva libreta «%s» y se importará en ella el archivo «%s»" msgid "Please create a notebook first." -msgstr "Por favor crea una libreta primero." +msgstr "Cree primero una libreta." msgid "Note title:" -msgstr "Título de nota:" +msgstr "Título de la nota:" msgid "Please create a notebook first" msgstr "Por favor crea una libreta primero" @@ -626,31 +667,67 @@ msgstr "Ajustar alarma:" msgid "Layout" msgstr "Diseño" -msgid "Add or remove tags" -msgstr "Agregar o borrar etiquetas" +msgid "Some items cannot be synchronised." +msgstr "No se han podido sincronizar algunos de los elementos." + +msgid "View them now" +msgstr "Verlos ahora" + +msgid "Active" +msgstr "" + +msgid "ID" +msgstr "ID" + +msgid "Source" +msgstr "Origen" + +msgid "Created" +msgstr "Creado" + +msgid "Updated" +msgstr "Actualizado" + +msgid "Password" +msgstr "" + +msgid "Password OK" +msgstr "" + +msgid "" +"Note: Only one master key is going to be used for encryption (the one marked " +"as \"active\"). Any of the keys might be used for decryption, depending on " +"how the notes or notebooks were originally encrypted." +msgstr "" + +msgid "Add or remove tags" +msgstr "Añadir o borrar etiquetas" -#, fuzzy msgid "Switch between note and to-do type" -msgstr "Cambiar entre nota y tipo de lista de tareas" +msgstr "Cambiar entre nota y lista de tareas" msgid "Delete" msgstr "Eliminar" msgid "Delete notes?" -msgstr "Eliminar notas?" +msgstr "¿Desea eliminar notas?" msgid "No notes in here. Create one by clicking on \"New note\"." -msgstr "No hay notas aqui. Crea una dando click en \"Nueva nota\"." +msgstr "No hay ninguna nota. Cree una pulsando «Nota nueva»." + +msgid "" +"There is currently no notebook. Create one by clicking on \"New notebook\"." +msgstr "No hay ninguna libreta. Cree una pulsando en «Libreta nueva»." #, javascript-format msgid "Unsupported link or message: %s" -msgstr "Enlace o mensaje sin soporte: %s" +msgstr "Enlace o mensaje no soportado: %s" msgid "Attach file" msgstr "Adjuntar archivo" msgid "Set alarm" -msgstr "Ajustar alarma" +msgstr "Fijar alarma" msgid "Refresh" msgstr "Refrescar" @@ -664,14 +741,14 @@ msgstr "Inicio de sesión de OneDrive" msgid "Import" msgstr "Importar" -msgid "Delete notebook?" -msgstr "Eliminar libreta?" +msgid "Synchronisation Status" +msgstr "Estado de la sincronización" msgid "Remove this tag from all the notes?" -msgstr "Remover esta etiqueta de todas las notas?" +msgstr "¿Desea eliminar esta etiqueta de todas las notas?" msgid "Remove this search from the sidebar?" -msgstr "Remover esta busqueda de la barra lateral?" +msgstr "¿Desea eliminar esta búsqueda de la barra lateral?" msgid "Rename" msgstr "Renombrar" @@ -686,7 +763,10 @@ msgid "Tags" msgstr "Etiquetas" msgid "Searches" -msgstr "Busquedas" +msgstr "Búsquedas" + +msgid "Please select where the sync status should be exported to" +msgstr "Seleccione a dónde se debería exportar el estado de sincronización" #, javascript-format msgid "Usage: %s" @@ -702,9 +782,8 @@ msgstr "Sistema de archivos" msgid "OneDrive" msgstr "OneDrive" -#, fuzzy msgid "OneDrive Dev (For testing only)" -msgstr "OneDrive Dev(Solo para pruebas)" +msgstr "OneDrive Dev (Solo para pruebas)" #, javascript-format msgid "Unknown log level: %s" @@ -712,17 +791,15 @@ msgstr "Nivel de log desconocido: %s" #, javascript-format msgid "Unknown level ID: %s" -msgstr "Nivel de ID desconocido: %s" +msgstr "ID de nivel desconocido: %s" -#, fuzzy msgid "" "Cannot refresh token: authentication data is missing. Starting the " "synchronisation again may fix the problem." msgstr "" -"No se ha podido actualizar token: los datos de autenticacion estan perdidos. " -"Iniciar la sincronización nuevamente puede solucionar el problema." +"No se ha podido actualizar token: faltan datos de autenticación. Reiniciar " +"la sincronización podría solucionar el problema." -#, fuzzy msgid "" "Could not synchronize with OneDrive.\n" "\n" @@ -733,45 +810,45 @@ msgid "" msgstr "" "No se ha podido sincronizar con OneDrive.\n" "\n" -"Este error muchas veces es causado cuando se esta utilizando OneDrive for " -"Business, el cual desafortunadamente no se encuentra soportado.\n" +"Este error suele ocurrir al utilizar OneDrive for Business. Este producto no " +"está soportado.\n" "\n" -"Por favor considere utilizar una cuenta regular de OneDrive." +"Podría considerar utilizar una cuenta Personal de OneDrive." -#, fuzzy, javascript-format +#, javascript-format msgid "Cannot access %s" msgstr "No se ha podido acceder a %s" #, javascript-format msgid "Created local items: %d." -msgstr "Artículos locales creados: %d." +msgstr "Elementos locales creados: %d." #, javascript-format msgid "Updated local items: %d." -msgstr "Artículos locales actualizados: %d." +msgstr "Elementos locales actualizados: %d." #, javascript-format msgid "Created remote items: %d." -msgstr "Artículos remotos creados: %d." +msgstr "Elementos remotos creados: %d." #, javascript-format msgid "Updated remote items: %d." -msgstr "Artículos remotos actualizados: %d." +msgstr "Elementos remotos actualizados: %d." #, javascript-format msgid "Deleted local items: %d." -msgstr "Artículos locales borrados: %d." +msgstr "Elementos locales borrados: %d." #, javascript-format msgid "Deleted remote items: %d." -msgstr "Artículos remotos borrados: %d." +msgstr "Elementos remotos borrados: %d." #, javascript-format msgid "State: \"%s\"." -msgstr "Estado: \"%s\"." +msgstr "Estado: «%s»." msgid "Cancelling..." -msgstr "Cancelando...." +msgstr "Cancelando..." #, javascript-format msgid "Completed: %s" @@ -779,58 +856,46 @@ msgstr "Completado: %s" #, javascript-format msgid "Synchronisation is already in progress. State: %s" -msgstr "La sincronizacion ya esta en progreso. Estod: %s" +msgstr "La sincronización ya está en progreso. Estado: %s" msgid "Conflicts" msgstr "Conflictos" #, javascript-format msgid "A notebook with this title already exists: \"%s\"" -msgstr "Ya existe una libreta con este nombre: \"%s\"" +msgstr "Ya existe una libreta con este nombre: «%s»" -#, fuzzy, javascript-format +#, javascript-format msgid "Notebooks cannot be named \"%s\", which is a reserved title." msgstr "" -"Las libretas no pueden ser nombradas \"%s\", el cual es un título reservado" +"No se puede usar el nombre «%s» para una libreta; es un título reservado." msgid "Untitled" -msgstr "Intitulado" +msgstr "Sin título" msgid "This note does not have geolocation information." msgstr "Esta nota no tiene informacion de geolocalización." -#, fuzzy, javascript-format +#, javascript-format msgid "Cannot copy note to \"%s\" notebook" -msgstr "No se ha podido copiar la nota a la libreta \"%s\"" +msgstr "No se ha podido copiar la nota a la libreta «%s»" -#, fuzzy, javascript-format +#, javascript-format msgid "Cannot move note to \"%s\" notebook" -msgstr "No se ha podido mover la nota a la libreta \"%s\"" - -#, fuzzy -msgid "File system synchronisation target directory" -msgstr "Sincronización de sistema de archivos en directorio objetivo" - -msgid "" -"The path to synchronise with when file system synchronisation is enabled. " -"See `sync.target`." -msgstr "" -"La ubicacion para sincronizar cuando el sistema de archivo tenga habilitada " -"la sincronización. Ver `sync.target`." +msgstr "No se ha podido mover la nota a la libreta «%s»" msgid "Text editor" msgstr "Editor de texto" -#, fuzzy msgid "" "The editor that will be used to open a note. If none is provided it will try " "to auto-detect the default editor." msgstr "" -"El editor sera cápaz de abrir una nota. Si ninguna es prevista, intentara " -"auto-detectar el editor por defecto." +"El editor que se usará para abrir una nota. Se intentará auto-detectar el " +"editor predeterminado si no se proporciona ninguno." msgid "Language" -msgstr "Lenguaje" +msgstr "Idioma" msgid "Date format" msgstr "Formato de fecha" @@ -847,12 +912,11 @@ msgstr "Claro" msgid "Dark" msgstr "Oscuro" -#, fuzzy msgid "Show uncompleted todos on top of the lists" -msgstr "Mostrar lista de tareas incompletas al inio de las listas" +msgstr "Mostrar tareas incompletas al inicio de las listas" msgid "Save geo-location with notes" -msgstr "Guardar notas con geo-licalización" +msgstr "Guardar geolocalización en las notas" msgid "Synchronisation interval" msgstr "Intervalo de sincronización" @@ -873,29 +937,44 @@ msgid "%d hours" msgstr "%d horas" msgid "Automatically update the application" -msgstr "Actualizacion automatica de la aplicación" +msgstr "Actualizar la aplicación automáticamente" msgid "Show advanced options" -msgstr "Mostrar opciones " +msgstr "Mostrar opciones avanzadas" msgid "Synchronisation target" -msgstr "Sincronización de objetivo" +msgstr "Destino de sincronización" -#, fuzzy msgid "" "The target to synchonise to. If synchronising with the file system, set " "`sync.2.path` to specify the target directory." msgstr "" -"El objetivo para sincronizarse a. Si sincronizando con el sistema de " -"archivos, establecer `sync.2.path` especifique el directorio destino." +"El destino de la sincronización. Si se sincroniza con el sistema de " +"archivos, indique el directorio destino en «sync.2.path»." + +msgid "Directory to synchronise with (absolute path)" +msgstr "Directorio con el que sincronizarse (ruta completa)" + +msgid "" +"The path to synchronise with when file system synchronisation is enabled. " +"See `sync.target`." +msgstr "" +"La ruta a la que sincronizar cuando se activa la sincronización con sistema " +"de archivos. Vea «sync.target»." #, javascript-format msgid "Invalid option value: \"%s\". Possible values are: %s." -msgstr "Valor inválido de opción: \"%s\". Los válores inválidos son: %s." +msgstr "Opción inválida: «%s». Los valores posibles son: %s." + +msgid "Items that cannot be synchronised" +msgstr "Elementos que no se pueden sincronizar" + +#, javascript-format +msgid "\"%s\": \"%s\"" +msgstr "«%s»: «%s»" msgid "Sync status (synced items / total items)" -msgstr "" -"Estatus de sincronización (artículos sincronizados / total de artículos)" +msgstr "Estado de sincronización (elementos sincronizados/elementos totales)" #, javascript-format msgid "%s: %d/%d" @@ -907,7 +986,7 @@ msgstr "Total: %d/%d" #, javascript-format msgid "Conflicted: %d" -msgstr "Conflictivo: %d" +msgstr "Conflictos: %d" #, javascript-format msgid "To delete: %d" @@ -920,54 +999,50 @@ msgstr "Directorios" msgid "%s: %d notes" msgstr "%s: %d notas" -#, fuzzy msgid "Coming alarms" -msgstr "Próximas alarmas" +msgstr "Alarmas inminentes" #, javascript-format msgid "On %s: %s" msgstr "En %s: %s" -#, fuzzy msgid "There are currently no notes. Create one by clicking on the (+) button." -msgstr "" -"Actualmente no hay notas. Crea una nueva nota dando client en el boton (+)." +msgstr "No hay notas. Cree una pulsando en el botón (+)." msgid "Delete these notes?" -msgstr "Borrar estas notas?" +msgstr "¿Desea borrar estas notas?" msgid "Log" msgstr "Log" msgid "Status" -msgstr "Estatus" +msgstr "Estado" -#, fuzzy msgid "Export Debug Report" -msgstr "Exportar reporte depuracion" +msgstr "Exportar informe de depuración" msgid "Configuration" -msgstr "Configuracion" +msgstr "Configuración" msgid "Move to notebook..." -msgstr "Mover a libreta...." +msgstr "Mover a la libreta..." #, javascript-format msgid "Move %d notes to notebook \"%s\"?" -msgstr "Mover %d notas a libreta \"%s\"?" +msgstr "¿Desea mover %d notas a libreta «%s»?" msgid "Select date" -msgstr "Seleccionar fecha" +msgstr "Seleccione fecha" msgid "Confirm" msgstr "Confirmar" msgid "Cancel synchronisation" -msgstr "Sincronizacion cancelada" +msgstr "Cancelar sincronización" #, javascript-format msgid "The notebook could not be saved: %s" -msgstr "Esta libreta no pudo ser guardada: %s" +msgstr "No se ha podido guardar esta libreta: %s" msgid "Edit notebook" msgstr "Editar libreta" @@ -998,33 +1073,44 @@ msgid "Convert to todo" msgstr "Convertir a lista de tareas" msgid "Hide metadata" -msgstr "Ocultar metadata" +msgstr "Ocultar metadatos" msgid "Show metadata" -msgstr "Mostrar metadata" +msgstr "Mostrar metadatos" msgid "View on map" -msgstr "Ver un mapa" +msgstr "Ver en un mapa" msgid "Delete notebook" msgstr "Borrar libreta" msgid "Login with OneDrive" -msgstr "Loguear con OneDrive" +msgstr "Acceder con OneDrive" -#, fuzzy msgid "" "Click on the (+) button to create a new note or notebook. Click on the side " "menu to access your existing notebooks." msgstr "" -"Click en el boton (+) para crear una nueva nota o libreta. Click en el lado " -"del menu para acceder a tus libretas existentes." +"Pulse en el botón (+) para crear una nueva nota o libreta. Pulse en el menú " +"lateral para acceder a las libretas existentes." -#, fuzzy msgid "You currently have no notebook. Create one by clicking on (+) button." msgstr "" -"Tu actualmente no tienes una libreta. Crea una nueva libreta dando click en " -"el boton (+)." +"No hay ninguna libreta. Cree una nueva libreta pulsando en el botón (+)." msgid "Welcome" msgstr "Bienvenido" + +#, fuzzy +#~ msgid "Some items cannot be decrypted." +#~ msgstr "No se han podido sincronizar algunos de los elementos." + +#~ msgid "Delete notebook?" +#~ msgstr "Eliminar libreta?" + +#~ msgid "Delete notebook \"%s\"?" +#~ msgstr "Elimina una libreta \"%s\"?" + +#, fuzzy +#~ msgid "File system synchronisation target directory" +#~ msgstr "Sincronización de sistema de archivos en directorio objetivo" diff --git a/CliClient/locales/fr_FR.po b/CliClient/locales/fr_FR.po index 23e541c1a..d53610fb7 100644 --- a/CliClient/locales/fr_FR.po +++ b/CliClient/locales/fr_FR.po @@ -221,7 +221,10 @@ msgstr "Affiche les informations d'utilisation." msgid "Shortcuts are not available in CLI mode." msgstr "Les raccourcis ne sont pas disponible en mode de ligne de commande." -msgid "Type `help [command]` for more information about a command." +#, fuzzy +msgid "" +"Type `help [command]` for more information about a command; or type `help " +"all` for the complete usage information." msgstr "Tapez `help [command]` pour plus d'information sur une commande." msgid "The possible commands are:" @@ -374,9 +377,8 @@ msgstr "Supprimer le carnet." msgid "Deletes the notebook without asking for confirmation." msgstr "Supprimer le carnet sans demander la confirmation." -#, javascript-format -msgid "Delete notebook \"%s\"?" -msgstr "Supprimer le carnet \"%s\" ?" +msgid "Delete notebook? All notes within this notebook will also be deleted." +msgstr "" msgid "Deletes the notes matching ." msgstr "Supprimer les notes correspondants à ." @@ -394,7 +396,12 @@ msgstr "Supprimer la note ?" msgid "Searches for the given in all the notes." msgstr "Chercher le motif dans toutes les notes." -msgid "Sets the property of the given to the given [value]." +#, fuzzy, javascript-format +msgid "" +"Sets the property of the given to the given [value]. Possible " +"properties are:\n" +"\n" +"%s" msgstr "Assigner la valeur [value] à la propriété de la donnée." msgid "Displays summary about the notes and notebooks." @@ -523,6 +530,15 @@ msgstr "" msgid "Search:" msgstr "Recherche :" +msgid "" +"Welcome to Joplin!\n" +"\n" +"Type `:help shortcuts` for the list of keyboard shortcuts, or just `:help` " +"for usage information.\n" +"\n" +"For example, to create a notebook press `mb`; to create a note press `mn`." +msgstr "" + msgid "File" msgstr "Fichier" @@ -588,6 +604,13 @@ msgstr "OK" msgid "Cancel" msgstr "Annulation" +#, javascript-format +msgid "Notes and settings are stored in: %s" +msgstr "" + +msgid "Save" +msgstr "" + msgid "Back" msgstr "Retour" @@ -636,6 +659,35 @@ msgstr "Impossible d'initialiser la synchronisation." msgid "View them now" msgstr "" +msgid "Active" +msgstr "" + +msgid "ID" +msgstr "" + +msgid "Source" +msgstr "" + +#, fuzzy +msgid "Created" +msgstr "Créés : %d." + +#, fuzzy +msgid "Updated" +msgstr "Mis à jour : %d." + +msgid "Password" +msgstr "" + +msgid "Password OK" +msgstr "" + +msgid "" +"Note: Only one master key is going to be used for encryption (the one marked " +"as \"active\"). Any of the keys might be used for decryption, depending on " +"how the notes or notebooks were originally encrypted." +msgstr "" + msgid "Add or remove tags" msgstr "Gérer les étiquettes" @@ -652,6 +704,13 @@ msgid "No notes in here. Create one by clicking on \"New note\"." msgstr "" "Pas de notes ici. Créez-en une en pressant le bouton \"Nouvelle note\"." +#, fuzzy +msgid "" +"There is currently no notebook. Create one by clicking on \"New notebook\"." +msgstr "" +"Il n'y a pour l'instant aucun carnet. Créez-en un en cliquant sur le bouton " +"(+)" + #, javascript-format msgid "Unsupported link or message: %s" msgstr "Lien ou message non géré : %s" @@ -679,9 +738,6 @@ msgstr "Importer" msgid "Synchronisation Status" msgstr "Cible de la synchronisation" -msgid "Delete notebook?" -msgstr "Supprimer le carnet ?" - msgid "Remove this tag from all the notes?" msgstr "Enlever cette étiquette de toutes les notes ?" @@ -703,6 +759,10 @@ msgstr "Étiquettes" msgid "Searches" msgstr "Recherches" +#, fuzzy +msgid "Please select where the sync status should be exported to" +msgstr "Veuillez d'abord sélectionner un carnet." + #, javascript-format msgid "Usage: %s" msgstr "Utilisation : %s" @@ -812,16 +872,6 @@ msgstr "Impossible de copier la note vers le carnet \"%s\"" msgid "Cannot move note to \"%s\" notebook" msgstr "Impossible de déplacer la note vers le carnet \"%s\"" -msgid "File system synchronisation target directory" -msgstr "Cible de la synchronisation sur le disque dur" - -msgid "" -"The path to synchronise with when file system synchronisation is enabled. " -"See `sync.target`." -msgstr "" -"Le chemin du répertoire avec lequel synchroniser lorsque la synchronisation " -"par système de fichier est activée. Voir `sync.target`." - msgid "Text editor" msgstr "Éditeur de texte" @@ -890,6 +940,16 @@ msgstr "" "La cible avec laquelle synchroniser. Pour synchroniser avec le système de " "fichier, veuillez spécifier le répertoire avec `sync.2.path`." +msgid "Directory to synchronise with (absolute path)" +msgstr "" + +msgid "" +"The path to synchronise with when file system synchronisation is enabled. " +"See `sync.target`." +msgstr "" +"Le chemin du répertoire avec lequel synchroniser lorsque la synchronisation " +"par système de fichier est activée. Voir `sync.target`." + #, javascript-format msgid "Invalid option value: \"%s\". Possible values are: %s." msgstr "Option invalide: \"%s\". Les valeurs possibles sont : %s." @@ -1032,6 +1092,19 @@ msgstr "" msgid "Welcome" msgstr "Bienvenue" +#, fuzzy +#~ msgid "Some items cannot be decrypted." +#~ msgstr "Impossible d'initialiser la synchronisation." + +#~ msgid "Delete notebook?" +#~ msgstr "Supprimer le carnet ?" + +#~ msgid "Delete notebook \"%s\"?" +#~ msgstr "Supprimer le carnet \"%s\" ?" + +#~ msgid "File system synchronisation target directory" +#~ msgstr "Cible de la synchronisation sur le disque dur" + #~ msgid "Set or clear alarm:" #~ msgstr "Définir ou modifier alarme :" @@ -1205,12 +1278,6 @@ msgstr "Bienvenue" #~ "Tous les ports sont en cours d'utilisation. Veuillez signaler ce problème " #~ "sur %s" -#~ msgid "" -#~ "There is currently no notebook. Create one by clicking on the (+) button." -#~ msgstr "" -#~ "Il n'y a pour l'instant aucun carnet. Créez-en un en cliquant sur le " -#~ "bouton (+)" - #~ msgid "Synchronizing with directory \"%s\"" #~ msgstr "Synchronisation avec dossier \"%s\"" diff --git a/CliClient/locales/hr_HR.po b/CliClient/locales/hr_HR.po new file mode 100644 index 000000000..5a4db3a6d --- /dev/null +++ b/CliClient/locales/hr_HR.po @@ -0,0 +1,1112 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR Laurent Cozic +# This file is distributed under the same license as the Joplin-CLI package. +# FIRST AUTHOR , YEAR. +# +msgid "" +msgstr "" +"Project-Id-Version: Joplin-CLI 1.0.0\n" +"Report-Msgid-Bugs-To: \n" +"Last-Translator: Hrvoje Mandić \n" +"Language-Team: \n" +"Language: hr\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 2.0.4\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" + +msgid "Give focus to next pane" +msgstr "Fokusiraj sljedeće okno" + +msgid "Give focus to previous pane" +msgstr "Fokusiraj prethodno okno" + +msgid "Enter command line mode" +msgstr "Otvori naredbeni redak" + +msgid "Exit command line mode" +msgstr "Napusti naredbeni redak" + +msgid "Edit the selected note" +msgstr "Uredi odabranu bilješku" + +msgid "Cancel the current command." +msgstr "Prekini trenutnu naredbu." + +msgid "Exit the application." +msgstr "Izađi iz aplikacije." + +msgid "Delete the currently selected note or notebook." +msgstr "Obriši odabranu bilješku ili bilježnicu." + +msgid "To delete a tag, untag the associated notes." +msgstr "Da bi mogao obrisati oznaku, skini oznaku s povezanih bilješki." + +msgid "Please select the note or notebook to be deleted first." +msgstr "Odaberi bilješku ili bilježnicu za brisanje." + +msgid "Set a to-do as completed / not completed" +msgstr "Postavi zadatak kao završen/nezavršen" + +#, fuzzy +msgid "[t]oggle [c]onsole between maximized/minimized/hidden/visible." +msgstr "[t]oggle [c]onsole between maximized/minimized/hidden/visible." + +msgid "Search" +msgstr "Traži" + +#, fuzzy +msgid "[t]oggle note [m]etadata." +msgstr "[t]oggle note [m]etadata." + +#, fuzzy +msgid "[M]ake a new [n]ote" +msgstr "[M]ake a new [n]ote" + +#, fuzzy +msgid "[M]ake a new [t]odo" +msgstr "[M]ake a new [t]odo" + +#, fuzzy +msgid "[M]ake a new note[b]ook" +msgstr "[M]ake a new note[b]ook" + +#, fuzzy +msgid "Copy ([Y]ank) the [n]ote to a notebook." +msgstr "Copy ([Y]ank) the [n]ote to a notebook." + +msgid "Move the note to a notebook." +msgstr "Premjesti bilješku u bilježnicu." + +msgid "Press Ctrl+D or type \"exit\" to exit the application" +msgstr "Pritisni Ctrl+D ili napiši \"exit\" za izlazak iz aplikacije" + +#, javascript-format +msgid "More than one item match \"%s\". Please narrow down your query." +msgstr "Više od jednog rezultata odgovara \"%s\". Promijeni upit." + +msgid "No notebook selected." +msgstr "Nije odabrana bilježnica." + +msgid "No notebook has been specified." +msgstr "Nije specificirana bilježnica." + +msgid "Y" +msgstr "Y" + +msgid "n" +msgstr "n" + +msgid "N" +msgstr "N" + +msgid "y" +msgstr "y" + +msgid "Cancelling background synchronisation... Please wait." +msgstr "Prekid sinkronizacije u pozadini... Pričekaj." + +#, javascript-format +msgid "No such command: %s" +msgstr "Ne postoji naredba: %s" + +#, javascript-format +msgid "The command \"%s\" is only available in GUI mode" +msgstr "Naredba \"%s\" postoji samo u inačici s grafičkim sučeljem" + +#, javascript-format +msgid "Missing required argument: %s" +msgstr "Nedostaje obavezni argument: %s" + +#, javascript-format +msgid "%s: %s" +msgstr "%s: %s" + +msgid "Your choice: " +msgstr "Tvoj izbor: " + +#, javascript-format +msgid "Invalid answer: %s" +msgstr "Nevažeći odgovor: %s" + +msgid "Attaches the given file to the note." +msgstr "Prilaže datu datoteku bilješci." + +#, javascript-format +msgid "Cannot find \"%s\"." +msgstr "Ne mogu naći \"%s\"." + +msgid "Displays the given note." +msgstr "Prikazuje datu bilješku." + +msgid "Displays the complete information about note." +msgstr "Prikazuje potpunu informaciju o bilješci." + +#, fuzzy +msgid "" +"Gets or sets a config value. If [value] is not provided, it will show the " +"value of [name]. If neither [name] nor [value] is provided, it will list the " +"current configuration." +msgstr "" +"Gets or sets a config value. If [value] is not provided, it will show the " +"value of [name]. If neither [name] nor [value] is provided, it will list the " +"current configuration." + +msgid "Also displays unset and hidden config variables." +msgstr "Također prikazuje nepostavljene i skrivene konfiguracijske varijable." + +#, javascript-format +msgid "%s = %s (%s)" +msgstr "%s = %s (%s)" + +#, javascript-format +msgid "%s = %s" +msgstr "%s = %s" + +#, fuzzy +msgid "" +"Duplicates the notes matching to [notebook]. If no notebook is " +"specified the note is duplicated in the current notebook." +msgstr "" +"Duplicates the notes matching to [notebook]. If no notebook is " +"specified the note is duplicated in the current notebook." + +msgid "Marks a to-do as done." +msgstr "Označava zadatak završenim." + +#, javascript-format +msgid "Note is not a to-do: \"%s\"" +msgstr "Bilješka nije zadatak: \"%s\"" + +msgid "Edit note." +msgstr "Uredi bilješku." + +#, fuzzy +msgid "" +"No text editor is defined. Please set it using `config editor `" +msgstr "" +"Nije definiran program za uređivanje teksta. Postavi ga koristeći `config " +"editor `" + +msgid "No active notebook." +msgstr "Nema aktivne bilježnice." + +#, javascript-format +msgid "Note does not exist: \"%s\". Create it?" +msgstr "Bilješka ne postoji: \"%s\". Napravi je?" + +#, fuzzy +msgid "Starting to edit note. Close the editor to get back to the prompt." +msgstr "" +"Počinjem uređivati bilješku. Za povratak u naredbeni redak, zatvori uređivač." + +msgid "Note has been saved." +msgstr "Bilješka je spremljena." + +msgid "Exits the application." +msgstr "Izlaz iz aplikacije." + +msgid "" +"Exports Joplin data to the given directory. By default, it will export the " +"complete database including notebooks, notes, tags and resources." +msgstr "" +"Izvozi podatke u dati direktorij. Po defaultu izvozi sve podatke uključujući " +"bilježnice, bilješke, zadatke i resurse." + +msgid "Exports only the given note." +msgstr "Izvozi samo datu bilješku." + +msgid "Exports only the given notebook." +msgstr "Izvozi samo datu bilježnicu." + +msgid "Displays a geolocation URL for the note." +msgstr "Prikazuje geolokacijski URL bilješke." + +msgid "Displays usage information." +msgstr "Prikazuje informacije o korištenju." + +msgid "Shortcuts are not available in CLI mode." +msgstr "Prečaci nisu podržani u naredbenom retku." + +msgid "" +"Type `help [command]` for more information about a command; or type `help " +"all` for the complete usage information." +msgstr "" +"Upiši `help [naredba]` za više informacija o naredbi ili `help all` za sve " +"informacije o korištenju." + +msgid "The possible commands are:" +msgstr "Moguće naredbe su:" + +#, fuzzy +msgid "" +"In any command, a note or notebook can be refered to by title or ID, or " +"using the shortcuts `$n` or `$b` for, respectively, the currently selected " +"note or notebook. `$c` can be used to refer to the currently selected item." +msgstr "" +"In any command, a note or notebook can be refered to by title or ID, or " +"using the shortcuts `$n` or `$b` for, respectively, the currently selected " +"note or notebook. `$c` can be used to refer to the currently selected item." + +msgid "To move from one pane to another, press Tab or Shift+Tab." +msgstr "Za prijelaz iz jednog okna u drugo, pritisni Tab ili Shift+Tab." + +#, fuzzy +msgid "" +"Use the arrows and page up/down to scroll the lists and text areas " +"(including this console)." +msgstr "" +"Use the arrows and page up/down to scroll the lists and text areas " +"(including this console)." + +msgid "To maximise/minimise the console, press \"TC\"." +msgstr "Za maksimiziranje/minimiziranje konzole, pritisni \"TC\"." + +msgid "To enter command line mode, press \":\"" +msgstr "Za ulaz u naredbeni redak, pritisni \":\"" + +msgid "To exit command line mode, press ESCAPE" +msgstr "Za izlaz iz naredbenog retka, pritisni Esc" + +msgid "" +"For the complete list of available keyboard shortcuts, type `help shortcuts`" +msgstr "Za potpunu listu mogućih prečaca, upiši `help shortcuts`" + +msgid "Imports an Evernote notebook file (.enex file)." +msgstr "Uvozi Evernote bilježnicu (.enex datoteku)." + +msgid "Do not ask for confirmation." +msgstr "Ne pitaj za potvrdu." + +#, javascript-format +msgid "File \"%s\" will be imported into existing notebook \"%s\". Continue?" +msgstr "" +"Datoteka \"%s\" će biti uvezena u postojeću bilježnicu \"%s\". Nastavi?" + +#, javascript-format +msgid "" +"New notebook \"%s\" will be created and file \"%s\" will be imported into " +"it. Continue?" +msgstr "" +"Nova bilježnica \"%s\" će biti stvorena i datoteka \"%s\" će biti uvezena u " +"nju. Nastavi?" + +#, javascript-format +msgid "Found: %d." +msgstr "Nađeno: %d." + +#, javascript-format +msgid "Created: %d." +msgstr "Stvoreno: %d." + +#, javascript-format +msgid "Updated: %d." +msgstr "Ažurirano: %d." + +#, javascript-format +msgid "Skipped: %d." +msgstr "Preskočeno: %d." + +#, javascript-format +msgid "Resources: %d." +msgstr "Resursi: %d." + +#, javascript-format +msgid "Tagged: %d." +msgstr "Označeno: %d." + +msgid "Importing notes..." +msgstr "Uvozim bilješke..." + +#, javascript-format +msgid "The notes have been imported: %s" +msgstr "Bilješke su uvezene: %s" + +msgid "" +"Displays the notes in the current notebook. Use `ls /` to display the list " +"of notebooks." +msgstr "" +"Prikazuje bilješke u trenutnoj bilježnici. Upiši `ls /` za prikaz liste " +"bilježnica." + +msgid "Displays only the first top notes." +msgstr "Prikaži samo prvih bilješki." + +#, fuzzy +msgid "Sorts the item by (eg. title, updated_time, created_time)." +msgstr "Sorts the item by (eg. title, updated_time, created_time)." + +msgid "Reverses the sorting order." +msgstr "Mijenja redoslijed." + +#, fuzzy +msgid "" +"Displays only the items of the specific type(s). Can be `n` for notes, `t` " +"for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the " +"to-dos, while `-ttd` would display notes and to-dos." +msgstr "" +"Displays only the items of the specific type(s). Can be `n` for notes, `t` " +"for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the " +"to-dos, while `-ttd` would display notes and to-dos." + +msgid "Either \"text\" or \"json\"" +msgstr "Ili \"text\" ili \"json\"" + +#, fuzzy +msgid "" +"Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, " +"TODO_CHECKED (for to-dos), TITLE" +msgstr "" +"Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, " +"TODO_CHECKED (for to-dos), TITLE" + +msgid "Please select a notebook first." +msgstr "Odaberi bilježnicu." + +msgid "Creates a new notebook." +msgstr "Stvara novu bilježnicu." + +msgid "Creates a new note." +msgstr "Stvara novu bilješku." + +msgid "Notes can only be created within a notebook." +msgstr "Bilješke je moguće stvoriti samo u sklopu bilježnice." + +msgid "Creates a new to-do." +msgstr "Stvara novi zadatak." + +msgid "Moves the notes matching to [notebook]." +msgstr "Premješta podudarajuće bilješke u [bilježnicu]." + +#, fuzzy +msgid "Renames the given (note or notebook) to ." +msgstr "Preimenuje datu bilješku ili bilježnicu u ." + +msgid "Deletes the given notebook." +msgstr "Briše datu bilježnicu." + +msgid "Deletes the notebook without asking for confirmation." +msgstr "Briše bilježnicu bez traženja potvrde." + +msgid "Delete notebook? All notes within this notebook will also be deleted." +msgstr "" +"Obrisati bilježnicu? Sve bilješke u toj bilježnici će također biti obrisane." + +#, fuzzy +msgid "Deletes the notes matching ." +msgstr "Briše bilješke koje se podudaraju s ." + +msgid "Deletes the notes without asking for confirmation." +msgstr "Briše bilješke bez traženja potvrde." + +#, javascript-format +msgid "%d notes match this pattern. Delete them?" +msgstr "%d bilješki se podudara s pojmom pretraživanja. Obriši ih?" + +msgid "Delete note?" +msgstr "Obrisati bilješku?" + +#, fuzzy +msgid "Searches for the given in all the notes." +msgstr "Pretražuje dati u svim bilješkama." + +#, fuzzy, javascript-format +msgid "" +"Sets the property of the given to the given [value]. Possible " +"properties are:\n" +"\n" +"%s" +msgstr "" +"Sets the property of the given to the given [value]. Possible " +"properties are:\n" +"\n" +"%s" + +msgid "Displays summary about the notes and notebooks." +msgstr "Prikazuje sažetak o bilješkama i bilježnicama." + +msgid "Synchronises with remote storage." +msgstr "Sinkronizira sa udaljenom pohranom podataka." + +msgid "Sync to provided target (defaults to sync.target config value)" +msgstr "Sinkroniziraj sa metom (default je polje sync.target u konfiguraciji)" + +msgid "Synchronisation is already in progress." +msgstr "Sinkronizacija je već u toku." + +#, javascript-format +msgid "" +"Lock file is already being hold. If you know that no synchronisation is " +"taking place, you may delete the lock file at \"%s\" and resume the " +"operation." +msgstr "" +"Ako sinkronizacija nije u toku, obriši lock datoteku u \"%s\" i nastavi..." + +#, fuzzy +msgid "" +"Authentication was not completed (did not receive an authentication token)." +msgstr "" +"Ovjera nije dovršena (nije dobivena potvrda ovjere - authentication token)." + +#, javascript-format +msgid "Synchronisation target: %s (%s)" +msgstr "Meta sinkronizacije: %s (%s)" + +msgid "Cannot initialize synchroniser." +msgstr "Ne mogu započeti sinkronizaciju." + +msgid "Starting synchronisation..." +msgstr "Započinjem sinkronizaciju..." + +msgid "Cancelling... Please wait." +msgstr "Prekidam... Pričekaj." + +#, fuzzy +msgid "" +" can be \"add\", \"remove\" or \"list\" to assign or remove " +"[tag] from [note], or to list the notes associated with [tag]. The command " +"`tag list` can be used to list all the tags." +msgstr "" +" can be \"add\", \"remove\" or \"list\" to assign or remove " +"[tag] from [note], or to list the notes associated with [tag]. The command " +"`tag list` can be used to list all the tags." + +#, javascript-format +msgid "Invalid command: \"%s\"" +msgstr "Nevažeća naredba: \"%s\"" + +#, fuzzy +msgid "" +" can either be \"toggle\" or \"clear\". Use \"toggle\" to " +"toggle the given to-do between completed and uncompleted state (If the " +"target is a regular note it will be converted to a to-do). Use \"clear\" to " +"convert the to-do back to a regular note." +msgstr "" +" can either be \"toggle\" or \"clear\". Use \"toggle\" to " +"toggle the given to-do between completed and uncompleted state (If the " +"target is a regular note it will be converted to a to-do). Use \"clear\" to " +"convert the to-do back to a regular note." + +msgid "Marks a to-do as non-completed." +msgstr "Označava zadatak kao nezavršen." + +#, fuzzy +msgid "" +"Switches to [notebook] - all further operations will happen within this " +"notebook." +msgstr "" +"Switches to [notebook] - all further operations will happen within this " +"notebook." + +msgid "Displays version information" +msgstr "Prikazuje verziju" + +#, javascript-format +msgid "%s %s (%s)" +msgstr "%s %s (%s)" + +msgid "Enum" +msgstr "Enumeracija" + +#, javascript-format +msgid "Type: %s." +msgstr "Vrsta: %s." + +#, javascript-format +msgid "Possible values: %s." +msgstr "Moguće vrijednosti: %s." + +#, javascript-format +msgid "Default: %s" +msgstr "Default: %s" + +msgid "Possible keys/values:" +msgstr "Mogući ključevi/vrijednosti:" + +msgid "Fatal error:" +msgstr "Fatalna greška:" + +msgid "" +"The application has been authorised - you may now close this browser tab." +msgstr "Aplikacija je autorizirana - smiješ zatvoriti karticu preglednika." + +msgid "The application has been successfully authorised." +msgstr "Aplikacija je uspješno autorizirana." + +msgid "" +"Please open the following URL in your browser to authenticate the " +"application. The application will create a directory in \"Apps/Joplin\" and " +"will only read and write files in this directory. It will have no access to " +"any files outside this directory nor to any other personal data. No data " +"will be shared with any third party." +msgstr "" +"Otvori sljedeći URL u pregledniku da bi ovjerio aplikaciju. Aplikacija će " +"stvoriti direktorij u \"Apps/Joplin\" i koristiti će samo taj direktorij za " +"čitanje i pisanje. Aplikacija neće imati pristup osobnim podacima niti ičemu " +"izvan tog direktorija. Nijedan se podatak neće dijeliti s trećom stranom." + +msgid "Search:" +msgstr "Traži:" + +#, fuzzy +msgid "" +"Welcome to Joplin!\n" +"\n" +"Type `:help shortcuts` for the list of keyboard shortcuts, or just `:help` " +"for usage information.\n" +"\n" +"For example, to create a notebook press `mb`; to create a note press `mn`." +msgstr "" +"Welcome to Joplin!\n" +"\n" +"Type `:help shortcuts` for the list of keyboard shortcuts, or just `:help` " +"for usage information.\n" +"\n" +"For example, to create a notebook press `mb`; to create a note press `mn`." + +msgid "File" +msgstr "Datoteka" + +msgid "New note" +msgstr "Nova bilješka" + +msgid "New to-do" +msgstr "Novi zadatak" + +msgid "New notebook" +msgstr "Nova bilježnica" + +msgid "Import Evernote notes" +msgstr "Uvezi Evernote bilješke" + +msgid "Evernote Export Files" +msgstr "Evernote izvozne datoteke" + +msgid "Quit" +msgstr "Izađi" + +msgid "Edit" +msgstr "Uredi" + +msgid "Copy" +msgstr "Kopiraj" + +msgid "Cut" +msgstr "Izreži" + +msgid "Paste" +msgstr "Zalijepi" + +msgid "Search in all the notes" +msgstr "Pretraži u svim bilješkama" + +msgid "Tools" +msgstr "Alati" + +msgid "Synchronisation status" +msgstr "Status sinkronizacije" + +msgid "Options" +msgstr "Opcije" + +msgid "Help" +msgstr "Pomoć" + +msgid "Website and documentation" +msgstr "Website i dokumentacija" + +msgid "About Joplin" +msgstr "O Joplinu" + +#, javascript-format +msgid "%s %s (%s, %s)" +msgstr "%s %s (%s, %s)" + +msgid "OK" +msgstr "U redu" + +msgid "Cancel" +msgstr "Odustani" + +#, javascript-format +msgid "Notes and settings are stored in: %s" +msgstr "Bilješke i postavke su pohranjene u: %s" + +msgid "Save" +msgstr "Spremi" + +msgid "Back" +msgstr "Natrag" + +#, javascript-format +msgid "" +"New notebook \"%s\" will be created and file \"%s\" will be imported into it" +msgstr "" +"Nova bilježnica \"%s\" će biti stvorena i datoteka \"%s\" će biti uvezena u " +"nju" + +msgid "Please create a notebook first." +msgstr "Prvo stvori bilježnicu." + +msgid "Note title:" +msgstr "Naslov bilješke:" + +msgid "Please create a notebook first" +msgstr "Prvo stvori bilježnicu" + +msgid "To-do title:" +msgstr "Naslov zadatka:" + +msgid "Notebook title:" +msgstr "Naslov bilježnice:" + +msgid "Add or remove tags:" +msgstr "Dodaj ili makni oznake:" + +msgid "Separate each tag by a comma." +msgstr "Odvoji oznake zarezom." + +msgid "Rename notebook:" +msgstr "Preimenuj bilježnicu:" + +msgid "Set alarm:" +msgstr "Postavi upozorenje:" + +msgid "Layout" +msgstr "Izgled" + +msgid "Some items cannot be synchronised." +msgstr "Neke stavke se ne mogu sinkronizirati." + +msgid "View them now" +msgstr "Pogledaj ih sada" + +msgid "Active" +msgstr "" + +msgid "ID" +msgstr "ID" + +msgid "Source" +msgstr "Izvor" + +msgid "Created" +msgstr "Stvoreno" + +msgid "Updated" +msgstr "Ažurirano" + +msgid "Password" +msgstr "" + +msgid "Password OK" +msgstr "" + +msgid "" +"Note: Only one master key is going to be used for encryption (the one marked " +"as \"active\"). Any of the keys might be used for decryption, depending on " +"how the notes or notebooks were originally encrypted." +msgstr "" + +msgid "Add or remove tags" +msgstr "Dodaj ili makni oznake" + +msgid "Switch between note and to-do type" +msgstr "Zamijeni bilješku i zadatak" + +msgid "Delete" +msgstr "Obriši" + +msgid "Delete notes?" +msgstr "Obriši bilješke?" + +msgid "No notes in here. Create one by clicking on \"New note\"." +msgstr "Ovdje nema bilješki. Stvori novu pritiskom na \"Nova bilješka\"." + +msgid "" +"There is currently no notebook. Create one by clicking on \"New notebook\"." +msgstr "Ovdje nema bilježnica. Stvori novu pritiskom na \"Nova bilježnica\"." + +#, javascript-format +msgid "Unsupported link or message: %s" +msgstr "Nepodržana poveznica ili poruka: %s" + +msgid "Attach file" +msgstr "Priloži datoteku" + +msgid "Set alarm" +msgstr "Postavi upozorenje" + +msgid "Refresh" +msgstr "Osvježi" + +msgid "Clear" +msgstr "Očisti" + +msgid "OneDrive Login" +msgstr "OneDrive Login" + +msgid "Import" +msgstr "Uvoz" + +msgid "Synchronisation Status" +msgstr "Status Sinkronizacije" + +msgid "Remove this tag from all the notes?" +msgstr "Makni ovu oznaku iz svih bilješki?" + +msgid "Remove this search from the sidebar?" +msgstr "Makni ovu pretragu iz izbornika?" + +msgid "Rename" +msgstr "Preimenuj" + +msgid "Synchronise" +msgstr "Sinkroniziraj" + +msgid "Notebooks" +msgstr "Bilježnice" + +msgid "Tags" +msgstr "Oznake" + +msgid "Searches" +msgstr "Pretraživanja" + +msgid "Please select where the sync status should be exported to" +msgstr "Odaberi lokaciju za izvoz statusa sinkronizacije" + +#, javascript-format +msgid "Usage: %s" +msgstr "Korištenje: %s" + +#, javascript-format +msgid "Unknown flag: %s" +msgstr "Nepoznata zastavica: %s" + +msgid "File system" +msgstr "Datotečni sustav" + +msgid "OneDrive" +msgstr "OneDrive" + +msgid "OneDrive Dev (For testing only)" +msgstr "OneDrive Dev (Samo za testiranje)" + +#, javascript-format +msgid "Unknown log level: %s" +msgstr "Nepoznata razina logiranja: %s" + +#, javascript-format +msgid "Unknown level ID: %s" +msgstr "Nepoznat ID razine: %s" + +msgid "" +"Cannot refresh token: authentication data is missing. Starting the " +"synchronisation again may fix the problem." +msgstr "Nedostaju podaci za ovjeru. Pokušaj ponovo započeti sinkronizaciju." + +msgid "" +"Could not synchronize with OneDrive.\n" +"\n" +"This error often happens when using OneDrive for Business, which " +"unfortunately cannot be supported.\n" +"\n" +"Please consider using a regular OneDrive account." +msgstr "" +"Ne mogu sinkronizirati OneDrive.\n" +"\n" +"Ova greška se često javlja pri korištenju usluge OneDrive for Business koja " +"nije podržana.\n" +"\n" +"Molimo da koristite obični OneDrive korisnički račun." + +#, javascript-format +msgid "Cannot access %s" +msgstr "Ne mogu pristupiti %s" + +#, javascript-format +msgid "Created local items: %d." +msgstr "Stvorene lokalne stavke: %d." + +#, javascript-format +msgid "Updated local items: %d." +msgstr "Ažurirane lokalne stavke: %d." + +#, javascript-format +msgid "Created remote items: %d." +msgstr "Stvorene udaljene stavke: %d." + +#, javascript-format +msgid "Updated remote items: %d." +msgstr "Ažurirane udaljene stavke: %d." + +#, javascript-format +msgid "Deleted local items: %d." +msgstr "Obrisane lokalne stavke: %d." + +#, javascript-format +msgid "Deleted remote items: %d." +msgstr "Obrisane udaljene stavke: %d." + +#, javascript-format +msgid "State: \"%s\"." +msgstr "Stanje: \"%s\"." + +msgid "Cancelling..." +msgstr "Prekidam..." + +#, javascript-format +msgid "Completed: %s" +msgstr "Dovršeno: %s" + +#, javascript-format +msgid "Synchronisation is already in progress. State: %s" +msgstr "Sinkronizacija je već u toku. Stanje: %s" + +msgid "Conflicts" +msgstr "Sukobi" + +#, javascript-format +msgid "A notebook with this title already exists: \"%s\"" +msgstr "Bilježnica s ovim naslovom već postoji: \"%s\"" + +#, javascript-format +msgid "Notebooks cannot be named \"%s\", which is a reserved title." +msgstr "Naslov \"%s\" je rezerviran i ne može se koristiti." + +msgid "Untitled" +msgstr "Nenaslovljen" + +msgid "This note does not have geolocation information." +msgstr "Ova bilješka nema geolokacijske informacije." + +#, javascript-format +msgid "Cannot copy note to \"%s\" notebook" +msgstr "Ne mogu kopirati bilješku u bilježnicu %s" + +#, javascript-format +msgid "Cannot move note to \"%s\" notebook" +msgstr "Ne mogu premjestiti bilješku u bilježnicu %s" + +msgid "Text editor" +msgstr "Uređivač teksta" + +msgid "" +"The editor that will be used to open a note. If none is provided it will try " +"to auto-detect the default editor." +msgstr "" +"Program za uređivanje koji će biti korišten za uređivanje bilješki. Ako ni " +"jedan nije odabran, pokušati će se sa default programom." + +msgid "Language" +msgstr "Jezik" + +msgid "Date format" +msgstr "Format datuma" + +msgid "Time format" +msgstr "Format vremena" + +msgid "Theme" +msgstr "Tema" + +msgid "Light" +msgstr "Svijetla" + +msgid "Dark" +msgstr "Tamna" + +msgid "Show uncompleted todos on top of the lists" +msgstr "Prikaži nezavršene zadatke na vrhu liste" + +msgid "Save geo-location with notes" +msgstr "Spremi geolokacijske podatke sa bilješkama" + +msgid "Synchronisation interval" +msgstr "Interval sinkronizacije" + +msgid "Disabled" +msgstr "Onemogućeno" + +#, javascript-format +msgid "%d minutes" +msgstr "%d minuta" + +#, javascript-format +msgid "%d hour" +msgstr "%d sat" + +#, javascript-format +msgid "%d hours" +msgstr "%d sati" + +msgid "Automatically update the application" +msgstr "Automatsko instaliranje nove verzije" + +msgid "Show advanced options" +msgstr "Prikaži napredne opcije" + +msgid "Synchronisation target" +msgstr "Sinkroniziraj sa" + +msgid "" +"The target to synchonise to. If synchronising with the file system, set " +"`sync.2.path` to specify the target directory." +msgstr "" +"Meta sinkronizacije. U slučaju sinkroniziranja s vlastitim datotečnim " +"sustavom, postavi `sync.2.path` na ciljani direktorij." + +msgid "Directory to synchronise with (absolute path)" +msgstr "Direktorij za sinkroniziranje (apsolutna putanja)" + +msgid "" +"The path to synchronise with when file system synchronisation is enabled. " +"See `sync.target`." +msgstr "" +"Putanja do direktorija za sinkronizaciju u slučaju kad je sinkronizacija sa " +"datotečnim sustavom omogućena. Vidi `sync.target`." + +#, javascript-format +msgid "Invalid option value: \"%s\". Possible values are: %s." +msgstr "Nevažeća vrijednost: \"%s\". Moguće vrijednosti su: %s." + +msgid "Items that cannot be synchronised" +msgstr "Stavke koje se ne mogu sinkronizirati" + +#, javascript-format +msgid "\"%s\": \"%s\"" +msgstr "\"%s\": \"%s\"" + +msgid "Sync status (synced items / total items)" +msgstr "Status (sinkronizirane stavke / ukupni broj stavki)" + +#, javascript-format +msgid "%s: %d/%d" +msgstr "%s: %d/%d" + +#, javascript-format +msgid "Total: %d/%d" +msgstr "Ukupno: %d/%d" + +#, javascript-format +msgid "Conflicted: %d" +msgstr "U sukobu: %d" + +#, javascript-format +msgid "To delete: %d" +msgstr "Za brisanje: %d" + +msgid "Folders" +msgstr "Mape" + +#, fuzzy, javascript-format +msgid "%s: %d notes" +msgstr "%s: %d bilješki" + +msgid "Coming alarms" +msgstr "Nadolazeća upozorenja" + +#, fuzzy, javascript-format +msgid "On %s: %s" +msgstr "On %s: %s" + +msgid "There are currently no notes. Create one by clicking on the (+) button." +msgstr "Trenutno nema bilješki. Stvori novu klikom na (+) gumb." + +msgid "Delete these notes?" +msgstr "Obriši ove bilješke?" + +msgid "Log" +msgstr "Log" + +msgid "Status" +msgstr "Status" + +msgid "Export Debug Report" +msgstr "Izvezi Debug izvještaj" + +msgid "Configuration" +msgstr "Konfiguracija" + +msgid "Move to notebook..." +msgstr "Premjesti u bilježnicu..." + +#, javascript-format +msgid "Move %d notes to notebook \"%s\"?" +msgstr "Premjesti %d bilješke u bilježnicu \"%s\"?" + +msgid "Select date" +msgstr "Odaberi datum" + +msgid "Confirm" +msgstr "Potvrdi" + +msgid "Cancel synchronisation" +msgstr "Prekini sinkronizaciju" + +#, javascript-format +msgid "The notebook could not be saved: %s" +msgstr "Bilježnicu nije moguće snimiti: %s" + +msgid "Edit notebook" +msgstr "Uredi bilježnicu" + +msgid "This note has been modified:" +msgstr "Bilješka je promijenjena:" + +msgid "Save changes" +msgstr "Spremi promjene" + +msgid "Discard changes" +msgstr "Odbaci promjene" + +#, javascript-format +msgid "Unsupported image type: %s" +msgstr "Nepodržana vrsta slike: %s" + +msgid "Attach photo" +msgstr "Priloži sliku" + +msgid "Attach any file" +msgstr "Priloži datoteku" + +msgid "Convert to note" +msgstr "Pretvori u bilješku" + +msgid "Convert to todo" +msgstr "Pretvori u zadatak" + +msgid "Hide metadata" +msgstr "Sakrij metapodatke" + +msgid "Show metadata" +msgstr "Prikaži metapodatke" + +msgid "View on map" +msgstr "Vidi na karti" + +msgid "Delete notebook" +msgstr "Obriši bilježnicu" + +msgid "Login with OneDrive" +msgstr "Prijavi se u OneDrive" + +msgid "" +"Click on the (+) button to create a new note or notebook. Click on the side " +"menu to access your existing notebooks." +msgstr "" +"Klikni (+) gumb za dodavanje nove bilješke ili bilježnice ili odaberi " +"postojeću bilježnicu iz izbornika." + +msgid "You currently have no notebook. Create one by clicking on (+) button." +msgstr "Trenutno nemaš nijednu bilježnicu. Stvori novu klikom na (+) gumb." + +msgid "Welcome" +msgstr "Dobro došli" + +#, fuzzy +#~ msgid "Some items cannot be decrypted." +#~ msgstr "Neke stavke se ne mogu sinkronizirati." diff --git a/CliClient/locales/it_IT.po b/CliClient/locales/it_IT.po new file mode 100644 index 000000000..378e8659e --- /dev/null +++ b/CliClient/locales/it_IT.po @@ -0,0 +1,1106 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR Laurent Cozic +# This file is distributed under the same license as the Joplin-CLI package. +# FIRST AUTHOR , YEAR. +# +msgid "" +msgstr "" +"Project-Id-Version: Joplin-CLI 1.0.0\n" +"Report-Msgid-Bugs-To: \n" +"Last-Translator: \n" +"Language-Team: \n" +"Language: it\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 2.0.3\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +msgid "Give focus to next pane" +msgstr "Pannello successivo" + +msgid "Give focus to previous pane" +msgstr "Pannello precedente" + +msgid "Enter command line mode" +msgstr "Accedi alla modalità linea di comando" + +msgid "Exit command line mode" +msgstr "Esci dalla modalità linea di comando" + +msgid "Edit the selected note" +msgstr "Modifica la nota selezionata" + +msgid "Cancel the current command." +msgstr "Cancella il comando corrente." + +msgid "Exit the application." +msgstr "Esci dall'applicazione." + +msgid "Delete the currently selected note or notebook." +msgstr "Elimina la nota o il blocco note selezionato." + +msgid "To delete a tag, untag the associated notes." +msgstr "Elimina un'etichetta, togli l'etichetta associata alle note." + +msgid "Please select the note or notebook to be deleted first." +msgstr "Per favore seleziona la nota o il blocco note da eliminare." + +msgid "Set a to-do as completed / not completed" +msgstr "Imposta un'attività come completata / non completata" + +msgid "[t]oggle [c]onsole between maximized/minimized/hidden/visible." +msgstr "" +"Scegli lo s[t]ato della [c]onsole: massimizzato/minimizzato/nascosto/" +"visibile." + +msgid "Search" +msgstr "Cerca" + +msgid "[t]oggle note [m]etadata." +msgstr "mos[t]ra/nascondi i [m]etadata nelle note." + +msgid "[M]ake a new [n]ote" +msgstr "Crea ([M]ake) una nuova [n]ota" + +msgid "[M]ake a new [t]odo" +msgstr "Crea ([M]ake) una nuova at[t]ività" + +msgid "[M]ake a new note[b]ook" +msgstr "Crea ([M]ake) un nuovo [b]locco note" + +msgid "Copy ([Y]ank) the [n]ote to a notebook." +msgstr "Copia ([Y]) la [n]ota in un blocco note." + +msgid "Move the note to a notebook." +msgstr "Sposta la nota in un blocco note." + +msgid "Press Ctrl+D or type \"exit\" to exit the application" +msgstr "Premi Ctrl+D o digita \"exit\" per uscire dall'applicazione" + +#, javascript-format +msgid "More than one item match \"%s\". Please narrow down your query." +msgstr "" +"Più di un elemento corrisponde a \"%s\". Per favore restringi la ricerca." + +msgid "No notebook selected." +msgstr "Nessun blocco note selezionato." + +msgid "No notebook has been specified." +msgstr "Nessun blocco note è statoi specificato." + +msgid "Y" +msgstr "S" + +msgid "n" +msgstr "n" + +msgid "N" +msgstr "N" + +msgid "y" +msgstr "s" + +msgid "Cancelling background synchronisation... Please wait." +msgstr "Cancellazione della sincronizzazione in background... Attendere prego." + +#, javascript-format +msgid "No such command: %s" +msgstr "Nessun comando: %s" + +#, javascript-format +msgid "The command \"%s\" is only available in GUI mode" +msgstr "Il comando \"%s\" è disponibile solo nella modalità grafica" + +#, javascript-format +msgid "Missing required argument: %s" +msgstr "Argomento richiesto mancante: %s" + +#, javascript-format +msgid "%s: %s" +msgstr "%s: %s" + +msgid "Your choice: " +msgstr "La tua scelta: " + +#, javascript-format +msgid "Invalid answer: %s" +msgstr "Risposta non valida: %s" + +msgid "Attaches the given file to the note." +msgstr "Allega il seguente file alla nota." + +#, javascript-format +msgid "Cannot find \"%s\"." +msgstr "Non posso trovare \"%s\"." + +msgid "Displays the given note." +msgstr "Mostra la seguente nota." + +msgid "Displays the complete information about note." +msgstr "Mostra le informazioni complete sulla nota." + +msgid "" +"Gets or sets a config value. If [value] is not provided, it will show the " +"value of [name]. If neither [name] nor [value] is provided, it will list the " +"current configuration." +msgstr "" +"Ricevi o imposta un valore di configurazione. se [value] non è impostato, " +"verrà mostrato il valore del [name]. Se sia [name] che [valore] sono " +"impostati, verrà mostrata la configurazione corrente." + +msgid "Also displays unset and hidden config variables." +msgstr "Mostra anche le variabili di configurazione non impostate o nascoste." + +#, javascript-format +msgid "%s = %s (%s)" +msgstr "%s = %s (%s)" + +#, javascript-format +msgid "%s = %s" +msgstr "%s = %s" + +msgid "" +"Duplicates the notes matching to [notebook]. If no notebook is " +"specified the note is duplicated in the current notebook." +msgstr "" +"Duplica le note che corrispondono a nel [notebook]. Se nessun blocco " +"note è specificato, la nota viene duplicata nel blocco note corrente." + +msgid "Marks a to-do as done." +msgstr "Segna un'attività come completata." + +#, javascript-format +msgid "Note is not a to-do: \"%s\"" +msgstr "La nota non è un'attività: \"%s\"" + +msgid "Edit note." +msgstr "Modifica nota." + +msgid "" +"No text editor is defined. Please set it using `config editor `" +msgstr "" +"Non è definito nessun editor di testo. Per favore impostalo usando `config " +"editor `" + +msgid "No active notebook." +msgstr "Nessun blocco note attivo." + +#, javascript-format +msgid "Note does not exist: \"%s\". Create it?" +msgstr "Non esiste la nota: \"%s\". Desideri crearla?" + +msgid "Starting to edit note. Close the editor to get back to the prompt." +msgstr "Comincia a modificare la nota. Chiudi l'editor per tornare al prompt." + +msgid "Note has been saved." +msgstr "La nota è stata salvata." + +msgid "Exits the application." +msgstr "Esci dall'applicazione." + +msgid "" +"Exports Joplin data to the given directory. By default, it will export the " +"complete database including notebooks, notes, tags and resources." +msgstr "" +"Esporta i dati da Joplin nella directory selezionata. Come impostazione " +"predefinita verrà esportato il database completo, inclusi blocchi note, " +"note, etichette e risorse." + +msgid "Exports only the given note." +msgstr "Esporta solo la seguente nota." + +msgid "Exports only the given notebook." +msgstr "Esporta solo il seguente blocco note." + +msgid "Displays a geolocation URL for the note." +msgstr "Mostra l'URL di geolocalizzazione per la nota." + +msgid "Displays usage information." +msgstr "Mostra le informazioni di utilizzo." + +msgid "Shortcuts are not available in CLI mode." +msgstr "Le scorciatoie non sono disponibili nella modalità CLI." + +#, fuzzy +msgid "" +"Type `help [command]` for more information about a command; or type `help " +"all` for the complete usage information." +msgstr "" +"Digita `help [command]` per ottenere maggiori informazioni su un comando." + +msgid "The possible commands are:" +msgstr "I possibili comandi sono:" + +msgid "" +"In any command, a note or notebook can be refered to by title or ID, or " +"using the shortcuts `$n` or `$b` for, respectively, the currently selected " +"note or notebook. `$c` can be used to refer to the currently selected item." +msgstr "" +"In ciascun comando, si deve necessariamente definire una nota o un blocco " +"note usando un titolo, un ID o usando le scorciatoie `$n` or `$b` per , " +"rispettivamente, la nota o il blocco note selezionato `$c` può essere usato " +"per fare riferimento all'elemento selezionato." + +msgid "To move from one pane to another, press Tab or Shift+Tab." +msgstr "Per passare da un pannello all'altro, premi Tab o Shift+Tab." + +msgid "" +"Use the arrows and page up/down to scroll the lists and text areas " +"(including this console)." +msgstr "" +"Usa le frecce e pagina su/giù per scorrere le liste e le aree di testo " +"(compresa questa console)." + +msgid "To maximise/minimise the console, press \"TC\"." +msgstr "Per massimizzare/minimizzare la console, premi \"TC\"." + +msgid "To enter command line mode, press \":\"" +msgstr "Per entrare nella modalità command line, premi \":\"" + +msgid "To exit command line mode, press ESCAPE" +msgstr "Per uscire dalla modalità command line, premi ESC" + +msgid "" +"For the complete list of available keyboard shortcuts, type `help shortcuts`" +msgstr "" +"Per la lista completa delle scorciatoie disponibili, digita `help shortcuts`" + +msgid "Imports an Evernote notebook file (.enex file)." +msgstr "Importa un file blocco note di Evernote (.enex file)." + +msgid "Do not ask for confirmation." +msgstr "Non chiedere conferma." + +#, javascript-format +msgid "File \"%s\" will be imported into existing notebook \"%s\". Continue?" +msgstr "" +"Il file \"%s\" sarà importato nel blocco note esistente \"%s\". Continuare?" + +#, javascript-format +msgid "" +"New notebook \"%s\" will be created and file \"%s\" will be imported into " +"it. Continue?" +msgstr "" +"Un nuovo blocco note \"%s\" sarà creato e al suo interno verrà importato il " +"file \"%s\" . Continuare?" + +#, javascript-format +msgid "Found: %d." +msgstr "Trovato: %d." + +#, javascript-format +msgid "Created: %d." +msgstr "Creato: %d." + +#, javascript-format +msgid "Updated: %d." +msgstr "Aggiornato: %d." + +#, javascript-format +msgid "Skipped: %d." +msgstr "Saltato: %d." + +#, javascript-format +msgid "Resources: %d." +msgstr "Risorse: %d." + +#, javascript-format +msgid "Tagged: %d." +msgstr "Etichettato: %d." + +msgid "Importing notes..." +msgstr "Importazione delle note..." + +#, javascript-format +msgid "The notes have been imported: %s" +msgstr "Le note sono state importate: %s" + +msgid "" +"Displays the notes in the current notebook. Use `ls /` to display the list " +"of notebooks." +msgstr "" +"Mostra le note nel seguente blocco note. Usa `ls /` per mostrare la lista " +"dei blocchi note." + +msgid "Displays only the first top notes." +msgstr "Mostra solo le prima note." + +msgid "Sorts the item by (eg. title, updated_time, created_time)." +msgstr "Ordina per (es. titolo, ultimo aggiornamento, creazione)." + +msgid "Reverses the sorting order." +msgstr "Inverti l'ordine." + +msgid "" +"Displays only the items of the specific type(s). Can be `n` for notes, `t` " +"for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the " +"to-dos, while `-ttd` would display notes and to-dos." +msgstr "" +"Mostra solo gli elementi del tipo specificato. Possono essere `n` per le " +"note, `t` per le attività o `nt` per note e attività. (es. `-tt` mostrerà " +"solo le attività, mentre `-ttd` mostrerà sia note che attività." + +msgid "Either \"text\" or \"json\"" +msgstr "Sia \"testo\" che \"json\"" + +msgid "" +"Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, " +"TODO_CHECKED (for to-dos), TITLE" +msgstr "" +"Usa un formato lungo di lista. Il formato è ID, NOTE_COUNT (per i blocchi " +"note), DATE, TODO_CHECKED (per le attività), TITLE" + +msgid "Please select a notebook first." +msgstr "Per favore prima seleziona un blocco note." + +msgid "Creates a new notebook." +msgstr "Crea un nuovo blocco note." + +msgid "Creates a new note." +msgstr "Crea una nuova nota." + +msgid "Notes can only be created within a notebook." +msgstr "Le note possono essere create all'interno de blocco note." + +msgid "Creates a new to-do." +msgstr "Crea una nuova attività." + +msgid "Moves the notes matching to [notebook]." +msgstr "Sposta le note che corrispondono a in [notebook]." + +msgid "Renames the given (note or notebook) to ." +msgstr "Rinomina (nota o blocco note) in ." + +msgid "Deletes the given notebook." +msgstr "Elimina il seguente blocco note." + +msgid "Deletes the notebook without asking for confirmation." +msgstr "Elimina il blocco note senza richiedere una conferma." + +msgid "Delete notebook? All notes within this notebook will also be deleted." +msgstr "" + +msgid "Deletes the notes matching ." +msgstr "Elimina le note che corrispondono a ." + +msgid "Deletes the notes without asking for confirmation." +msgstr "Elimina le note senza chiedere conferma." + +#, javascript-format +msgid "%d notes match this pattern. Delete them?" +msgstr "%d note corrispondono. Eliminarle?" + +msgid "Delete note?" +msgstr "Eliminare la nota?" + +msgid "Searches for the given in all the notes." +msgstr "Cerca in tutte le note." + +#, fuzzy, javascript-format +msgid "" +"Sets the property of the given to the given [value]. Possible " +"properties are:\n" +"\n" +"%s" +msgstr "Imposta il proprietà nella nota con il valore [value]." + +msgid "Displays summary about the notes and notebooks." +msgstr "Mostra un sommario delle note e dei blocchi note." + +msgid "Synchronises with remote storage." +msgstr "Sincronizza con l'archivio remoto." + +msgid "Sync to provided target (defaults to sync.target config value)" +msgstr "" +"Sincronizza con l'obiettivo fornito (come predefinito il valore di " +"configurazione sync.target)" + +msgid "Synchronisation is already in progress." +msgstr "La sincronizzazione è in corso." + +#, javascript-format +msgid "" +"Lock file is already being hold. If you know that no synchronisation is " +"taking place, you may delete the lock file at \"%s\" and resume the " +"operation." +msgstr "" +"Trovato un file di blocco. Se si è certi che non è in corso alcuna " +"sincronizzazione, è possibile eliminare il file di blocco in \"% s\" e " +"riprendere l'operazione." + +msgid "" +"Authentication was not completed (did not receive an authentication token)." +msgstr "" +"Autenticazione non completata (non è stato ricevuto alcun token di " +"autenticazione)." + +#, javascript-format +msgid "Synchronisation target: %s (%s)" +msgstr "Posizione di sincronizzazione: %s (%s)" + +msgid "Cannot initialize synchroniser." +msgstr "Non è possibile inizializzare il sincronizzatore." + +msgid "Starting synchronisation..." +msgstr "Inizio sincronizzazione..." + +msgid "Cancelling... Please wait." +msgstr "Cancellazione... Attendere per favore." + +msgid "" +" can be \"add\", \"remove\" or \"list\" to assign or remove " +"[tag] from [note], or to list the notes associated with [tag]. The command " +"`tag list` can be used to list all the tags." +msgstr "" +" può essere \"add\", \"remove\" or \"list\" per assegnare o " +"rimuovere [tag] da [note], o per mostrare le note associate a [tag]. Il " +"comando `tag list` può essere usato per mostrare tutte le etichette." + +#, javascript-format +msgid "Invalid command: \"%s\"" +msgstr "Comando non valido: \"%s\"" + +msgid "" +" can either be \"toggle\" or \"clear\". Use \"toggle\" to " +"toggle the given to-do between completed and uncompleted state (If the " +"target is a regular note it will be converted to a to-do). Use \"clear\" to " +"convert the to-do back to a regular note." +msgstr "" +" può essere \"toggle\" or \"clear\". Usa \"toggle\" per " +"cambiare lo stato dell'attività tra completata/non completata (se l'oggetto " +"è una normale nota, questa verrà convertita in un'attività). Usa \"clear\" " +"convertire le attività in normali note." + +msgid "Marks a to-do as non-completed." +msgstr "Marca un'attività come non completata." + +msgid "" +"Switches to [notebook] - all further operations will happen within this " +"notebook." +msgstr "" +"Passa tra [notebook] - tutte le ulteriori operazioni interesseranno il " +"seguente blocco note." + +msgid "Displays version information" +msgstr "Mostra le informazioni sulla versione" + +#, javascript-format +msgid "%s %s (%s)" +msgstr "%s %s (%s)" + +msgid "Enum" +msgstr "Enumerare" + +#, javascript-format +msgid "Type: %s." +msgstr "Tipo: %s." + +#, javascript-format +msgid "Possible values: %s." +msgstr "Valori possibili: %s." + +#, javascript-format +msgid "Default: %s" +msgstr "Predefinito: %s" + +msgid "Possible keys/values:" +msgstr "Chiave/valore possibili:" + +msgid "Fatal error:" +msgstr "Errore fatale:" + +msgid "" +"The application has been authorised - you may now close this browser tab." +msgstr "" +"L'applicazione è stata autorizzata - puoi chiudere questo tab del tuo " +"browser." + +msgid "The application has been successfully authorised." +msgstr "L'applicazione è stata autorizzata con successo." + +msgid "" +"Please open the following URL in your browser to authenticate the " +"application. The application will create a directory in \"Apps/Joplin\" and " +"will only read and write files in this directory. It will have no access to " +"any files outside this directory nor to any other personal data. No data " +"will be shared with any third party." +msgstr "" +"Per favore apri il seguente URL nel tuo browser per autenticare " +"l'applicazione. L'applicazione creerà una directory in \"Apps/Joplin\" e " +"leggerà/scriverà file solo in questa directory. Non avrà accesso a nessun " +"file all'esterno di questa directory o ad alcun dato personale. Nessun dato " +"verrà condiviso con terze parti." + +msgid "Search:" +msgstr "Cerca:" + +msgid "" +"Welcome to Joplin!\n" +"\n" +"Type `:help shortcuts` for the list of keyboard shortcuts, or just `:help` " +"for usage information.\n" +"\n" +"For example, to create a notebook press `mb`; to create a note press `mn`." +msgstr "" + +msgid "File" +msgstr "File" + +msgid "New note" +msgstr "Nuova nota" + +msgid "New to-do" +msgstr "Nuova attività" + +msgid "New notebook" +msgstr "Nuovo blocco note" + +msgid "Import Evernote notes" +msgstr "Importa le note da Evernote" + +msgid "Evernote Export Files" +msgstr "Esposta i files di Evernote" + +msgid "Quit" +msgstr "Esci" + +msgid "Edit" +msgstr "Modifica" + +msgid "Copy" +msgstr "Copia" + +msgid "Cut" +msgstr "Taglia" + +msgid "Paste" +msgstr "Incolla" + +msgid "Search in all the notes" +msgstr "Cerca in tutte le note" + +msgid "Tools" +msgstr "Strumenti" + +msgid "Synchronisation status" +msgstr "Stato di sincronizzazione" + +msgid "Options" +msgstr "Opzioni" + +msgid "Help" +msgstr "Aiuto" + +msgid "Website and documentation" +msgstr "Sito web e documentazione" + +msgid "About Joplin" +msgstr "Informazione si Joplin" + +#, javascript-format +msgid "%s %s (%s, %s)" +msgstr "%s %s (%s, %s)" + +msgid "OK" +msgstr "OK" + +msgid "Cancel" +msgstr "Cancella" + +#, javascript-format +msgid "Notes and settings are stored in: %s" +msgstr "" + +msgid "Save" +msgstr "" + +msgid "Back" +msgstr "Indietro" + +#, javascript-format +msgid "" +"New notebook \"%s\" will be created and file \"%s\" will be imported into it" +msgstr "Il nuovo blocco note \"%s\" verrà creato e \"%s\" vi verrà importato" + +msgid "Please create a notebook first." +msgstr "Per favore prima crea un blocco note." + +msgid "Note title:" +msgstr "Titolo della Nota:" + +msgid "Please create a notebook first" +msgstr "Per favore prima crea un blocco note" + +msgid "To-do title:" +msgstr "Titolo dell'attività:" + +msgid "Notebook title:" +msgstr "Titolo del blocco note:" + +msgid "Add or remove tags:" +msgstr "Aggiungi or rimuovi etichetta:" + +msgid "Separate each tag by a comma." +msgstr "Separa ogni etichetta da una virgola." + +msgid "Rename notebook:" +msgstr "Rinomina il blocco note:" + +msgid "Set alarm:" +msgstr "Imposta allarme:" + +msgid "Layout" +msgstr "Disposizione" + +msgid "Some items cannot be synchronised." +msgstr "Alcuni elementi non possono essere sincronizzati." + +msgid "View them now" +msgstr "Mostrali ora" + +msgid "Active" +msgstr "" + +msgid "ID" +msgstr "" + +msgid "Source" +msgstr "" + +#, fuzzy +msgid "Created" +msgstr "Creato: %d." + +#, fuzzy +msgid "Updated" +msgstr "Aggiornato: %d." + +msgid "Password" +msgstr "" + +msgid "Password OK" +msgstr "" + +msgid "" +"Note: Only one master key is going to be used for encryption (the one marked " +"as \"active\"). Any of the keys might be used for decryption, depending on " +"how the notes or notebooks were originally encrypted." +msgstr "" + +msgid "Add or remove tags" +msgstr "Aggiungi o rimuovi etichetta" + +msgid "Switch between note and to-do type" +msgstr "Passa da un tipo di nota a un elenco di attività" + +msgid "Delete" +msgstr "Elimina" + +msgid "Delete notes?" +msgstr "Eliminare le note?" + +msgid "No notes in here. Create one by clicking on \"New note\"." +msgstr "Non è presente nessuna nota. Creane una cliccando \"Nuova nota\"." + +#, fuzzy +msgid "" +"There is currently no notebook. Create one by clicking on \"New notebook\"." +msgstr "Al momento non ci sono note. Creane una cliccando sul bottone (+)." + +#, javascript-format +msgid "Unsupported link or message: %s" +msgstr "Collegamento o messaggio non supportato: %s" + +msgid "Attach file" +msgstr "Allega file" + +msgid "Set alarm" +msgstr "Imposta allarme" + +msgid "Refresh" +msgstr "Aggiorna" + +msgid "Clear" +msgstr "Pulisci" + +msgid "OneDrive Login" +msgstr "Login OneDrive" + +msgid "Import" +msgstr "Importa" + +msgid "Synchronisation Status" +msgstr "Stato della Sincronizzazione" + +msgid "Remove this tag from all the notes?" +msgstr "Rimuovere questa etichetta da tutte le note?" + +msgid "Remove this search from the sidebar?" +msgstr "Rimuovere questa ricerca dalla barra laterale?" + +msgid "Rename" +msgstr "Rinomina" + +msgid "Synchronise" +msgstr "Sincronizza" + +msgid "Notebooks" +msgstr "Blocchi note" + +msgid "Tags" +msgstr "Etichette" + +msgid "Searches" +msgstr "Ricerche" + +#, fuzzy +msgid "Please select where the sync status should be exported to" +msgstr "Per favore seleziona la nota o il blocco note da eliminare." + +#, javascript-format +msgid "Usage: %s" +msgstr "Uso: %s" + +#, javascript-format +msgid "Unknown flag: %s" +msgstr "Etichetta sconosciuta: %s" + +msgid "File system" +msgstr "File system" + +msgid "OneDrive" +msgstr "OneDrive" + +msgid "OneDrive Dev (For testing only)" +msgstr "OneDrive Dev (solo per test)" + +#, javascript-format +msgid "Unknown log level: %s" +msgstr "Livello di log sconosciuto: %s" + +#, javascript-format +msgid "Unknown level ID: %s" +msgstr "Livello ID sconosciuto: %s" + +msgid "" +"Cannot refresh token: authentication data is missing. Starting the " +"synchronisation again may fix the problem." +msgstr "" +"Non è possibile aggiornare il token. mancano i dati di autenticazione. " +"Ricominciare la sincronizzazione da capo potrebbe risolvere il problema." + +msgid "" +"Could not synchronize with OneDrive.\n" +"\n" +"This error often happens when using OneDrive for Business, which " +"unfortunately cannot be supported.\n" +"\n" +"Please consider using a regular OneDrive account." +msgstr "" +"Impossibile sincronizzare con OneDrive.\n" +"\n" +"Questo errore spesso accade quando si utilizza OneDrive for Business, che " +"purtroppo non può essere supportato.\n" +"\n" +"Si prega di considerare l'idea di utilizzare un account OneDrive normale." + +#, javascript-format +msgid "Cannot access %s" +msgstr "Non è possibile accedere a %s" + +#, javascript-format +msgid "Created local items: %d." +msgstr "Elementi locali creati: %d." + +#, javascript-format +msgid "Updated local items: %d." +msgstr "Elementi locali aggiornati: %d." + +#, javascript-format +msgid "Created remote items: %d." +msgstr "Elementi remoti creati: %d." + +#, javascript-format +msgid "Updated remote items: %d." +msgstr "Elementi remoti aggiornati: %d." + +#, javascript-format +msgid "Deleted local items: %d." +msgstr "Elementi locali eliminati: %d." + +#, javascript-format +msgid "Deleted remote items: %d." +msgstr "Elementi remoti eliminati: %d." + +#, javascript-format +msgid "State: \"%s\"." +msgstr "Stato: \"%s\"." + +msgid "Cancelling..." +msgstr "Cancellazione..." + +#, javascript-format +msgid "Completed: %s" +msgstr "Completata: %s" + +#, javascript-format +msgid "Synchronisation is already in progress. State: %s" +msgstr "La sincronizzazione è già in corso. Stato: %s" + +msgid "Conflicts" +msgstr "Conflitti" + +#, javascript-format +msgid "A notebook with this title already exists: \"%s\"" +msgstr "Esiste già un blocco note col titolo \"%s\"" + +#, javascript-format +msgid "Notebooks cannot be named \"%s\", which is a reserved title." +msgstr "I blocchi non possono essere chiamati \"%s\". È un titolo riservato." + +msgid "Untitled" +msgstr "Senza titolo" + +msgid "This note does not have geolocation information." +msgstr "Questa nota non ha informazione sulla geolocalizzazione." + +#, javascript-format +msgid "Cannot copy note to \"%s\" notebook" +msgstr "Non posso copiare la nota nel blocco note \"%s\"" + +#, javascript-format +msgid "Cannot move note to \"%s\" notebook" +msgstr "Non posso spostare la nota nel blocco note \"%s\"" + +msgid "Text editor" +msgstr "Editor di testo" + +msgid "" +"The editor that will be used to open a note. If none is provided it will try " +"to auto-detect the default editor." +msgstr "" +"L'editor che sarà usato per aprire la nota. Se nessun editor è specificato " +"si cercherà di individuare automaticamente l'editor predefinito." + +msgid "Language" +msgstr "Linguaggio" + +msgid "Date format" +msgstr "Formato della data" + +msgid "Time format" +msgstr "Formato dell'orario" + +msgid "Theme" +msgstr "Tema" + +msgid "Light" +msgstr "Chiaro" + +msgid "Dark" +msgstr "Scuro" + +msgid "Show uncompleted todos on top of the lists" +msgstr "Mostra todo inclompleti in cima alla lista" + +msgid "Save geo-location with notes" +msgstr "Salva geo-localizzazione con le note" + +msgid "Synchronisation interval" +msgstr "Intervallo di sincronizzazione" + +msgid "Disabled" +msgstr "Disabilitato" + +#, javascript-format +msgid "%d minutes" +msgstr "%d minuti" + +#, javascript-format +msgid "%d hour" +msgstr "%d ora" + +#, javascript-format +msgid "%d hours" +msgstr "%d ore" + +msgid "Automatically update the application" +msgstr "Aggiorna automaticamente l'applicazione" + +msgid "Show advanced options" +msgstr "Mostra opzioni avanzate" + +msgid "Synchronisation target" +msgstr "Destinazione di sincronizzazione" + +msgid "" +"The target to synchonise to. If synchronising with the file system, set " +"`sync.2.path` to specify the target directory." +msgstr "" +"La destinazione della sincronizzazione. Se si sincronizza con il file " +"system, impostare ' Sync. 2. Path ' per specificare la directory di " +"destinazione." + +msgid "Directory to synchronise with (absolute path)" +msgstr "" + +msgid "" +"The path to synchronise with when file system synchronisation is enabled. " +"See `sync.target`." +msgstr "" +"Il percorso di sincronizzazione quando la sincronizzazione è abilitata. Vedi " +"`sync.target`." + +#, javascript-format +msgid "Invalid option value: \"%s\". Possible values are: %s." +msgstr "Oprione non valida: \"%s\". I valori possibili sono: %s." + +msgid "Items that cannot be synchronised" +msgstr "Elementi che non possono essere sincronizzati" + +#, javascript-format +msgid "\"%s\": \"%s\"" +msgstr "\"%s\": \"%s\"" + +msgid "Sync status (synced items / total items)" +msgstr "Stato di sincronizzazione (Elementi sincronizzati / Elementi totali)" + +#, javascript-format +msgid "%s: %d/%d" +msgstr "%s: %d/%d" + +#, javascript-format +msgid "Total: %d/%d" +msgstr "Totale: %d %d" + +#, javascript-format +msgid "Conflicted: %d" +msgstr "In conflitto: %d" + +#, javascript-format +msgid "To delete: %d" +msgstr "Da cancellare: %d" + +msgid "Folders" +msgstr "Cartelle" + +#, javascript-format +msgid "%s: %d notes" +msgstr "%s: %d note" + +msgid "Coming alarms" +msgstr "Avviso imminente" + +#, javascript-format +msgid "On %s: %s" +msgstr "Su %s: %s" + +msgid "There are currently no notes. Create one by clicking on the (+) button." +msgstr "Al momento non ci sono note. Creane una cliccando sul bottone (+)." + +msgid "Delete these notes?" +msgstr "Cancellare queste note?" + +msgid "Log" +msgstr "Log" + +msgid "Status" +msgstr "Stato" + +msgid "Export Debug Report" +msgstr "Esporta il Report di Debug" + +msgid "Configuration" +msgstr "Configurazione" + +msgid "Move to notebook..." +msgstr "Sposta sul blocco note..." + +#, javascript-format +msgid "Move %d notes to notebook \"%s\"?" +msgstr "Spostare le note %d sul blocco note \"%s\"?" + +msgid "Select date" +msgstr "Seleziona la data" + +msgid "Confirm" +msgstr "Conferma" + +msgid "Cancel synchronisation" +msgstr "Cancella la sincronizzazione" + +#, javascript-format +msgid "The notebook could not be saved: %s" +msgstr "Il blocco note non può essere salvato: %s" + +msgid "Edit notebook" +msgstr "Modifica blocco note" + +msgid "This note has been modified:" +msgstr "Questa note è stata modificata:" + +msgid "Save changes" +msgstr "Salva i cambiamenti" + +msgid "Discard changes" +msgstr "Ignora modifiche" + +#, javascript-format +msgid "Unsupported image type: %s" +msgstr "Tipo di immagine non supportata: %s" + +msgid "Attach photo" +msgstr "Allega foto" + +msgid "Attach any file" +msgstr "Allega qualsiasi file" + +msgid "Convert to note" +msgstr "Converti in nota" + +msgid "Convert to todo" +msgstr "Converti in Todo" + +msgid "Hide metadata" +msgstr "Nascondi i Metadati" + +msgid "Show metadata" +msgstr "Mostra i metadati" + +msgid "View on map" +msgstr "Guarda sulla mappa" + +msgid "Delete notebook" +msgstr "Cancella blocco note" + +msgid "Login with OneDrive" +msgstr "Accedi a OneDrive" + +msgid "" +"Click on the (+) button to create a new note or notebook. Click on the side " +"menu to access your existing notebooks." +msgstr "" +"Fare clic sul pulsante (+) per creare una nuova nota o un nuovo blocco note. " +"Fare clic sul menu laterale per accedere ai tuoi blocchi note esistenti." + +msgid "You currently have no notebook. Create one by clicking on (+) button." +msgstr "" +"Attualmente non hai nessun blocco note. Crearne uno cliccando sul pulsante " +"(+)." + +msgid "Welcome" +msgstr "Benvenuto" + +#, fuzzy +#~ msgid "Some items cannot be decrypted." +#~ msgstr "Alcuni elementi non possono essere sincronizzati." + +#~ msgid "Delete notebook?" +#~ msgstr "Eliminare il blocco note?" + +#~ msgid "Delete notebook \"%s\"?" +#~ msgstr "Eliminare il blocco note \"%s\"?" + +#~ msgid "File system synchronisation target directory" +#~ msgstr "Directory di destinazione della sincronizzazione nel file system" diff --git a/CliClient/locales/joplin.pot b/CliClient/locales/joplin.pot index f8eb912d4..a0050ad1d 100644 --- a/CliClient/locales/joplin.pot +++ b/CliClient/locales/joplin.pot @@ -208,7 +208,9 @@ msgstr "" msgid "Shortcuts are not available in CLI mode." msgstr "" -msgid "Type `help [command]` for more information about a command." +msgid "" +"Type `help [command]` for more information about a command; or type `help " +"all` for the complete usage information." msgstr "" msgid "The possible commands are:" @@ -343,8 +345,7 @@ msgstr "" msgid "Deletes the notebook without asking for confirmation." msgstr "" -#, javascript-format -msgid "Delete notebook \"%s\"?" +msgid "Delete notebook? All notes within this notebook will also be deleted." msgstr "" msgid "Deletes the notes matching ." @@ -363,7 +364,12 @@ msgstr "" msgid "Searches for the given in all the notes." msgstr "" -msgid "Sets the property of the given to the given [value]." +#, javascript-format +msgid "" +"Sets the property of the given to the given [value]. Possible " +"properties are:\n" +"\n" +"%s" msgstr "" msgid "Displays summary about the notes and notebooks." @@ -473,6 +479,15 @@ msgstr "" msgid "Search:" msgstr "" +msgid "" +"Welcome to Joplin!\n" +"\n" +"Type `:help shortcuts` for the list of keyboard shortcuts, or just `:help` " +"for usage information.\n" +"\n" +"For example, to create a notebook press `mb`; to create a note press `mn`." +msgstr "" + msgid "File" msgstr "" @@ -537,6 +552,13 @@ msgstr "" msgid "Cancel" msgstr "" +#, javascript-format +msgid "Notes and settings are stored in: %s" +msgstr "" + +msgid "Save" +msgstr "" + msgid "Back" msgstr "" @@ -581,6 +603,33 @@ msgstr "" msgid "View them now" msgstr "" +msgid "Active" +msgstr "" + +msgid "ID" +msgstr "" + +msgid "Source" +msgstr "" + +msgid "Created" +msgstr "" + +msgid "Updated" +msgstr "" + +msgid "Password" +msgstr "" + +msgid "Password OK" +msgstr "" + +msgid "" +"Note: Only one master key is going to be used for encryption (the one marked " +"as \"active\"). Any of the keys might be used for decryption, depending on " +"how the notes or notebooks were originally encrypted." +msgstr "" + msgid "Add or remove tags" msgstr "" @@ -596,6 +645,10 @@ msgstr "" msgid "No notes in here. Create one by clicking on \"New note\"." msgstr "" +msgid "" +"There is currently no notebook. Create one by clicking on \"New notebook\"." +msgstr "" + #, javascript-format msgid "Unsupported link or message: %s" msgstr "" @@ -621,9 +674,6 @@ msgstr "" msgid "Synchronisation Status" msgstr "" -msgid "Delete notebook?" -msgstr "" - msgid "Remove this tag from all the notes?" msgstr "" @@ -645,6 +695,9 @@ msgstr "" msgid "Searches" msgstr "" +msgid "Please select where the sync status should be exported to" +msgstr "" + #, javascript-format msgid "Usage: %s" msgstr "" @@ -752,14 +805,6 @@ msgstr "" msgid "Cannot move note to \"%s\" notebook" msgstr "" -msgid "File system synchronisation target directory" -msgstr "" - -msgid "" -"The path to synchronise with when file system synchronisation is enabled. " -"See `sync.target`." -msgstr "" - msgid "Text editor" msgstr "" @@ -824,6 +869,14 @@ msgid "" "`sync.2.path` to specify the target directory." msgstr "" +msgid "Directory to synchronise with (absolute path)" +msgstr "" + +msgid "" +"The path to synchronise with when file system synchronisation is enabled. " +"See `sync.target`." +msgstr "" + #, javascript-format msgid "Invalid option value: \"%s\". Possible values are: %s." msgstr "" diff --git a/CliClient/locales/pt_BR.po b/CliClient/locales/pt_BR.po new file mode 100644 index 000000000..ddecc4d90 --- /dev/null +++ b/CliClient/locales/pt_BR.po @@ -0,0 +1,1102 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR Laurent Cozic +# This file is distributed under the same license as the Joplin-CLI package. +# FIRST AUTHOR , YEAR. +# +msgid "" +msgstr "" +"Project-Id-Version: Joplin-CLI 1.0.0\n" +"Report-Msgid-Bugs-To: \n" +"Last-Translator: \n" +"Language-Team: \n" +"Language: pt_BR\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 2.0.5\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" + +msgid "Give focus to next pane" +msgstr "Dar o foco para o próximo painel" + +msgid "Give focus to previous pane" +msgstr "Dar o foco para o painel anterior" + +msgid "Enter command line mode" +msgstr "Entrar no modo de linha de comando" + +msgid "Exit command line mode" +msgstr "Sair do modo de linha de comando" + +msgid "Edit the selected note" +msgstr "Editar nota selecionada" + +msgid "Cancel the current command." +msgstr "Cancelar comando atual." + +msgid "Exit the application." +msgstr "Sair da aplicação." + +msgid "Delete the currently selected note or notebook." +msgstr "Excluir nota selecionada ou notebook." + +msgid "To delete a tag, untag the associated notes." +msgstr "Para eliminar uma tag, remova a tag das notas associadas a ela." + +msgid "Please select the note or notebook to be deleted first." +msgstr "Por favor, primeiro, selecione a nota ou caderno a excluir." + +msgid "Set a to-do as completed / not completed" +msgstr "Marcar uma tarefa como completada / não completada" + +msgid "[t]oggle [c]onsole between maximized/minimized/hidden/visible." +msgstr "al[t]ernar [c]onsole entre maximizado / minimizado / oculto / visível." + +msgid "Search" +msgstr "Procurar" + +msgid "[t]oggle note [m]etadata." +msgstr "al[t]ernar [m]etadados de notas." + +msgid "[M]ake a new [n]ote" +msgstr "Criar ([M]ake) uma nova [n]ota" + +msgid "[M]ake a new [t]odo" +msgstr "Criar ([M]ake) nova [t]arefa" + +msgid "[M]ake a new note[b]ook" +msgstr "Criar ([M]ake) novo caderno (note[b]ook)" + +msgid "Copy ([Y]ank) the [n]ote to a notebook." +msgstr "Copiar ([Y]ank) a [n]ota a um caderno." + +msgid "Move the note to a notebook." +msgstr "Mover nota para um caderno." + +msgid "Press Ctrl+D or type \"exit\" to exit the application" +msgstr "Digite Ctrl+D ou \"exit\" para sair da aplicação" + +#, javascript-format +msgid "More than one item match \"%s\". Please narrow down your query." +msgstr "Mais que um item combinam com \"%s\". Por favor, refine sua pesquisa." + +msgid "No notebook selected." +msgstr "Nenhum caderno selecionado." + +msgid "No notebook has been specified." +msgstr "Nenhum caderno foi especificado." + +msgid "Y" +msgstr "S" + +msgid "n" +msgstr "n" + +msgid "N" +msgstr "N" + +msgid "y" +msgstr "s" + +msgid "Cancelling background synchronisation... Please wait." +msgstr "Cancelando sincronização em segundo plano... Por favor, aguarde." + +#, fuzzy, javascript-format +msgid "No such command: %s" +msgstr "Comando inválido: \"%s\"" + +#, javascript-format +msgid "The command \"%s\" is only available in GUI mode" +msgstr "O comando \"%s\" está disponível somente em modo gráfico" + +#, javascript-format +msgid "Missing required argument: %s" +msgstr "Argumento requerido faltando: %s" + +#, javascript-format +msgid "%s: %s" +msgstr "%s: %s" + +msgid "Your choice: " +msgstr "Sua escolha: " + +#, javascript-format +msgid "Invalid answer: %s" +msgstr "Resposta inválida: %s" + +msgid "Attaches the given file to the note." +msgstr "Anexa o arquivo dado à nota." + +#, javascript-format +msgid "Cannot find \"%s\"." +msgstr "Não posso encontrar \"%s\"." + +msgid "Displays the given note." +msgstr "Exibe a nota informada." + +msgid "Displays the complete information about note." +msgstr "Exibe a informação completa sobre a nota." + +msgid "" +"Gets or sets a config value. If [value] is not provided, it will show the " +"value of [name]. If neither [name] nor [value] is provided, it will list the " +"current configuration." +msgstr "" +"Obtém ou define um valor de configuração. Se [valor] não for fornecido, ele " +"mostrará o valor de [nome]. Se nem [nome] nem [valor] forem fornecidos, ele " +"listará a configuração atual." + +msgid "Also displays unset and hidden config variables." +msgstr "Também exibe variáveis de configuração não definidas e ocultas." + +#, javascript-format +msgid "%s = %s (%s)" +msgstr "%s = %s (%s)" + +#, javascript-format +msgid "%s = %s" +msgstr "%s = %s" + +msgid "" +"Duplicates the notes matching to [notebook]. If no notebook is " +"specified the note is duplicated in the current notebook." +msgstr "" +"Duplica as notas que correspondem a para o [caderno]. Se nenhum " +"caderno for especificado, a nota será duplicada no caderno atual." + +msgid "Marks a to-do as done." +msgstr "Marca uma tarefa como feita." + +#, javascript-format +msgid "Note is not a to-do: \"%s\"" +msgstr "Nota não é uma tarefa: \"%s\"" + +msgid "Edit note." +msgstr "Editar nota." + +msgid "" +"No text editor is defined. Please set it using `config editor `" +msgstr "" +"Nenhum editor de texto está definido. Defina-o usando o comando `config edit " +"`" + +msgid "No active notebook." +msgstr "Nenhum caderno ativo." + +#, javascript-format +msgid "Note does not exist: \"%s\". Create it?" +msgstr "A nota não existe: \"%s\". Criar?" + +msgid "Starting to edit note. Close the editor to get back to the prompt." +msgstr "Começando a editar a nota. Feche o editor para voltar ao prompt." + +msgid "Note has been saved." +msgstr "Nota gravada." + +msgid "Exits the application." +msgstr "Sai da aplicação." + +msgid "" +"Exports Joplin data to the given directory. By default, it will export the " +"complete database including notebooks, notes, tags and resources." +msgstr "" +"Exporta os dados do Joplin para o diretório informado. Por padrão, ele " +"exportará o banco de dados completo, incluindo cadernos, notas, tags e " +"recursos." + +msgid "Exports only the given note." +msgstr "Exporta apenas a nota fornecida." + +msgid "Exports only the given notebook." +msgstr "Exporta apenas o caderno fornecido." + +msgid "Displays a geolocation URL for the note." +msgstr "Exibe uma URL de geolocalização para a nota." + +msgid "Displays usage information." +msgstr "Exibe informações de uso." + +msgid "Shortcuts are not available in CLI mode." +msgstr "Os atalhos não estão disponíveis no modo CLI." + +#, fuzzy +msgid "" +"Type `help [command]` for more information about a command; or type `help " +"all` for the complete usage information." +msgstr "Digite `help [comando]` para obter mais informações sobre um comando." + +msgid "The possible commands are:" +msgstr "Os comandos possíveis são:" + +msgid "" +"In any command, a note or notebook can be refered to by title or ID, or " +"using the shortcuts `$n` or `$b` for, respectively, the currently selected " +"note or notebook. `$c` can be used to refer to the currently selected item." +msgstr "" +"Em qualquer comando, uma nota ou caderno pode ser referenciado por título ou " +"ID, ou usando os atalhos `$n` ou` $b` para, respectivamente, a nota ou " +"caderno selecionado. `$c` pode ser usado para se referenciar ao item " +"atualmente selecionado." + +msgid "To move from one pane to another, press Tab or Shift+Tab." +msgstr "Para mover de um painel para outro, pressione Tab ou Shift + Tab." + +msgid "" +"Use the arrows and page up/down to scroll the lists and text areas " +"(including this console)." +msgstr "" +"Use as setas e a Page Up/Page Down para rolar as listas e áreas de texto " +"(incluindo este console)." + +msgid "To maximise/minimise the console, press \"TC\"." +msgstr "Para maximizar / minimizar o console, pressione \"TC\"." + +msgid "To enter command line mode, press \":\"" +msgstr "Para entrar no modo de linha de comando, pressione \":\"" + +msgid "To exit command line mode, press ESCAPE" +msgstr "Para sair do modo de linha de comando, pressione o ESC" + +msgid "" +"For the complete list of available keyboard shortcuts, type `help shortcuts`" +msgstr "" +"Para a lista completa de atalhos de teclado disponíveis, digite `help " +"shortcuts`" + +msgid "Imports an Evernote notebook file (.enex file)." +msgstr "Importa um arquivo de caderno do Evernote (arquivo .enex)." + +msgid "Do not ask for confirmation." +msgstr "Não pedir confirmação." + +#, javascript-format +msgid "File \"%s\" will be imported into existing notebook \"%s\". Continue?" +msgstr "" +"O arquivo \"%s\" será importado para o caderno existente \"%s\". Continuar?" + +#, javascript-format +msgid "" +"New notebook \"%s\" will be created and file \"%s\" will be imported into " +"it. Continue?" +msgstr "" +"O novo caderno \"%s\" será criado e o arquivo \"%s\" será importado para " +"ele. Continuar?" + +#, javascript-format +msgid "Found: %d." +msgstr "Encontrado: %d." + +#, javascript-format +msgid "Created: %d." +msgstr "Criado: %d." + +#, javascript-format +msgid "Updated: %d." +msgstr "Atualizado: %d." + +#, javascript-format +msgid "Skipped: %d." +msgstr "Ignorado: %d." + +#, javascript-format +msgid "Resources: %d." +msgstr "Recursos: %d." + +#, javascript-format +msgid "Tagged: %d." +msgstr "Tag adicionada: %d." + +msgid "Importing notes..." +msgstr "Importando notas ..." + +#, javascript-format +msgid "The notes have been imported: %s" +msgstr "As notas foram importadas: %s" + +msgid "" +"Displays the notes in the current notebook. Use `ls /` to display the list " +"of notebooks." +msgstr "" +"Exibe as notas no caderno atual. Use `ls /` para exibir a lista de cadernos." + +msgid "Displays only the first top notes." +msgstr "Exibe apenas as primeiras notas." + +msgid "Sorts the item by (eg. title, updated_time, created_time)." +msgstr "Classifica o item por (ex.: title, update_time, created_time)." + +msgid "Reverses the sorting order." +msgstr "Inverte a ordem de classificação." + +msgid "" +"Displays only the items of the specific type(s). Can be `n` for notes, `t` " +"for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the " +"to-dos, while `-ttd` would display notes and to-dos." +msgstr "" +"Exibe apenas os itens do(s) tipo(s) específico(s). Pode ser `n` para notas,` " +"t` para tarefas, ou `nt` para notas e tarefas (por exemplo.` -tt` exibiria " +"apenas os itens pendentes, enquanto `-ttd` exibiria notas e tarefas ." + +msgid "Either \"text\" or \"json\"" +msgstr "Ou \"text\" ou \"json\"" + +msgid "" +"Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, " +"TODO_CHECKED (for to-dos), TITLE" +msgstr "" +"Use o formato da lista longa. O formato é ID, NOTE_COUNT (para caderno), " +"DATE, TODO_CHECKED (para tarefas), TITLE" + +msgid "Please select a notebook first." +msgstr "Por favor, selecione um caderno primeiro." + +msgid "Creates a new notebook." +msgstr "Cria um novo caderno." + +msgid "Creates a new note." +msgstr "Cria uma nova nota." + +msgid "Notes can only be created within a notebook." +msgstr "As notas só podem ser criadas dentro de um caderno." + +msgid "Creates a new to-do." +msgstr "Cria uma nova tarefa." + +msgid "Moves the notes matching to [notebook]." +msgstr "Move as notas correspondentes para [caderno]." + +msgid "Renames the given (note or notebook) to ." +msgstr "Renomeia o dado (nota ou caderno) para ." + +msgid "Deletes the given notebook." +msgstr "Exclui o caderno informado." + +msgid "Deletes the notebook without asking for confirmation." +msgstr "Exclui o caderno sem pedir confirmação." + +msgid "Delete notebook? All notes within this notebook will also be deleted." +msgstr "" + +msgid "Deletes the notes matching ." +msgstr "Exclui as notas correspondentes ao padrão ." + +msgid "Deletes the notes without asking for confirmation." +msgstr "Exclui as notas sem pedir confirmação." + +#, javascript-format +msgid "%d notes match this pattern. Delete them?" +msgstr "%d notas correspondem a este padrão. Apagar todos?" + +msgid "Delete note?" +msgstr "Apagar nota?" + +msgid "Searches for the given in all the notes." +msgstr "Procura o padrão em todas as notas." + +#, fuzzy, javascript-format +msgid "" +"Sets the property of the given to the given [value]. Possible " +"properties are:\n" +"\n" +"%s" +msgstr "Define a propriedade da para o dado [valor]." + +msgid "Displays summary about the notes and notebooks." +msgstr "Exibe sumário sobre as notas e cadernos." + +msgid "Synchronises with remote storage." +msgstr "Sincroniza com o armazenamento remoto." + +msgid "Sync to provided target (defaults to sync.target config value)" +msgstr "" +"Sincronizar para destino fornecido (p padrão é o valor de configuração sync." +"target)" + +msgid "Synchronisation is already in progress." +msgstr "A sincronização já está em andamento." + +#, javascript-format +msgid "" +"Lock file is already being hold. If you know that no synchronisation is " +"taking place, you may delete the lock file at \"%s\" and resume the " +"operation." +msgstr "" +"O arquivo de bloqueio já está ativo. Se você sabe que nenhuma sincronização " +"está ocorrendo, você pode excluir o arquivo de bloqueio em \"%s\" e retomar " +"a operação." + +msgid "" +"Authentication was not completed (did not receive an authentication token)." +msgstr "" +"A autenticação não foi concluída (não recebeu um token de autenticação)." + +#, javascript-format +msgid "Synchronisation target: %s (%s)" +msgstr "Alvo de sincronização: %s (%s)" + +msgid "Cannot initialize synchroniser." +msgstr "Não é possível inicializar o sincronizador." + +msgid "Starting synchronisation..." +msgstr "Iniciando sincronização..." + +msgid "Cancelling... Please wait." +msgstr "Cancelando... Aguarde." + +msgid "" +" can be \"add\", \"remove\" or \"list\" to assign or remove " +"[tag] from [note], or to list the notes associated with [tag]. The command " +"`tag list` can be used to list all the tags." +msgstr "" +" pode ser \"add\", \"remove\" ou \"list\" para atribuir ou " +"remover [tag] de [nota], ou para listar as notas associadas a [tag]. O " +"comando `taglist` pode ser usado para listar todas as tags." + +#, javascript-format +msgid "Invalid command: \"%s\"" +msgstr "Comando inválido: \"%s\"" + +msgid "" +" can either be \"toggle\" or \"clear\". Use \"toggle\" to " +"toggle the given to-do between completed and uncompleted state (If the " +"target is a regular note it will be converted to a to-do). Use \"clear\" to " +"convert the to-do back to a regular note." +msgstr "" +" pode ser \"toggle\" ou \"clear\". Use \"toggle\" para " +"alternar entre as tarefas entre o estado completo e incompleto (se o alvo " +"for uma nota comum, ele será convertido em uma tarefa a fazer). Use \"clear" +"\" para converter a tarefa em uma nota normal." + +msgid "Marks a to-do as non-completed." +msgstr "Marca uma tarefa como não completada." + +msgid "" +"Switches to [notebook] - all further operations will happen within this " +"notebook." +msgstr "" +"Alterna para [caderno] - todas as operações adicionais acontecerão dentro " +"deste caderno." + +msgid "Displays version information" +msgstr "Exibe informações da versão" + +#, javascript-format +msgid "%s %s (%s)" +msgstr "%s %s (%s)" + +msgid "Enum" +msgstr "Enum" + +#, javascript-format +msgid "Type: %s." +msgstr "Tipo: %s." + +#, javascript-format +msgid "Possible values: %s." +msgstr "Valores possíveis: %s." + +#, javascript-format +msgid "Default: %s" +msgstr "Padrão: %s" + +msgid "Possible keys/values:" +msgstr "Possíveis chaves/valores:" + +msgid "Fatal error:" +msgstr "Erro fatal:" + +msgid "" +"The application has been authorised - you may now close this browser tab." +msgstr "" +"O aplicativo foi autorizado - agora você pode fechar esta guia do navegador." + +msgid "The application has been successfully authorised." +msgstr "O aplicativo foi autorizado com sucesso." + +msgid "" +"Please open the following URL in your browser to authenticate the " +"application. The application will create a directory in \"Apps/Joplin\" and " +"will only read and write files in this directory. It will have no access to " +"any files outside this directory nor to any other personal data. No data " +"will be shared with any third party." +msgstr "" +"Abra a seguinte URL no seu navegador para autenticar o aplicativo. O " +"aplicativo criará um diretório em \"Apps/Joplin\" e somente lerá e gravará " +"arquivos neste diretório. Não terá acesso a nenhum arquivo fora deste " +"diretório nem a nenhum outro dado pessoal. Nenhum dado será compartilhado " +"com terceiros." + +msgid "Search:" +msgstr "Procurar:" + +msgid "" +"Welcome to Joplin!\n" +"\n" +"Type `:help shortcuts` for the list of keyboard shortcuts, or just `:help` " +"for usage information.\n" +"\n" +"For example, to create a notebook press `mb`; to create a note press `mn`." +msgstr "" + +msgid "File" +msgstr "Arquivo" + +msgid "New note" +msgstr "Nova nota" + +msgid "New to-do" +msgstr "Nova tarefa" + +msgid "New notebook" +msgstr "Novo caderno" + +msgid "Import Evernote notes" +msgstr "Importar notas do Evernote" + +msgid "Evernote Export Files" +msgstr "Arquivos de Exportação do Evernote" + +msgid "Quit" +msgstr "Sair" + +msgid "Edit" +msgstr "Editar" + +msgid "Copy" +msgstr "Copiar" + +msgid "Cut" +msgstr "Cortar" + +msgid "Paste" +msgstr "Colar" + +msgid "Search in all the notes" +msgstr "Pesquisar em todas as notas" + +msgid "Tools" +msgstr "Ferramentas" + +#, fuzzy +msgid "Synchronisation status" +msgstr "Alvo de sincronização" + +msgid "Options" +msgstr "Opções" + +msgid "Help" +msgstr "Ajuda" + +msgid "Website and documentation" +msgstr "Website e documentação" + +msgid "About Joplin" +msgstr "Sobre o Joplin" + +#, javascript-format +msgid "%s %s (%s, %s)" +msgstr "%s %s (%s, %s)" + +msgid "OK" +msgstr "OK" + +msgid "Cancel" +msgstr "Cancelar" + +#, javascript-format +msgid "Notes and settings are stored in: %s" +msgstr "" + +msgid "Save" +msgstr "" + +msgid "Back" +msgstr "Voltar" + +#, javascript-format +msgid "" +"New notebook \"%s\" will be created and file \"%s\" will be imported into it" +msgstr "" +"O novo caderno \"%s\" será criado e o arquivo \"%s\" será importado para ele" + +msgid "Please create a notebook first." +msgstr "Primeiro, crie um caderno." + +msgid "Note title:" +msgstr "Título da nota:" + +msgid "Please create a notebook first" +msgstr "Primeiro, crie um caderno" + +msgid "To-do title:" +msgstr "Título da tarefa:" + +msgid "Notebook title:" +msgstr "Título do caderno:" + +msgid "Add or remove tags:" +msgstr "Adicionar ou remover tags:" + +msgid "Separate each tag by a comma." +msgstr "Separe cada tag por vírgula." + +msgid "Rename notebook:" +msgstr "Renomear caderno:" + +msgid "Set alarm:" +msgstr "Definir alarme:" + +msgid "Layout" +msgstr "Layout" + +#, fuzzy +msgid "Some items cannot be synchronised." +msgstr "Não é possível inicializar o sincronizador." + +msgid "View them now" +msgstr "" + +msgid "Active" +msgstr "" + +msgid "ID" +msgstr "" + +msgid "Source" +msgstr "" + +#, fuzzy +msgid "Created" +msgstr "Criado: %d." + +#, fuzzy +msgid "Updated" +msgstr "Atualizado: %d." + +msgid "Password" +msgstr "" + +msgid "Password OK" +msgstr "" + +msgid "" +"Note: Only one master key is going to be used for encryption (the one marked " +"as \"active\"). Any of the keys might be used for decryption, depending on " +"how the notes or notebooks were originally encrypted." +msgstr "" + +msgid "Add or remove tags" +msgstr "Adicionar ou remover tags" + +msgid "Switch between note and to-do type" +msgstr "Alternar entre os tipos Nota e Tarefa" + +msgid "Delete" +msgstr "Excluir" + +msgid "Delete notes?" +msgstr "Excluir notas?" + +msgid "No notes in here. Create one by clicking on \"New note\"." +msgstr "Não há notas aqui. Crie uma, clicando em \"Nova nota\"." + +#, fuzzy +msgid "" +"There is currently no notebook. Create one by clicking on \"New notebook\"." +msgstr "Atualmente, não há notas. Crie uma, clicando no botão (+)." + +#, javascript-format +msgid "Unsupported link or message: %s" +msgstr "Link ou mensagem não suportada: %s" + +msgid "Attach file" +msgstr "Anexar arquivo" + +msgid "Set alarm" +msgstr "Definir alarme" + +msgid "Refresh" +msgstr "Atualizar" + +msgid "Clear" +msgstr "Limpar (clear)" + +msgid "OneDrive Login" +msgstr "Login no OneDrive" + +msgid "Import" +msgstr "Importar" + +#, fuzzy +msgid "Synchronisation Status" +msgstr "Alvo de sincronização" + +msgid "Remove this tag from all the notes?" +msgstr "Remover esta tag de todas as notas?" + +msgid "Remove this search from the sidebar?" +msgstr "Remover essa pesquisa da barra lateral?" + +msgid "Rename" +msgstr "Renomear" + +msgid "Synchronise" +msgstr "Sincronizar" + +msgid "Notebooks" +msgstr "Cadernos" + +msgid "Tags" +msgstr "Tags" + +msgid "Searches" +msgstr "Pesquisas" + +#, fuzzy +msgid "Please select where the sync status should be exported to" +msgstr "Por favor, primeiro, selecione a nota ou caderno a excluir." + +#, javascript-format +msgid "Usage: %s" +msgstr "Uso: %s" + +#, javascript-format +msgid "Unknown flag: %s" +msgstr "Flag desconhecido: %s" + +msgid "File system" +msgstr "Sistema de arquivos" + +msgid "OneDrive" +msgstr "OneDrive" + +msgid "OneDrive Dev (For testing only)" +msgstr "OneDrive Dev (apenas para testes)" + +#, javascript-format +msgid "Unknown log level: %s" +msgstr "Nível de log desconhecido: %s" + +#, javascript-format +msgid "Unknown level ID: %s" +msgstr "Nível ID desconhecido: %s" + +msgid "" +"Cannot refresh token: authentication data is missing. Starting the " +"synchronisation again may fix the problem." +msgstr "" +"Não é possível atualizar token: faltam dados de autenticação. Iniciar a " +"sincronização novamente pode corrigir o problema." + +msgid "" +"Could not synchronize with OneDrive.\n" +"\n" +"This error often happens when using OneDrive for Business, which " +"unfortunately cannot be supported.\n" +"\n" +"Please consider using a regular OneDrive account." +msgstr "" +"Não foi possível sincronizar com o OneDrive.\n" +"\n" +"Este erro geralmente acontece ao usar o OneDrive for Business, que " +"infelizmente não pode ser suportado.\n" +"\n" +"Considere usar uma conta regular do OneDrive." + +#, javascript-format +msgid "Cannot access %s" +msgstr "Não é possível acessar %s" + +#, javascript-format +msgid "Created local items: %d." +msgstr "Itens locais criados: %d." + +#, javascript-format +msgid "Updated local items: %d." +msgstr "Itens locais atualizados: %d." + +#, javascript-format +msgid "Created remote items: %d." +msgstr "Itens remotos criados: %d." + +#, javascript-format +msgid "Updated remote items: %d." +msgstr "Itens remotos atualizados: %d." + +#, javascript-format +msgid "Deleted local items: %d." +msgstr "Itens locais excluídos: %d." + +#, javascript-format +msgid "Deleted remote items: %d." +msgstr "Itens remotos excluídos: %d." + +#, javascript-format +msgid "State: \"%s\"." +msgstr "Estado: \"%s\"." + +msgid "Cancelling..." +msgstr "Cancelando..." + +#, javascript-format +msgid "Completed: %s" +msgstr "Completado: %s" + +#, javascript-format +msgid "Synchronisation is already in progress. State: %s" +msgstr "Sincronização já em andamento. Estado: %s" + +msgid "Conflicts" +msgstr "Conflitos" + +#, javascript-format +msgid "A notebook with this title already exists: \"%s\"" +msgstr "Já existe caderno com este título: \"%s\"" + +#, javascript-format +msgid "Notebooks cannot be named \"%s\", which is a reserved title." +msgstr "" +"Os cadernos não podem ser nomeados como\"%s\", que é um título reservado." + +msgid "Untitled" +msgstr "Sem título" + +msgid "This note does not have geolocation information." +msgstr "Esta nota não possui informações de geolocalização." + +#, javascript-format +msgid "Cannot copy note to \"%s\" notebook" +msgstr "Não é possível copiar a nota para o caderno \"%s\" " + +#, javascript-format +msgid "Cannot move note to \"%s\" notebook" +msgstr "Não é possível mover a nota para o caderno \"%s\"" + +msgid "Text editor" +msgstr "Editor de texto" + +msgid "" +"The editor that will be used to open a note. If none is provided it will try " +"to auto-detect the default editor." +msgstr "" +"O editor que será usado para abrir uma nota. Se nenhum for indicado, ele " +"tentará detectar automaticamente o editor padrão." + +msgid "Language" +msgstr "Idioma" + +msgid "Date format" +msgstr "Formato de data" + +msgid "Time format" +msgstr "Formato de hora" + +msgid "Theme" +msgstr "Tema" + +msgid "Light" +msgstr "Light" + +msgid "Dark" +msgstr "Dark" + +msgid "Show uncompleted todos on top of the lists" +msgstr "Mostrar tarefas incompletas no topo das listas" + +msgid "Save geo-location with notes" +msgstr "Salvar geolocalização com notas" + +msgid "Synchronisation interval" +msgstr "Intervalo de sincronização" + +msgid "Disabled" +msgstr "Desabilitado" + +#, javascript-format +msgid "%d minutes" +msgstr "%d minutos" + +#, javascript-format +msgid "%d hour" +msgstr "%d hora" + +#, javascript-format +msgid "%d hours" +msgstr "%d horas" + +msgid "Automatically update the application" +msgstr "Atualizar automaticamente o aplicativo" + +msgid "Show advanced options" +msgstr "Mostrar opções avançadas" + +msgid "Synchronisation target" +msgstr "Alvo de sincronização" + +msgid "" +"The target to synchonise to. If synchronising with the file system, set " +"`sync.2.path` to specify the target directory." +msgstr "" +"O alvo para sincronizar. Se estiver sincronizando com o sistema de arquivos, " +"configure `sync.2.path` para especificar o diretório de destino." + +msgid "Directory to synchronise with (absolute path)" +msgstr "" + +msgid "" +"The path to synchronise with when file system synchronisation is enabled. " +"See `sync.target`." +msgstr "" +"O caminho para sincronizar, quando a sincronização do sistema de arquivos " +"está habilitada. Veja `sync.target`." + +#, javascript-format +msgid "Invalid option value: \"%s\". Possible values are: %s." +msgstr "Valor da opção inválida: \"%s\". Os valores possíveis são: %s." + +msgid "Items that cannot be synchronised" +msgstr "" + +#, javascript-format +msgid "\"%s\": \"%s\"" +msgstr "" + +msgid "Sync status (synced items / total items)" +msgstr "Status de sincronização (sincronizados / totais)" + +#, javascript-format +msgid "%s: %d/%d" +msgstr "%s: %d/%d" + +#, javascript-format +msgid "Total: %d/%d" +msgstr "Total: %d/%d" + +#, javascript-format +msgid "Conflicted: %d" +msgstr "Em conflito: %d" + +#, javascript-format +msgid "To delete: %d" +msgstr "Para excluir: %d" + +msgid "Folders" +msgstr "Pastas" + +#, javascript-format +msgid "%s: %d notes" +msgstr "%s: %d notas" + +msgid "Coming alarms" +msgstr "Próximos alarmes" + +#, javascript-format +msgid "On %s: %s" +msgstr "Em %s: %s" + +msgid "There are currently no notes. Create one by clicking on the (+) button." +msgstr "Atualmente, não há notas. Crie uma, clicando no botão (+)." + +msgid "Delete these notes?" +msgstr "Excluir estas notas?" + +msgid "Log" +msgstr "Log" + +msgid "Status" +msgstr "Status" + +msgid "Export Debug Report" +msgstr "Exportar Relatório de Debug" + +msgid "Configuration" +msgstr "Configuração" + +msgid "Move to notebook..." +msgstr "Mover para o caderno..." + +#, javascript-format +msgid "Move %d notes to notebook \"%s\"?" +msgstr "Mover %d notas para o caderno \"%s\"?" + +msgid "Select date" +msgstr "Selecionar data" + +msgid "Confirm" +msgstr "Confirmar" + +msgid "Cancel synchronisation" +msgstr "Cancelar sincronização" + +#, javascript-format +msgid "The notebook could not be saved: %s" +msgstr "O caderno não pôde ser salvo: %s" + +msgid "Edit notebook" +msgstr "Editar caderno" + +msgid "This note has been modified:" +msgstr "Esta nota foi modificada:" + +msgid "Save changes" +msgstr "Gravar alterações" + +msgid "Discard changes" +msgstr "Descartar alterações" + +#, javascript-format +msgid "Unsupported image type: %s" +msgstr "Tipo de imagem não suportada: %s" + +msgid "Attach photo" +msgstr "Anexar foto" + +msgid "Attach any file" +msgstr "Anexar qualquer arquivo" + +msgid "Convert to note" +msgstr "Converter para nota" + +msgid "Convert to todo" +msgstr "Converter para tarefa" + +msgid "Hide metadata" +msgstr "Ocultar metadados" + +msgid "Show metadata" +msgstr "Exibir metadados" + +msgid "View on map" +msgstr "Ver no mapa" + +msgid "Delete notebook" +msgstr "Excluir caderno" + +msgid "Login with OneDrive" +msgstr "Login com OneDrive" + +msgid "" +"Click on the (+) button to create a new note or notebook. Click on the side " +"menu to access your existing notebooks." +msgstr "" +"Clique no botão (+) para criar uma nova nota ou caderno. Clique no menu " +"lateral para acessar seus cadernos existentes." + +msgid "You currently have no notebook. Create one by clicking on (+) button." +msgstr "Você não possui cadernos. Crie um clicando no botão (+)." + +msgid "Welcome" +msgstr "Bem-vindo" + +#, fuzzy +#~ msgid "Some items cannot be decrypted." +#~ msgstr "Não é possível inicializar o sincronizador." + +#~ msgid "Delete notebook?" +#~ msgstr "Excluir caderno?" + +#~ msgid "Delete notebook \"%s\"?" +#~ msgstr "Apagar o caderno \"%s\"?" + +#~ msgid "File system synchronisation target directory" +#~ msgstr "Diretório de destino de sincronização do sistema de arquivos" diff --git a/CliClient/locales/ru_RU.po b/CliClient/locales/ru_RU.po new file mode 100644 index 000000000..37c804c0f --- /dev/null +++ b/CliClient/locales/ru_RU.po @@ -0,0 +1,1095 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR Laurent Cozic +# This file is distributed under the same license as the Joplin-CLI package. +# FIRST AUTHOR , YEAR. +# +msgid "" +msgstr "" +"Project-Id-Version: Joplin-CLI 1.0.0\n" +"Report-Msgid-Bugs-To: \n" +"Last-Translator: rtmkrlv \n" +"Language-Team: \n" +"Language: ru_RU\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 2.0.4\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" + +msgid "Give focus to next pane" +msgstr "Переключиться на следующую панель" + +msgid "Give focus to previous pane" +msgstr "Переключиться на предыдущую панель" + +msgid "Enter command line mode" +msgstr "Войти в режим командной строки" + +msgid "Exit command line mode" +msgstr "Выйти из режима командной строки" + +msgid "Edit the selected note" +msgstr "Редактировать выбранную заметку" + +msgid "Cancel the current command." +msgstr "Отменить текущую команду." + +msgid "Exit the application." +msgstr "Выйти из приложения." + +msgid "Delete the currently selected note or notebook." +msgstr "Удалить текущую выбранную заметку или блокнот." + +msgid "To delete a tag, untag the associated notes." +msgstr "Чтобы удалить тег, уберите его с ассоциированных с ним заметок." + +msgid "Please select the note or notebook to be deleted first." +msgstr "Сначала выберите заметку или блокнот, которые должны быть удалены." + +msgid "Set a to-do as completed / not completed" +msgstr "Отметить задачу как завершённую/незавершённую" + +msgid "[t]oggle [c]onsole between maximized/minimized/hidden/visible." +msgstr "[tc] переключить консоль между развёрнутой/свёрнутой/скрытой/видимой." + +msgid "Search" +msgstr "Поиск" + +msgid "[t]oggle note [m]etadata." +msgstr "[tm] переключить отображение метаданных заметки." + +msgid "[M]ake a new [n]ote" +msgstr "[mn] создать новую заметку" + +msgid "[M]ake a new [t]odo" +msgstr "[mt] создать новую задачу" + +msgid "[M]ake a new note[b]ook" +msgstr "[mb] создать новый блокнот" + +msgid "Copy ([Y]ank) the [n]ote to a notebook." +msgstr "[yn] копировать заметку в блокнот." + +msgid "Move the note to a notebook." +msgstr "Переместить заметку в блокнот." + +msgid "Press Ctrl+D or type \"exit\" to exit the application" +msgstr "Для выхода из приложения нажмите Ctrl+D или введите «exit»" + +#, javascript-format +msgid "More than one item match \"%s\". Please narrow down your query." +msgstr "" +"Более одного элемента соответствуют «%s». Уточните ваш запрос, пожалуйста." + +msgid "No notebook selected." +msgstr "Не выбран блокнот." + +msgid "No notebook has been specified." +msgstr "Не был указан блокнот." + +msgid "Y" +msgstr "Y" + +msgid "n" +msgstr "n" + +msgid "N" +msgstr "N" + +msgid "y" +msgstr "y" + +msgid "Cancelling background synchronisation... Please wait." +msgstr "Отмена фоновой синхронизации... Пожалуйста, ожидайте." + +#, javascript-format +msgid "No such command: %s" +msgstr "Нет такой команды: %s" + +#, javascript-format +msgid "The command \"%s\" is only available in GUI mode" +msgstr "Команда «%s» доступна только в режиме GUI" + +#, javascript-format +msgid "Missing required argument: %s" +msgstr "Отсутствует требуемый аргумент: %s" + +#, javascript-format +msgid "%s: %s" +msgstr "%s: %s" + +msgid "Your choice: " +msgstr "Ваш выбор:" + +#, javascript-format +msgid "Invalid answer: %s" +msgstr "Неверный ответ: %s" + +msgid "Attaches the given file to the note." +msgstr "Прикрепляет заданный файл к заметке." + +#, javascript-format +msgid "Cannot find \"%s\"." +msgstr "Не удалось найти «%s»." + +msgid "Displays the given note." +msgstr "Отображает заданную заметку." + +msgid "Displays the complete information about note." +msgstr "Отображает полную информацию о заметке." + +msgid "" +"Gets or sets a config value. If [value] is not provided, it will show the " +"value of [name]. If neither [name] nor [value] is provided, it will list the " +"current configuration." +msgstr "" +"Выводит или задаёт параметр конфигурации. Если [value] не указано, выведет " +"значение [name]. Если не указаны ни [name], ни [value], выведет текущую " +"конфигурацию." + +msgid "Also displays unset and hidden config variables." +msgstr "Также выводит неустановленные или скрытые переменные конфигурации." + +#, javascript-format +msgid "%s = %s (%s)" +msgstr "%s = %s (%s)" + +#, javascript-format +msgid "%s = %s" +msgstr "%s = %s" + +msgid "" +"Duplicates the notes matching to [notebook]. If no notebook is " +"specified the note is duplicated in the current notebook." +msgstr "" +"Дублирует заметки, содержащие , в [notebook]. Если блокнот не указан, " +"заметки продублируются в текущем." + +msgid "Marks a to-do as done." +msgstr "Отмечает задачу как завершённую." + +#, javascript-format +msgid "Note is not a to-do: \"%s\"" +msgstr "Заметка не является задачей: «%s»" + +msgid "Edit note." +msgstr "Редактировать заметку." + +msgid "" +"No text editor is defined. Please set it using `config editor `" +msgstr "" +"Текстовый редактор не определён. Задайте его, используя `config editor " +"`" + +msgid "No active notebook." +msgstr "Нет активного блокнота." + +#, javascript-format +msgid "Note does not exist: \"%s\". Create it?" +msgstr "Заметки не существует: «%s». Создать?" + +msgid "Starting to edit note. Close the editor to get back to the prompt." +msgstr "" +"Запуск редактирования заметки. Закройте редактор, чтобы вернуться к " +"командной строке." + +msgid "Note has been saved." +msgstr "Заметка сохранена." + +msgid "Exits the application." +msgstr "Выход из приложения." + +msgid "" +"Exports Joplin data to the given directory. By default, it will export the " +"complete database including notebooks, notes, tags and resources." +msgstr "" +"Экспортирует данные Joplin в заданный каталог. По умолчанию экспортируется " +"полная база данных, включая блокноты, заметки, теги и ресурсы." + +msgid "Exports only the given note." +msgstr "Экспортирует только заданную заметку." + +msgid "Exports only the given notebook." +msgstr "Экспортирует только заданный блокнот." + +msgid "Displays a geolocation URL for the note." +msgstr "Выводит URL геолокации для заметки." + +msgid "Displays usage information." +msgstr "Выводит информацию об использовании." + +msgid "Shortcuts are not available in CLI mode." +msgstr "Ярлыки недоступны в режиме командной строки." + +msgid "" +"Type `help [command]` for more information about a command; or type `help " +"all` for the complete usage information." +msgstr "" +"Введите `help [команда]` для получения информации о команде или `help all` " +"для получения полной информации по использованию." + +msgid "The possible commands are:" +msgstr "Доступные команды:" + +msgid "" +"In any command, a note or notebook can be refered to by title or ID, or " +"using the shortcuts `$n` or `$b` for, respectively, the currently selected " +"note or notebook. `$c` can be used to refer to the currently selected item." +msgstr "" +"В любой команде можно ссылаться на заметку или блокнот по названию или ID, " +"либо используя ярлыки `$n` или `$b`, указывающие на текущую заметку или " +"блокнот соответственно. С помощью `$c` можно ссылаться на текущий выбранный " +"элемент." + +msgid "To move from one pane to another, press Tab or Shift+Tab." +msgstr "Чтобы переключаться между панелями, нажимайте Tab или Shift+Tab" + +msgid "" +"Use the arrows and page up/down to scroll the lists and text areas " +"(including this console)." +msgstr "" +"Используйте стрелки и клавиши перелистывания страницы вверх/вниз для " +"прокрутки списков и текстовых областей (включая эту консоль)." + +msgid "To maximise/minimise the console, press \"TC\"." +msgstr "Чтобы развернуть/свернуть консоль, нажимайте «TC»." + +msgid "To enter command line mode, press \":\"" +msgstr "Чтобы войти в режим командной строки, нажмите «:»" + +msgid "To exit command line mode, press ESCAPE" +msgstr "Чтобы выйти из режима командной строки, нажмите ESCAPE" + +msgid "" +"For the complete list of available keyboard shortcuts, type `help shortcuts`" +msgstr "" +"Для просмотра списка доступных клавиатурных сочетаний введите `help " +"shortcuts`." + +msgid "Imports an Evernote notebook file (.enex file)." +msgstr "Импортирует файл блокнотов Evernote (.enex-файл)." + +msgid "Do not ask for confirmation." +msgstr "Не запрашивать подтверждение." + +#, javascript-format +msgid "File \"%s\" will be imported into existing notebook \"%s\". Continue?" +msgstr "Файл «%s» будет импортирован в существующий блокнот «%s». Продолжить?" + +#, javascript-format +msgid "" +"New notebook \"%s\" will be created and file \"%s\" will be imported into " +"it. Continue?" +msgstr "" +"Будет создан новый блокнот «%s» и в него будет импортирован файл «%s». " +"Продолжить?" + +#, javascript-format +msgid "Found: %d." +msgstr "Найдено: %d." + +#, javascript-format +msgid "Created: %d." +msgstr "Создано: %d." + +#, javascript-format +msgid "Updated: %d." +msgstr "Обновлено: %d." + +#, javascript-format +msgid "Skipped: %d." +msgstr "Пропущено: %d." + +#, javascript-format +msgid "Resources: %d." +msgstr "Ресурсов: %d." + +#, javascript-format +msgid "Tagged: %d." +msgstr "С тегами: %d." + +msgid "Importing notes..." +msgstr "Импорт заметок..." + +#, javascript-format +msgid "The notes have been imported: %s" +msgstr "Импортировано заметок: %s" + +msgid "" +"Displays the notes in the current notebook. Use `ls /` to display the list " +"of notebooks." +msgstr "" +"Выводит заметки текущего блокнота. Используйте `ls /` для вывода списка " +"блокнотов." + +msgid "Displays only the first top notes." +msgstr "Выводит только первые заметок." + +msgid "Sorts the item by (eg. title, updated_time, created_time)." +msgstr "" +"Сортирует элементы по (например, title, updated_time, created_time)." + +msgid "Reverses the sorting order." +msgstr "Обращает порядок сортировки." + +msgid "" +"Displays only the items of the specific type(s). Can be `n` for notes, `t` " +"for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the " +"to-dos, while `-ttd` would display notes and to-dos." +msgstr "" +"Выводит только элементы указанного типа. Может быть `n` для заметок, `t` для " +"задач или `nt` для заметок и задач (например, `-tt` выведет только задачи, в " +"то время как `-ttd` выведет заметки и задачи)." + +msgid "Either \"text\" or \"json\"" +msgstr "«text» или «json»" + +msgid "" +"Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, " +"TODO_CHECKED (for to-dos), TITLE" +msgstr "" +"Использовать формат длинного списка. Форматом является ID, NOTE_COUNT (для " +"блокнотов), DATE, TODO_CHECKED (для задач), TITLE" + +msgid "Please select a notebook first." +msgstr "Сначала выберите блокнот." + +msgid "Creates a new notebook." +msgstr "Создаёт новый блокнот." + +msgid "Creates a new note." +msgstr "Создаёт новую заметку." + +msgid "Notes can only be created within a notebook." +msgstr "Заметки могут быть созданы только в блокноте." + +msgid "Creates a new to-do." +msgstr "Создаёт новую задачу." + +msgid "Moves the notes matching to [notebook]." +msgstr "Перемещает заметки, содержащие в [notebook]." + +msgid "Renames the given (note or notebook) to ." +msgstr "Переименовывает заданный (заметку или блокнот) в ." + +msgid "Deletes the given notebook." +msgstr "Удаляет заданный блокнот." + +msgid "Deletes the notebook without asking for confirmation." +msgstr "Удаляет блокнот без запроса подтверждения." + +msgid "Delete notebook? All notes within this notebook will also be deleted." +msgstr "Удалить блокнот? Все заметки в этом блокноте также будут удалены." + +msgid "Deletes the notes matching ." +msgstr "Удаляет заметки, соответствующие ." + +msgid "Deletes the notes without asking for confirmation." +msgstr "Удаляет заметки без запроса подтверждения." + +#, javascript-format +msgid "%d notes match this pattern. Delete them?" +msgstr "%d заметок соответствуют этому шаблону. Удалить их?" + +msgid "Delete note?" +msgstr "Удалить заметку?" + +msgid "Searches for the given in all the notes." +msgstr "Запросы для заданного во всех заметках." + +#, javascript-format +msgid "" +"Sets the property of the given to the given [value]. Possible " +"properties are:\n" +"\n" +"%s" +msgstr "" +"Устанавливает для свойства заданной заданное [value]. " +"Возможные свойства:\n" +"\n" +"%s" + +msgid "Displays summary about the notes and notebooks." +msgstr "Выводит общую информацию о заметках и блокнотах." + +msgid "Synchronises with remote storage." +msgstr "Синхронизирует с удалённым хранилищем." + +msgid "Sync to provided target (defaults to sync.target config value)" +msgstr "" +"Синхронизация с заданной целью (по умолчанию — значение конфигурации sync." +"target)" + +msgid "Synchronisation is already in progress." +msgstr "Синхронизация уже выполняется." + +#, javascript-format +msgid "" +"Lock file is already being hold. If you know that no synchronisation is " +"taking place, you may delete the lock file at \"%s\" and resume the " +"operation." +msgstr "" +"Файл блокировки уже установлен. Если вам известно, что синхронизация не " +"производится, вы можете удалить файл блокировки в «%s» и возобновить " +"операцию." + +msgid "" +"Authentication was not completed (did not receive an authentication token)." +msgstr "Аутентификация не была завершена (не получен токен аутентификации)." + +#, javascript-format +msgid "Synchronisation target: %s (%s)" +msgstr "Цель синхронизации: %s (%s)" + +msgid "Cannot initialize synchroniser." +msgstr "Не удалось инициировать синхронизацию." + +msgid "Starting synchronisation..." +msgstr "Начало синхронизации..." + +msgid "Cancelling... Please wait." +msgstr "Отмена... Пожалуйста, ожидайте." + +msgid "" +" can be \"add\", \"remove\" or \"list\" to assign or remove " +"[tag] from [note], or to list the notes associated with [tag]. The command " +"`tag list` can be used to list all the tags." +msgstr "" +" может быть «add», «remove» или «list», чтобы назначить или " +"убрать [tag] с [note], или чтобы вывести список заметок, ассоциированых с " +"[tag]. Команда `tag list` может быть использована для вывода списка всех " +"тегов." + +#, javascript-format +msgid "Invalid command: \"%s\"" +msgstr "Неверная команда: «%s»" + +msgid "" +" can either be \"toggle\" or \"clear\". Use \"toggle\" to " +"toggle the given to-do between completed and uncompleted state (If the " +"target is a regular note it will be converted to a to-do). Use \"clear\" to " +"convert the to-do back to a regular note." +msgstr "" +" может быть «toggle» или «clear». «toggle» используется для " +"переключения статуса заданной задачи на завершённую или незавершённую (если " +"применить к обычной заметке, она будет преобразована в задачу). «clear» " +"используется для преобразования задачи обратно в обычную заметку." + +msgid "Marks a to-do as non-completed." +msgstr "Отмечает задачу как незавершённую." + +msgid "" +"Switches to [notebook] - all further operations will happen within this " +"notebook." +msgstr "" +"Переключает на [блокнот] — все дальнейшие операции будут происходить в этом " +"блокноте." + +msgid "Displays version information" +msgstr "Выводит информацию о версии" + +#, javascript-format +msgid "%s %s (%s)" +msgstr "%s %s (%s)" + +msgid "Enum" +msgstr "Enum" + +#, javascript-format +msgid "Type: %s." +msgstr "Тип: %s." + +#, javascript-format +msgid "Possible values: %s." +msgstr "Возможные значения: %s." + +#, javascript-format +msgid "Default: %s" +msgstr "По умолчанию: %s" + +msgid "Possible keys/values:" +msgstr "Возможные ключи/значения:" + +msgid "Fatal error:" +msgstr "Фатальная ошибка:" + +msgid "" +"The application has been authorised - you may now close this browser tab." +msgstr "Приложение авторизовано — можно закрыть вкладку браузера." + +msgid "The application has been successfully authorised." +msgstr "Приложение успешно авторизовано." + +msgid "" +"Please open the following URL in your browser to authenticate the " +"application. The application will create a directory in \"Apps/Joplin\" and " +"will only read and write files in this directory. It will have no access to " +"any files outside this directory nor to any other personal data. No data " +"will be shared with any third party." +msgstr "" +"Откройте следующую ссылку в вашем браузере для аутентификации приложения. " +"Приложением будет создан каталог «Apps/Joplin». Чтение и запись файлов будет " +"осуществляться только в его пределах. У приложения не будет доступа к каким-" +"либо файлам за пределами этого каталога и другим личным данным. Никакая " +"информация не будет передана третьим лицам." + +msgid "Search:" +msgstr "Поиск:" + +msgid "" +"Welcome to Joplin!\n" +"\n" +"Type `:help shortcuts` for the list of keyboard shortcuts, or just `:help` " +"for usage information.\n" +"\n" +"For example, to create a notebook press `mb`; to create a note press `mn`." +msgstr "" +"Добро пожаловать в Joplin!\n" +"\n" +"Введите `:help shortcuts` для просмотра списка клавиатурных сочетаний или " +"просто `:help` для просмотра информации об использовании.\n" +"\n" +"Например, для создания блокнота нужно ввести `mb`, для создания заметки — " +"`mn`." + +msgid "File" +msgstr "Файл" + +msgid "New note" +msgstr "Новая заметка" + +msgid "New to-do" +msgstr "Новая задача" + +msgid "New notebook" +msgstr "Новый блокнот" + +msgid "Import Evernote notes" +msgstr "Импортировать заметки из Evernote" + +msgid "Evernote Export Files" +msgstr "Файлы экспорта Evernote" + +msgid "Quit" +msgstr "Выход" + +msgid "Edit" +msgstr "Редактировать" + +msgid "Copy" +msgstr "Копировать" + +msgid "Cut" +msgstr "Вырезать" + +msgid "Paste" +msgstr "Вставить" + +msgid "Search in all the notes" +msgstr "Поиск во всех заметках" + +msgid "Tools" +msgstr "Инструменты" + +msgid "Synchronisation status" +msgstr "Статус синхронизации" + +msgid "Options" +msgstr "Настройки" + +msgid "Help" +msgstr "Помощь" + +msgid "Website and documentation" +msgstr "Сайт и документация" + +msgid "About Joplin" +msgstr "О Joplin" + +#, javascript-format +msgid "%s %s (%s, %s)" +msgstr "%s %s (%s, %s)" + +msgid "OK" +msgstr "OK" + +msgid "Cancel" +msgstr "Отмена" + +#, javascript-format +msgid "Notes and settings are stored in: %s" +msgstr "Заметки и настройки сохранены в: %s" + +msgid "Save" +msgstr "Сохранить" + +msgid "Back" +msgstr "Назад" + +#, javascript-format +msgid "" +"New notebook \"%s\" will be created and file \"%s\" will be imported into it" +msgstr "Будет создан новый блокнот «%s» и в него будет импортирован файл «%s»" + +msgid "Please create a notebook first." +msgstr "Сначала создайте блокнот." + +msgid "Note title:" +msgstr "Название заметки:" + +msgid "Please create a notebook first" +msgstr "Сначала создайте блокнот" + +msgid "To-do title:" +msgstr "Название задачи:" + +msgid "Notebook title:" +msgstr "Название блокнота:" + +msgid "Add or remove tags:" +msgstr "Добавить или удалить теги:" + +msgid "Separate each tag by a comma." +msgstr "Каждый тег отделяется запятой." + +msgid "Rename notebook:" +msgstr "Переименовать блокнот:" + +msgid "Set alarm:" +msgstr "Установить напоминание:" + +msgid "Layout" +msgstr "Вид" + +msgid "Some items cannot be synchronised." +msgstr "Некоторые элементы не могут быть синхронизированы." + +msgid "View them now" +msgstr "Просмотреть их сейчас" + +msgid "Active" +msgstr "" + +msgid "ID" +msgstr "ID" + +msgid "Source" +msgstr "Источник" + +msgid "Created" +msgstr "Создана" + +msgid "Updated" +msgstr "Обновлена" + +msgid "Password" +msgstr "" + +msgid "Password OK" +msgstr "" + +msgid "" +"Note: Only one master key is going to be used for encryption (the one marked " +"as \"active\"). Any of the keys might be used for decryption, depending on " +"how the notes or notebooks were originally encrypted." +msgstr "" + +msgid "Add or remove tags" +msgstr "Добавить или удалить теги" + +msgid "Switch between note and to-do type" +msgstr "Переключить тип между заметкой и задачей" + +msgid "Delete" +msgstr "Удалить" + +msgid "Delete notes?" +msgstr "Удалить заметки?" + +msgid "No notes in here. Create one by clicking on \"New note\"." +msgstr "Здесь нет заметок. Создайте новую нажатием на «Новая заметка»." + +msgid "" +"There is currently no notebook. Create one by clicking on \"New notebook\"." +msgstr "Сейчас здесь нет блокнотов. Создайте новый нажав «Новый блокнот»." + +#, javascript-format +msgid "Unsupported link or message: %s" +msgstr "Неподдерживаемая ссыка или сообщение: %s" + +msgid "Attach file" +msgstr "Прикрепить файл" + +msgid "Set alarm" +msgstr "Установить напоминание" + +msgid "Refresh" +msgstr "Обновить" + +msgid "Clear" +msgstr "Очистить" + +msgid "OneDrive Login" +msgstr "Вход в OneDrive" + +msgid "Import" +msgstr "Импорт" + +msgid "Synchronisation Status" +msgstr "Статус синхронизации" + +msgid "Remove this tag from all the notes?" +msgstr "Убрать этот тег со всех заметок?" + +msgid "Remove this search from the sidebar?" +msgstr "Убрать этот запрос с боковой панели?" + +msgid "Rename" +msgstr "Переименовать" + +msgid "Synchronise" +msgstr "Синхронизировать" + +msgid "Notebooks" +msgstr "Блокноты" + +msgid "Tags" +msgstr "Теги" + +msgid "Searches" +msgstr "Запросы" + +msgid "Please select where the sync status should be exported to" +msgstr "Выберите, куда должен быть экспортирован статус синхронизации" + +#, javascript-format +msgid "Usage: %s" +msgstr "Использование: %s" + +#, javascript-format +msgid "Unknown flag: %s" +msgstr "Неизвестный флаг: %s" + +msgid "File system" +msgstr "Файловая система" + +msgid "OneDrive" +msgstr "OneDrive" + +msgid "OneDrive Dev (For testing only)" +msgstr "OneDrive Dev (только для тестирования)" + +#, javascript-format +msgid "Unknown log level: %s" +msgstr "Неизвестный уровень лога: %s" + +#, javascript-format +msgid "Unknown level ID: %s" +msgstr "Неизвестный ID уровня: %s" + +msgid "" +"Cannot refresh token: authentication data is missing. Starting the " +"synchronisation again may fix the problem." +msgstr "" +"Не удалось обновить токен: отсутствуют данные аутентификации. Повторный " +"запуск синхронизации может решить проблему." + +msgid "" +"Could not synchronize with OneDrive.\n" +"\n" +"This error often happens when using OneDrive for Business, which " +"unfortunately cannot be supported.\n" +"\n" +"Please consider using a regular OneDrive account." +msgstr "" +"Не удалось синхронизироваться с OneDrive.\n" +"\n" +"Такая ошибка часто возникает при использовании OneDrive для бизнеса, " +"который, к сожалению, не поддерживается.\n" +"\n" +"Пожалуйста, рассмотрите возможность использования обычного аккаунта OneDrive." + +#, javascript-format +msgid "Cannot access %s" +msgstr "Не удалось получить доступ %s" + +#, javascript-format +msgid "Created local items: %d." +msgstr "Создано локальных элементов: %d." + +#, javascript-format +msgid "Updated local items: %d." +msgstr "Обновлено локальных элементов: %d." + +#, javascript-format +msgid "Created remote items: %d." +msgstr "Создано удалённых элементов: %d." + +#, javascript-format +msgid "Updated remote items: %d." +msgstr "Обновлено удалённых элементов: %d." + +#, javascript-format +msgid "Deleted local items: %d." +msgstr "Удалено локальных элементов: %d." + +#, javascript-format +msgid "Deleted remote items: %d." +msgstr "Удалено удалённых элементов: %d." + +#, javascript-format +msgid "State: \"%s\"." +msgstr "Статус: «%s»." + +msgid "Cancelling..." +msgstr "Отмена..." + +#, javascript-format +msgid "Completed: %s" +msgstr "Завершено: %s" + +#, javascript-format +msgid "Synchronisation is already in progress. State: %s" +msgstr "Синхронизация уже выполняется. Статус: %s" + +msgid "Conflicts" +msgstr "Конфликты" + +#, javascript-format +msgid "A notebook with this title already exists: \"%s\"" +msgstr "Блокнот с таким названием уже существует: «%s»" + +#, javascript-format +msgid "Notebooks cannot be named \"%s\", which is a reserved title." +msgstr "Блокнот не может быть назван «%s», это зарезервированное название." + +msgid "Untitled" +msgstr "Без имени" + +msgid "This note does not have geolocation information." +msgstr "Эта заметка не содержит информации о геолокации." + +#, javascript-format +msgid "Cannot copy note to \"%s\" notebook" +msgstr "Не удалось скопировать заметку в блокнот «%s»" + +#, javascript-format +msgid "Cannot move note to \"%s\" notebook" +msgstr "Не удалось переместить заметку в блокнот «%s»" + +msgid "Text editor" +msgstr "Текстовый редактор" + +msgid "" +"The editor that will be used to open a note. If none is provided it will try " +"to auto-detect the default editor." +msgstr "" +"Редактор, в котором будут открываться заметки. Если не задан, будет " +"произведена попытка автоматического определения редактора по умолчанию." + +msgid "Language" +msgstr "Язык" + +msgid "Date format" +msgstr "Формат даты" + +msgid "Time format" +msgstr "Формат времени" + +msgid "Theme" +msgstr "Тема" + +msgid "Light" +msgstr "Светлая" + +msgid "Dark" +msgstr "Тёмная" + +msgid "Show uncompleted todos on top of the lists" +msgstr "Показывать незавершённые задачи вверху списков" + +msgid "Save geo-location with notes" +msgstr "Сохранять информацию о геолокации в заметках" + +msgid "Synchronisation interval" +msgstr "Интервал синхронизации" + +msgid "Disabled" +msgstr "Отключена" + +#, javascript-format +msgid "%d minutes" +msgstr "%d минут" + +#, javascript-format +msgid "%d hour" +msgstr "%d час" + +#, javascript-format +msgid "%d hours" +msgstr "%d часов" + +msgid "Automatically update the application" +msgstr "Автоматически обновлять приложение" + +msgid "Show advanced options" +msgstr "Показывать расширенные настройки" + +msgid "Synchronisation target" +msgstr "Цель синхронизации" + +msgid "" +"The target to synchonise to. If synchronising with the file system, set " +"`sync.2.path` to specify the target directory." +msgstr "" +"То, с чем будет осуществляться синхронизация. При синхронизации с файловой " +"системой в `sync.2.path` указывается целевой каталог." + +msgid "Directory to synchronise with (absolute path)" +msgstr "Каталог синхронизации (абсолютный путь)" + +msgid "" +"The path to synchronise with when file system synchronisation is enabled. " +"See `sync.target`." +msgstr "" +"Путь для синхронизации при включённой синхронизации с файловой системой. См. " +"`sync.target`." + +#, javascript-format +msgid "Invalid option value: \"%s\". Possible values are: %s." +msgstr "Неверное значение параметра: «%s». Доступные значения: %s." + +msgid "Items that cannot be synchronised" +msgstr "Элементы, которые не могут быть синхронизированы" + +#, javascript-format +msgid "\"%s\": \"%s\"" +msgstr "«%s»: «%s»" + +msgid "Sync status (synced items / total items)" +msgstr "Статус синхронизации (элементов синхронизировано/всего)" + +#, javascript-format +msgid "%s: %d/%d" +msgstr "%s: %d/%d" + +#, javascript-format +msgid "Total: %d/%d" +msgstr "Всего: %d/%d" + +#, javascript-format +msgid "Conflicted: %d" +msgstr "Конфликтующих: %d" + +#, javascript-format +msgid "To delete: %d" +msgstr "К удалению: %d" + +msgid "Folders" +msgstr "Папки" + +#, javascript-format +msgid "%s: %d notes" +msgstr "%s: %d заметок" + +msgid "Coming alarms" +msgstr "Грядущие напоминания" + +#, javascript-format +msgid "On %s: %s" +msgstr "В %s: %s" + +msgid "There are currently no notes. Create one by clicking on the (+) button." +msgstr "Сейчас здесь нет заметок. Создаёте новую, нажав кнопку (+)." + +msgid "Delete these notes?" +msgstr "Удалить эти заметки?" + +msgid "Log" +msgstr "Лог" + +msgid "Status" +msgstr "Статус" + +msgid "Export Debug Report" +msgstr "Экспортировать отладочный отчёт" + +msgid "Configuration" +msgstr "Конфигурация" + +msgid "Move to notebook..." +msgstr "Переместить в блокнот..." + +#, javascript-format +msgid "Move %d notes to notebook \"%s\"?" +msgstr "Переместить %d заметок в блокнот «%s»?" + +msgid "Select date" +msgstr "Выбрать дату" + +msgid "Confirm" +msgstr "Подтвердить" + +msgid "Cancel synchronisation" +msgstr "Отменить синхронизацию" + +#, javascript-format +msgid "The notebook could not be saved: %s" +msgstr "Не удалось сохранить блокнот: %s" + +msgid "Edit notebook" +msgstr "Редактировать блокнот" + +msgid "This note has been modified:" +msgstr "Эта заметка была изменена:" + +msgid "Save changes" +msgstr "Сохранить изменения" + +msgid "Discard changes" +msgstr "Отменить изменения" + +#, javascript-format +msgid "Unsupported image type: %s" +msgstr "Неподдерживаемый формат изображения: %s" + +msgid "Attach photo" +msgstr "Прикрепить фото" + +msgid "Attach any file" +msgstr "Прикрепить любой файл" + +msgid "Convert to note" +msgstr "Преобразовать в заметку" + +msgid "Convert to todo" +msgstr "Преобразовать в задачу" + +msgid "Hide metadata" +msgstr "Скрыть метаданные" + +msgid "Show metadata" +msgstr "Показать метаданные" + +msgid "View on map" +msgstr "Посмотреть на карте" + +msgid "Delete notebook" +msgstr "Удалить блокнот" + +msgid "Login with OneDrive" +msgstr "Войти в OneDrive" + +msgid "" +"Click on the (+) button to create a new note or notebook. Click on the side " +"menu to access your existing notebooks." +msgstr "" +"Нажмите на кнопку (+) для создания новой заметки или нового блокнота. " +"Нажмите на боковое меню для доступа к вашим существующим блокнотам." + +msgid "You currently have no notebook. Create one by clicking on (+) button." +msgstr "У вас сейчас нет блокнота. Создайте его нажатием на кнопку (+)." + +msgid "Welcome" +msgstr "Добро пожаловать" diff --git a/CliClient/package.json b/CliClient/package.json index 6c6f78a9e..8a2bb668a 100644 --- a/CliClient/package.json +++ b/CliClient/package.json @@ -18,7 +18,7 @@ ], "owner": "Laurent Cozic" }, - "version": "0.10.83", + "version": "0.10.84", "bin": { "joplin": "./main.js" }, diff --git a/ElectronClient/app/gui/ConfigScreen.jsx b/ElectronClient/app/gui/ConfigScreen.jsx index 683638f4f..ed72bd11f 100644 --- a/ElectronClient/app/gui/ConfigScreen.jsx +++ b/ElectronClient/app/gui/ConfigScreen.jsx @@ -22,6 +22,23 @@ class ConfigScreenComponent extends React.Component { this.setState({ settings: this.props.settings }); } + keyValueToArray(kv) { + let output = []; + for (let k in kv) { + if (!kv.hasOwnProperty(k)) continue; + output.push({ + key: k, + label: kv[k], + }); + } + + output.sort((a, b) => { + return a.label.toLowerCase() < b.label.toLowerCase() ? -1 : +1; + }); + + return output; + } + settingToComponent(key, value) { const theme = themeStyle(this.props.theme); @@ -53,9 +70,10 @@ class ConfigScreenComponent extends React.Component { if (md.isEnum) { let items = []; const settingOptions = md.options(); - for (let k in settingOptions) { - if (!settingOptions.hasOwnProperty(k)) continue; - items.push(); + let array = this.keyValueToArray(settingOptions); + for (let i = 0; i < array.length; i++) { + const e = array[i]; + items.push(); } return ( diff --git a/ElectronClient/app/locales/de_DE.json b/ElectronClient/app/locales/de_DE.json index 86d382fd2..40b43139d 100644 --- a/ElectronClient/app/locales/de_DE.json +++ b/ElectronClient/app/locales/de_DE.json @@ -1 +1 @@ -{"Give focus to next pane":"Fokussiere das nächste Fenster","Give focus to previous pane":"Fokussiere das vorherige Fenster","Enter command line mode":"Wechsle zum Terminal-Modus","Exit command line mode":"Verlasse den Terminal-Modus","Edit the selected note":"Bearbeite die ausgewählte Notiz","Cancel the current command.":"Breche den momentanen Befehl ab.","Exit the application.":"Verlasse das Programm.","Delete the currently selected note or notebook.":"Lösche die momentan ausgewählte Notiz oder das momentan ausgewählte Notizbuch.","To delete a tag, untag the associated notes.":"Um eine Markierung zu löschen, habe die Markierungen zugehöriger Notizen auf.","Please select the note or notebook to be deleted first.":"Bitte wählen Sie zuert eine Notiz oder ein Notizbuch aus, das gelöscht werden soll.","Set a to-do as completed / not completed":"Markiere ein ToDo as abgeschlossen / nicht abgeschlossen","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"Schal[t]e das Terminal zwischen maximiert/minimiert/versteckt/sichtbar um.","Search":"Suche","[t]oggle note [m]etadata.":"Schal[t]e Notiz-[M]etadata ein.","[M]ake a new [n]ote":"Erstelle eine neue Notiz","[M]ake a new [t]odo":"Erstelle ein neues To-Do","[M]ake a new note[b]ook":"Erstelle ein neues Notiz[b]uch","Copy ([Y]ank) the [n]ote to a notebook.":"Copy ([Y]ank) the [n]ote to a notebook.","Move the note to a notebook.":"Verschiebe die Notiz zu einem Notizbuch.","Press Ctrl+D or type \"exit\" to exit the application":"Drücke Strg+D oder schreibe \"exit\", um das Programm zu verlassen","More than one item match \"%s\". Please narrow down your query.":"Mehr als eine Notiz stimmt mit \"%s\" überein. Bitte schränke deine Suche ein.","No notebook selected.":"Kein Notizbuch ausgewählt.","No notebook has been specified.":"Kein Notizbuch wurde angegeben.","Y":"J","n":"n","N":"N","y":"j","Cancelling background synchronisation... Please wait.":"Breche Hintergrund-Synchronisations ab....Bitte warten.","No such command: %s":"No such command: %s","The command \"%s\" is only available in GUI mode":"Der Befehl \"%s\" ist nur im GUI Modus verfügbar","Missing required argument: %s":"Fehlender benötigtes Argument: %s","%s: %s":"%s: %s","Your choice: ":"Deine Auswahl: ","Invalid answer: %s":"Ungültige Antwort: %s","Attaches the given file to the note.":"Hängt die ausgewählte Datei an die Notiz an.","Cannot find \"%s\".":"Kann \"%s\" nicht finden.","Displays the given note.":"Zeigt die jeweilige Notiz an.","Displays the complete information about note.":"Zeigt alle Informationen über die Notiz an.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Zeigt an oder stellt einen Optionswert. Wenn kein [Wert] angegeben ist, wird der Wert vom gegebenenen [Namen] angezeigt. Wenn weder [Name] noch [Wert] gegeben sind, wird eine Liste der momentanen Konfiguration angezeigt.","Also displays unset and hidden config variables.":"Zeige auch nicht angegebene oder versteckte Konfigurationsvariablen an.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Vervielfältigt die Notizen die mit übereinstimmen zu [Notizbuch]. Wenn kein Notizbuch angegeben ist, wird die Notiz in das momentane Notizbuch kopiert.","Marks a to-do as done.":"Markiert ein ToDo als abgeschlossen.","Note is not a to-do: \"%s\"":"Notiz ist kein Todo: \"%s\"","Edit note.":"Bearbeite Notiz.","No text editor is defined. Please set it using `config editor `":"Kein Textbearbeitungsprogramm angegeben. Bitte lege eines mit `config editor ` fest","No active notebook.":"Kein aktives Notizbuch.","Note does not exist: \"%s\". Create it?":"Notiz \"%s\" existiert nicht. Soll sie erstellt werden?","Starting to edit note. Close the editor to get back to the prompt.":"Beginne die Notiz zu bearbeiten. Schließ das Textbearbeitungsprogramm um zurück zum Terminal zu kommen.","Note has been saved.":"Die Notiz wurde gespeichert.","Exits the application.":"Schließt das Programm.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Exportiert Joplins Datein zu dem angegebenen Pfad. Standardmäßig wird die komplette Datenbank inklusive Notizbüchern, Notizen, Markierungen usw. exportiert.","Exports only the given note.":"Exportiert nur die angegebene Notiz.","Exports only the given notebook.":"Exportiert nur das angegebene Notizbuch.","Displays a geolocation URL for the note.":"Zeigt die Standort-URL der Notiz an.","Displays usage information.":"Zeigt die Benutzungsstatistik an.","Shortcuts are not available in CLI mode.":"","Type `help [command]` for more information about a command.":"Tippe `help [Befehl]` ein, um mehr Informationen über einen Befehl zu erhalten.","The possible commands are:":"Mögliche Befehle sind:","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"In jedem Befehl können Notizen oder Notizbücher durch ihren Titel oder ihre ID spezifiziert werden, oder durch die Abkürzung `$n` oder `$b` um entweder das momentan augewählte Notizbuch oder die momentan ausgewählte Notiz zu wählen. `$c` kann benutzt werden, um die momentane Auswahl zu verweisen.","To move from one pane to another, press Tab or Shift+Tab.":"Um ein von einem Fenster zu einem anderen zu wechseln, drücke Tab oder Shift+Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Benutze die Pfeiltasten und Bild hoch/runter um durch Listen und Texte zu scrollen ( inklusive diesem Terminal ).","To maximise/minimise the console, press \"TC\".":"Um das Terminal zu maximieren/minimieren, drücke \"TC\".","To enter command line mode, press \":\"":"","To exit command line mode, press ESCAPE":"","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Um die komplette Liste von verfügbaren Tastenkürzeln anzuzeigen, tippe `help shortcuts` ein","Imports an Evernote notebook file (.enex file).":"Importiert eine Evernote Notizbuch-Datei (.enex Datei).","Do not ask for confirmation.":"Nicht nach einer Bestätigung fragen.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"Datei \"%s\" wird importiert in das existierende Notizbuch \"%s\". Fortfahren?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"Ein neues Notizbuch \"%s\" wird erstellt und die Datei \"%s\" wird in es importiert. Fortfahren?","Found: %d.":"Gefunden: %d.","Created: %d.":"Erstellt: %d.","Updated: %d.":"Aktualisiert: %d.","Skipped: %d.":"Übersprungen: %d.","Resources: %d.":"","Tagged: %d.":"Markiert: %d.","Importing notes...":"Importiere Notizen...","The notes have been imported: %s":"Die Notizen wurden importiert: %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Zeigt die Notizen im momentanen Notizbuch an. Benutze `ls /` um eine Liste aller Notizbücher anzuzeigen.","Displays only the first top notes.":"Zeigt nur die Top- Notizen an.","Sorts the item by (eg. title, updated_time, created_time).":"Sorts the item by (eg. title, updated_time, created_time).","Reverses the sorting order.":"Dreht die Sortierreihenfolge um.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Zeige nur bestimmt Typen an. Kann `n` für Notizen sein, `t` für To-Dos, oder `nt` für Notizen und To-Dos ( z.B. würde `-tt` nur To-Dos anzeigen, während `-ttd` Notizen und To-Dos anzeigen würde ).","Either \"text\" or \"json\"":"Entweder \"text\" oder \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"","Please select a notebook first.":"Bitte wähle erst ein Notizbuch aus.","Creates a new notebook.":"Erstellt ein neues Notizbuch.","Creates a new note.":"Erstellt eine neue Notiz.","Notes can only be created within a notebook.":"Notizen können nur in einem Notizbuch erstellt werden.","Creates a new to-do.":"Erstellt ein neues To-Do.","Moves the notes matching to [notebook].":"Verschiebt die Notizen, die mit übereinstimmen, zu [Notizbuch]","Renames the given (note or notebook) to .":"Benennt das gegebene ( Notiz oder Notizbuch ) zu um.","Deletes the given notebook.":"Löscht das gegebene Notizbuch.","Deletes the notebook without asking for confirmation.":"Löscht das Notizbuch, ohne nach einer Bestätigung zu fragen.","Delete notebook \"%s\"?":"Notizbuch \"%s\" löschen?","Deletes the notes matching .":"Löscht die Notizen, die mit übereinstimmen.","Deletes the notes without asking for confirmation.":"Löscht die Notizen, ohne nach einer Bestätigung zu fragen.","%d notes match this pattern. Delete them?":"%d Notizen stimmen mit diesem Muster überein. Sollen sie gelöscht werden?","Delete note?":"Lösche Notiz?","Searches for the given in all the notes.":"Sucht nach dem gegebenen in allen Notizen.","Sets the property of the given to the given [value].":"Setzt die Eigenschaft der gegebenen zu dem gegebenen [Wert].","Displays summary about the notes and notebooks.":"Zeigt eine Zusammenfassung über die Notizen und Notizbücher an.","Synchronises with remote storage.":"Synchronises with remote storage.","Sync to provided target (defaults to sync.target config value)":"Synchronisiere mit dem gegebenen Ziel ( voreingestellt auf den sync.target Optionswert)","Synchronisation is already in progress.":"Synchronisation ist bereits im Gange.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"Eine Sperrdatei ist vorhanden. Wenn du dir sicher bist, dass keine Synchronisation im Gange ist, kannst du die Sperrdatei \"%s\" löschen und vortfahren.","Authentication was not completed (did not receive an authentication token).":"Authentikation wurde nicht abgeschlossen (keinen Authentikations-Token erhalten).","Synchronisation target: %s (%s)":"Synchronisationsziel: %s (%s)","Cannot initialize synchroniser.":"Kann Synchronisierer nicht initialisieren.","Starting synchronisation...":"Starte Synchronisation...","Cancelling... Please wait.":"Breche ab... Bitte warten."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.","Invalid command: \"%s\"":"Ungültiger Befehl: \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":" can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.","Marks a to-do as non-completed.":"Makiert ein To-Do als nicht-abgeschlossen.","Switches to [notebook] - all further operations will happen within this notebook.":"Wechselt zu [Notizbuch] - alle weiteren Tätigkeiten werden in diesem Notizbuch verrichtet.","Displays version information":"","%s %s (%s)":"%s %s (%s)","Enum":"","Type: %s.":"Typ: %s.","Possible values: %s.":"Mögliche Werte: %s.","Default: %s":"Standard: %s","Possible keys/values:":"Mögliche Werte:","Fatal error:":"Schwerwiegender Fehler:","The application has been authorised - you may now close this browser tab.":"Das Programm wurde authorisiert - Du kannst nun diesen Browsertab schließen.","The application has been successfully authorised.":"Das Programm wurde erfolgreich authorisiert.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Bitte öffne die folgende URL in deinem Browser, um das Programm zu authentifizieren. Das Programm wird einen Ordner in \"Apps/Joplin\" erstellen und wird nur in diesem Ordner schreiben und lesen. Es wird keinen Zugriff auf Dateien außerhalb dieses Ordners haben, noch auf persönliche Daten. Es werden keine Daten mit Dritten geteilt.","Search:":"Suchen:","File":"Datei","New note":"Neue Notiz","New to-do":"Neues To-Do","New notebook":"Neues Notizbuch","Import Evernote notes":"Importiere Evernote Notizen","Evernote Export Files":"","Quit":"Verlassen","Edit":"Bearbeiten","Copy":"Kopieren","Cut":"Ausschneiden","Paste":"Einfügen","Search in all the notes":"Alle Notizen durchsuchen","Tools":"Werkzeuge","Synchronisation status":"Synchronisation status","Options":"Optionen","Help":"Hilfe","Website and documentation":"Webseite und Dokumentation","About Joplin":"Über Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"OK","Cancel":"Abbrechen","Back":"Zurück","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"Ein neues Notizbuch \"%s\" wird erstellt und die Datei \"%s\" wird in es importiert","Please create a notebook first.":"Bitte erstelle zuerst ein Notizbuch.","Note title:":"Notiz titel:","Please create a notebook first":"Bitte erstelle zuerst ein Notizbuch","To-do title:":"To-Do Titel:","Notebook title:":"Notizbuch Titel:","Add or remove tags:":"Füge hinzu oder entferne Markierungen:","Separate each tag by a comma.":"Trenne jede Markierung mit einem Komma.","Rename notebook:":"Benne Notizbuch um:","Set alarm:":"Set alarm:","Layout":"Layout","Some items cannot be synchronised.":"Some items cannot be synchronised.","View them now":"","Add or remove tags":"Füge hinzu oder entferne Markierungen","Switch between note and to-do type":"Wechsel zwischen Notiz und To-Do Typ","Delete":"Löschen","Delete notes?":"Notizen löschen?","No notes in here. Create one by clicking on \"New note\".":"Hier sind keine Notizen. Erstelle eine indem zu auf \"Neue Notiz\" drückst.","Unsupported link or message: %s":"Nicht unterstützter Link oder Nachricht: %s","Attach file":"Hänge Datei an","Set alarm":"Erstelle Alarm","Refresh":"Aktualisieren","Clear":"","OneDrive Login":"OneDrive login","Import":"Importieren","Synchronisation Status":"Synchronisation Status","Delete notebook?":"Notizbuch löschen?","Remove this tag from all the notes?":"Diese Markierung von allen Notizen löschen?","Remove this search from the sidebar?":"Diese Suche von der Seitenleiste entfernen?","Rename":"Umbenennen","Synchronise":"Synchronisieren","Notebooks":"Notizbücher","Tags":"Markierungen","Searches":"Sucht","Usage: %s":"","Unknown flag: %s":"","File system":"Dateisystem","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dev ( Nur für Tests )","Unknown log level: %s":"Unbekanntes Loglevel: %s","Unknown level ID: %s":"Unbekannte Level-ID: %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"Kann Token nicht erneuern: Authentikationsdaten nicht vorhanden. Ein Neustart der Synchronisation behebt das Problem vielleicht.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"","Cannot access %s":"Kann nicht auf %s zugreifen","Created local items: %d.":"","Updated local items: %d.":"","Created remote items: %d.":"","Updated remote items: %d.":"","Deleted local items: %d.":"","Deleted remote items: %d.":"","State: \"%s\".":"Status: \"%s\".","Cancelling...":"Breche ab...","Completed: %s":"Abgeschlossen: %s","Synchronisation is already in progress. State: %s":"Synchronisation ist bereits im Gange. Status: %s","Conflicts":"Konflikte","A notebook with this title already exists: \"%s\"":"Ein Notizbuch mit diesem Titel existiert bereits : \"%s\"","Notebooks cannot be named \"%s\", which is a reserved title.":"Notizbuch kann nicht \"%s\" genannt werden. Dies ist ein reservierter Titel.","Untitled":"Unbenannt","This note does not have geolocation information.":"Diese Notiz hat keine Standort-Informationen.","Cannot copy note to \"%s\" notebook":"Kann Notiz nicht zu Notizbuch \"%s\" kopieren","Cannot move note to \"%s\" notebook":"Kann Notiz nicht zu Notizbuch \"%s\" verschieben","File system synchronisation target directory":"Dateisystem-Synchronisation Zielpfad","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"Der Pfad, mit dem synchronisiert wird, wenn Dateisystem-Synchronisation aktiviert ist. Siehe `sync.target`.","Text editor":"Textbearbeitungsprogramm","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"Das Textbearbeitungsprogramm, mit dem Notizen geöffnet werden. Wenn keines ausgewählt wurde, wird Joplin versuchen das standard-Textbearbeitungsprogramm zu erkennen.","Language":"Sprache","Date format":"Datumsformat","Time format":"Zeitformat","Theme":"Thema","Light":"Hell","Dark":"Dunkel","Show uncompleted todos on top of the lists":"Zeige unvollständige ToDos oben in der Liste an","Save geo-location with notes":"Speicher momentanen Standort zusammen mit Notizen","Synchronisation interval":"Synchronisationsinterval","Disabled":"Deaktiviert","%d minutes":"%d Minuten","%d hour":"%d Stunde","%d hours":"%d Stunden","Automatically update the application":"Halte die Applikation automatisch auf den neusten Stand","Show advanced options":"Zeige erweiterte Optionen an","Synchronisation target":"Synchronisationsziel","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"Das Synchronisationsziel, mit dem synchronisiert werden soll. Wenn mit dem Dateisystem synchronisiert werden soll, setzen Sie den Wert zu `sync.2.path`, um den Zielpfad zu spezifizieren.","Invalid option value: \"%s\". Possible values are: %s.":"Ungültiger Optionswert: \"%s\". Mögliche Werte sind: %s.","Items that cannot be synchronised":"","\"%s\": \"%s\"":"","Sync status (synced items / total items)":"Synchronisations status (synchronisierte Notizen / insgesamt )","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Insgesamt: %d/%d","Conflicted: %d":"","To delete: %d":"To delete: %d","Folders":"Ordner","%s: %d notes":"%s: %d Notizen","Coming alarms":"Anstehender Alarm","On %s: %s":"Auf %s: %s","There are currently no notes. Create one by clicking on the (+) button.":"Momentan existieren noch keine Notizen. Erstelle eine indem Sie auf den (+) Knopf drücken.","Delete these notes?":"Sollen diese Notizen gelöscht werden?","Log":"Log","Status":"Status","Export Debug Report":"Fehlerbreicht exportieren","Configuration":"Konfiguration","Move to notebook...":"Verschiebe zu Notizbuch...","Move %d notes to notebook \"%s\"?":"Verschiebe %d Notizen zu dem Notizbuch \"%s\"?","Select date":"Datum ausswählen","Confirm":"Bestätigen","Cancel synchronisation":"Synchronisation abbrechen","The notebook could not be saved: %s":"Dieses Notizbuch konnte nicht gespeichert werden: %s","Edit notebook":"Notizbuch bearbeiten","This note has been modified:":"Diese Notiz wurde verändert:","Save changes":"Änderungen speichern","Discard changes":"Änderungen verwerfen","Unsupported image type: %s":"Nicht unterstütztes Fotoformat: %s","Attach photo":"Foto anhängen","Attach any file":"Beliebige Datei anhängen","Convert to note":"Zu einer Notiz umwandeln","Convert to todo":"Zu einem ToDo umwandeln","Hide metadata":"Metadaten verstecken","Show metadata":"Metadaten anzeigen","View on map":"Auf der Karte anzeigen","Delete notebook":"Notizbuch löschen","Login with OneDrive":"Mit OneDrive anmelden","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Drücken Sie auf den (+) Knopf, um eine neue Notiz oder ein neues Notizbuch zu erstellen.","You currently have no notebook. Create one by clicking on (+) button.":"Du habst noch kein Notizbuch. Sie können eines erstellen, indem Sie auf den (+) Knopf drücken.","Welcome":"Wilkommen"} \ No newline at end of file +{"Give focus to next pane":"Das nächste Fenster fokussieren","Give focus to previous pane":"Das vorherige Fenster fokussieren","Enter command line mode":"Zum Terminal-Modus wechseln","Exit command line mode":"Den Terminal-Modus verlassen","Edit the selected note":"Die ausgewählte Notiz bearbeiten","Cancel the current command.":"Den momentanen Befehl abbrechen.","Exit the application.":"Das Programm verlassen.","Delete the currently selected note or notebook.":"Die momentan ausgewählte Notiz(-buch) löschen.","To delete a tag, untag the associated notes.":"Hebe die Markierungen zugehöriger Notizen auf, um eine Markierung zu löschen.","Please select the note or notebook to be deleted first.":"Wähle bitte zuerst eine Notiz oder ein Notizbuch aus, das gelöscht werden soll.","Set a to-do as completed / not completed":"Ein To-Do as abgeschlossen / nicht abgeschlossen markieren","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"[t]oggle [c]onsole between maximized/minimized/hidden/visible.","Search":"Suchen","[t]oggle note [m]etadata.":"Notiz-[M]etadata einschal[t]en.","[M]ake a new [n]ote":"Eine neue [N]otiz [m]achen","[M]ake a new [t]odo":"Ein neues [T]o-Do [m]achen","[M]ake a new note[b]ook":"Ein neues Notiz[b]uch [m]achen","Copy ([Y]ank) the [n]ote to a notebook.":"Die Notiz zu einem Notizbuch kopieren.","Move the note to a notebook.":"Die Notiz zu einem Notizbuch verschieben.","Press Ctrl+D or type \"exit\" to exit the application":"Drücke Strg+D oder schreibe \"exit\", um das Programm zu verlassen","More than one item match \"%s\". Please narrow down your query.":"Mehr als eine Notiz stimmt mit \"%s\" überein. Bitte schränke deine Suche ein.","No notebook selected.":"Kein Notizbuch ausgewählt.","No notebook has been specified.":"Kein Notizbuch wurde angegeben.","Y":"J","n":"n","N":"N","y":"j","Cancelling background synchronisation... Please wait.":"Breche Hintergrund-Synchronisations ab....Bitte warten.","No such command: %s":"No such command: %s","The command \"%s\" is only available in GUI mode":"Der Befehl \"%s\" ist nur im GUI Modus verfügbar","Missing required argument: %s":"Fehlendes benötigtes Argument: %s","%s: %s":"%s: %s","Your choice: ":"Deine Auswahl: ","Invalid answer: %s":"Ungültige Antwort: %s","Attaches the given file to the note.":"Hängt die ausgewählte Datei an die Notiz an.","Cannot find \"%s\".":"Kann \"%s\" nicht finden.","Displays the given note.":"Zeigt die jeweilige Notiz an.","Displays the complete information about note.":"Zeigt alle Informationen über die Notiz an.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Zeigt an oder stellt einen Optionswert. Wenn kein [Wert] angegeben ist, wird der Wert vom gegebenenen [Namen] angezeigt. Wenn weder [Name] noch [Wert] gegeben sind, wird eine Liste der momentanen Konfiguration angezeigt.","Also displays unset and hidden config variables.":"Zeige auch nicht angegebene oder versteckte Konfigurationsvariablen an.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Vervielfältigt die Notizen die mit übereinstimmen zu [Notizbuch]. Wenn kein Notizbuch angegeben ist, wird die Notiz in das momentane Notizbuch kopiert.","Marks a to-do as done.":"Markiert ein To-Do als abgeschlossen.","Note is not a to-do: \"%s\"":"Notiz ist kein To-Do: \"%s\"","Edit note.":"Notiz bearbeiten.","No text editor is defined. Please set it using `config editor `":"Kein Textbearbeitungsprogramm angegeben. Bitte lege eines mit `config editor ` fest","No active notebook.":"Kein aktives Notizbuch.","Note does not exist: \"%s\". Create it?":"Notiz \"%s\" existiert nicht. Soll sie erstellt werden?","Starting to edit note. Close the editor to get back to the prompt.":"Beginne die Notiz zu bearbeiten. Schließ das Textbearbeitungsprogramm, um zurück zum Terminal zu kommen.","Note has been saved.":"Die Notiz wurde gespeichert.","Exits the application.":"Schließt das Programm.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Exportiert Joplins Datein zu dem angegebenen Pfad. Standardmäßig wird die komplette Datenbank inklusive Notizbüchern, Notizen, Markierungen usw. exportiert.","Exports only the given note.":"Exportiert nur die angegebene Notiz.","Exports only the given notebook.":"Exportiert nur das angegebene Notizbuch.","Displays a geolocation URL for the note.":"Zeigt die Standort-URL der Notiz an.","Displays usage information.":"Zeigt die Benutzungsstatistik an.","Shortcuts are not available in CLI mode.":"","Type `help [command]` for more information about a command; or type `help all` for the complete usage information.":"Type `help [command]` for more information about a command; or type `help all` for the complete usage information.","The possible commands are:":"Mögliche Befehle sind:","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"In jedem Befehl können Notizen oder Notizbücher durch ihren Titel oder ihre ID spezifiziert werden, oder durch die Abkürzung `$n` oder `$b` um entweder das momentan augewählte Notizbuch oder die momentan ausgewählte Notiz zu wählen. `$c` kann benutzt werden, um die momentane Auswahl zu verweisen.","To move from one pane to another, press Tab or Shift+Tab.":"Um ein von einem Fenster zu einem anderen zu wechseln, drücke Tab oder Shift+Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Benutze die Pfeiltasten und Bild hoch/runter um durch Listen und Texte zu scrollen ( inklusive diesem Terminal ).","To maximise/minimise the console, press \"TC\".":"Um das Terminal zu maximieren/minimieren, drücke \"TC\".","To enter command line mode, press \":\"":"","To exit command line mode, press ESCAPE":"","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Um die komplette Liste von verfügbaren Tastenkürzeln anzuzeigen, tippe `help shortcuts` ein","Imports an Evernote notebook file (.enex file).":"Importiert eine Evernote Notizbuch-Datei (.enex Datei).","Do not ask for confirmation.":"Nicht nach einer Bestätigung fragen.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"Datei \"%s\" wird importiert in das existierende Notizbuch \"%s\". Fortfahren?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"Ein neues Notizbuch \"%s\" wird erstellt und die Datei \"%s\" wird in es importiert. Fortfahren?","Found: %d.":"Gefunden: %d.","Created: %d.":"Erstellt: %d.","Updated: %d.":"Aktualisiert: %d.","Skipped: %d.":"Übersprungen: %d.","Resources: %d.":"","Tagged: %d.":"Markiert: %d.","Importing notes...":"Importiere Notizen...","The notes have been imported: %s":"Die Notizen wurden importiert: %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Zeigt die Notizen im momentanen Notizbuch an. Benutze `ls /` um eine Liste aller Notizbücher anzuzeigen.","Displays only the first top notes.":"Zeigt nur die Top- Notizen an.","Sorts the item by (eg. title, updated_time, created_time).":"Sorts the item by (eg. title, updated_time, created_time).","Reverses the sorting order.":"Dreht die Sortierreihenfolge um.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Zeige nur bestimmt Typen an. Kann `n` für Notizen sein, `t` für To-Dos, oder `nt` für Notizen und To-Dos ( z.B. würde `-tt` nur To-Dos anzeigen, während `-ttd` Notizen und To-Dos anzeigen würde ).","Either \"text\" or \"json\"":"Entweder \"text\" oder \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"","Please select a notebook first.":"Bitte wähle erst ein Notizbuch aus.","Creates a new notebook.":"Erstellt ein neues Notizbuch.","Creates a new note.":"Erstellt eine neue Notiz.","Notes can only be created within a notebook.":"Notizen können nur in einem Notizbuch erstellt werden.","Creates a new to-do.":"Erstellt ein neues To-Do.","Moves the notes matching to [notebook].":"Verschiebt die Notizen, die mit übereinstimmen, zu [Notizbuch]","Renames the given (note or notebook) to .":"Benennt das gegebene ( Notiz oder Notizbuch ) zu um.","Deletes the given notebook.":"Löscht das gegebene Notizbuch.","Deletes the notebook without asking for confirmation.":"Löscht das Notizbuch, ohne nach einer Bestätigung zu fragen.","Delete notebook? All notes within this notebook will also be deleted.":"","Deletes the notes matching .":"Löscht die Notizen, die mit übereinstimmen.","Deletes the notes without asking for confirmation.":"Löscht die Notizen, ohne nach einer Bestätigung zu fragen.","%d notes match this pattern. Delete them?":"%d Notizen stimmen mit diesem Muster überein. Sollen sie gelöscht werden?","Delete note?":"Notiz löschen?","Searches for the given in all the notes.":"Sucht nach dem gegebenen in allen Notizen.","Sets the property of the given to the given [value]. Possible properties are:\n\n%s":"Sets the property of the given to the given [value]. Possible properties are:\n\n%s","Displays summary about the notes and notebooks.":"Zeigt eine Zusammenfassung über die Notizen und Notizbücher an.","Synchronises with remote storage.":"Synchronises with remote storage.","Sync to provided target (defaults to sync.target config value)":"Mit dem gegebenen Ziel synchronisieren ( voreingestellt auf den sync.target Optionswert)","Synchronisation is already in progress.":"Synchronisation ist bereits im Gange.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"Eine Sperrdatei ist vorhanden. Wenn du dir sicher bist, dass keine Synchronisation im Gange ist, kannst du die Sperrdatei \"%s\" löschen und vortfahren.","Authentication was not completed (did not receive an authentication token).":"Authentikation wurde nicht abgeschlossen (keinen Authentikations-Token erhalten).","Synchronisation target: %s (%s)":"Synchronisationsziel: %s (%s)","Cannot initialize synchroniser.":"Kann Synchronisierer nicht initialisieren.","Starting synchronisation...":"Starte Synchronisation...","Cancelling... Please wait.":"Breche ab... Bitte warten."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.","Invalid command: \"%s\"":"Ungültiger Befehl: \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":" can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.","Marks a to-do as non-completed.":"Makiert ein To-Do als nicht-abgeschlossen.","Switches to [notebook] - all further operations will happen within this notebook.":"Wechselt zu [Notizbuch] - alle weiteren Tätigkeiten werden in diesem Notizbuch verrichtet.","Displays version information":"Zeigt die Versionsnummer an","%s %s (%s)":"%s %s (%s)","Enum":"","Type: %s.":"Typ: %s.","Possible values: %s.":"Mögliche Werte: %s.","Default: %s":"Standard: %s","Possible keys/values:":"Mögliche Werte:","Fatal error:":"Schwerwiegender Fehler:","The application has been authorised - you may now close this browser tab.":"Das Programm wurde authorisiert - Du kannst nun diesen Browsertab schließen.","The application has been successfully authorised.":"Das Programm wurde erfolgreich authorisiert.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Bitte öffne die folgende URL in deinem Browser, um das Programm zu authentifizieren. Das Programm wird einen Ordner in \"Apps/Joplin\" erstellen und wird nur in diesem Ordner schreiben und lesen. Es wird weder Zugriff auf Dateien außerhalb dieses Ordners haben, noch auf persönliche Daten. Es werden keine Daten mit Dritten geteilt.","Search:":"Suchen:","Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.":"","File":"Datei","New note":"Neue Notiz","New to-do":"Neues To-Do","New notebook":"Neues Notizbuch","Import Evernote notes":"Evernote Notizen importieren","Evernote Export Files":"","Quit":"Verlassen","Edit":"Bearbeiten","Copy":"Kopieren","Cut":"Ausschneiden","Paste":"Einfügen","Search in all the notes":"Alle Notizen durchsuchen","Tools":"Werkzeuge","Synchronisation status":"Synchronisation status","Options":"Optionen","Help":"Hilfe","Website and documentation":"Webseite und Dokumentation","About Joplin":"Über Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"OK","Cancel":"Abbrechen","Notes and settings are stored in: %s":"","Save":"","Back":"Zurück","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"Ein neues Notizbuch \"%s\" wird erstellt und die Datei \"%s\" wird in es importiert","Please create a notebook first.":"Bitte erstelle zuerst ein Notizbuch.","Note title:":"Notiz Titel:","Please create a notebook first":"Bitte erstelle zuerst ein Notizbuch","To-do title:":"To-Do Titel:","Notebook title:":"Notizbuch Titel:","Add or remove tags:":"Füge hinzu oder entferne Markierungen:","Separate each tag by a comma.":"Trenne jede Markierung mit einem Komma.","Rename notebook:":"Benne Notizbuch um:","Set alarm:":"Alarm erstellen:","Layout":"Layout","Some items cannot be synchronised.":"Some items cannot be synchronised.","View them now":"","Active":"","ID":"","Source":"","Created":"Created","Updated":"Updated","Password":"","Password OK":"","Note: Only one master key is going to be used for encryption (the one marked as \"active\"). Any of the keys might be used for decryption, depending on how the notes or notebooks were originally encrypted.":"","Add or remove tags":"Markierungen hinzufügen oder entfernen","Switch between note and to-do type":"Zwischen Notiz und To-Do Typ wechseln","Delete":"Löschen","Delete notes?":"Notizen löschen?","No notes in here. Create one by clicking on \"New note\".":"Hier sind noch keine Notizen. Erstelle eine, indem du auf \"Neue Notiz\" drückst.","There is currently no notebook. Create one by clicking on \"New notebook\".":"There is currently no notebook. Create one by clicking on \"New notebook\".","Unsupported link or message: %s":"Nicht unterstützter Link oder Nachricht: %s","Attach file":"Datei anhängen","Set alarm":"Alarm erstellen","Refresh":"Aktualisieren","Clear":"","OneDrive Login":"OneDrive login","Import":"Importieren","Synchronisation Status":"Synchronisation Status","Remove this tag from all the notes?":"Diese Markierung von allen Notizen löschen?","Remove this search from the sidebar?":"Diese Suche von der Seitenleiste entfernen?","Rename":"Umbenennen","Synchronise":"Synchronisieren","Notebooks":"Notizbücher","Tags":"Markierungen","Searches":"Suchen","Please select where the sync status should be exported to":"Please select where the sync status should be exported to","Usage: %s":"Usage: %s","Unknown flag: %s":"Unbekanntes Argument: %s","File system":"Dateisystem","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dev ( Nur für Tests )","Unknown log level: %s":"Unbekanntes Loglevel: %s","Unknown level ID: %s":"Unbekannte Level-ID: %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"Kann Token nicht erneuern: Authentikationsdaten nicht vorhanden. Ein Neustart der Synchronisation behebt das Problem vielleicht.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"Konnte nicht mit OneDrive synchronisieren.\n\nDieser Fehler kommt oft vor, wenn OneDrive Business benutzt wird, das leider nicht unterstützt wird.\n\nBitte benutze stattdessen einen normalen OneDrive account.","Cannot access %s":"Kann nicht auf %s zugreifen","Created local items: %d.":"","Updated local items: %d.":"","Created remote items: %d.":"","Updated remote items: %d.":"","Deleted local items: %d.":"","Deleted remote items: %d.":"","State: \"%s\".":"Status: \"%s\".","Cancelling...":"Breche ab...","Completed: %s":"Abgeschlossen: %s","Synchronisation is already in progress. State: %s":"Synchronisation ist bereits im Gange. Status: %s","Conflicts":"Konflikte","A notebook with this title already exists: \"%s\"":"Ein Notizbuch mit diesem Titel existiert bereits : \"%s\"","Notebooks cannot be named \"%s\", which is a reserved title.":"Notizbuch kann nicht \"%s\" genannt werden. Dies ist ein reservierter Titel.","Untitled":"Unbenannt","This note does not have geolocation information.":"Diese Notiz hat keine Standort-Informationen.","Cannot copy note to \"%s\" notebook":"Kann Notiz nicht zu Notizbuch \"%s\" kopieren","Cannot move note to \"%s\" notebook":"Kann Notiz nicht zu Notizbuch \"%s\" verschieben","Text editor":"Textbearbeitungsprogramm","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"Das Textbearbeitungsprogramm, mit dem Notizen geöffnet werden. Wenn keines ausgewählt wurde, wird Joplin versuchen das standard-Textbearbeitungsprogramm zu erkennen.","Language":"Sprache","Date format":"Datumsformat","Time format":"Zeitformat","Theme":"Thema","Light":"Hell","Dark":"Dunkel","Show uncompleted todos on top of the lists":"Unvollständige To-Dos oben in der Liste anzeigen","Save geo-location with notes":"Momentanen Standort zusammen mit Notizen speichern","Synchronisation interval":"Synchronisationsinterval","Disabled":"Deaktiviert","%d minutes":"%d Minuten","%d hour":"%d Stunde","%d hours":"%d Stunden","Automatically update the application":"Die Applikation automatisch aktualisieren","Show advanced options":"Erweiterte Optionen anzeigen","Synchronisation target":"Synchronisationsziel","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"Das Synchronisationsziel, mit dem synchronisiert werden soll. Wenn mit dem Dateisystem synchronisiert werden soll, setz den Wert zu `sync.2.path`, um den Zielpfad zu spezifizieren.","Directory to synchronise with (absolute path)":"","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"Der Pfad, mit dem synchronisiert wird, wenn Dateisystem-Synchronisation aktiviert ist. Siehe `sync.target`.","Invalid option value: \"%s\". Possible values are: %s.":"Ungültiger Optionswert: \"%s\". Mögliche Werte sind: %s.","Items that cannot be synchronised":"","\"%s\": \"%s\"":"\"%s\": \"%s\"","Sync status (synced items / total items)":"Synchronisationsstatus (synchronisierte Notizen / vorhandenen Notizen )","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Insgesamt: %d/%d","Conflicted: %d":"","To delete: %d":"To delete: %d","Folders":"Ordner","%s: %d notes":"%s: %d Notizen","Coming alarms":"Anstehende Alarme","On %s: %s":"Auf %s: %s","There are currently no notes. Create one by clicking on the (+) button.":"Momentan existieren noch keine Notizen. Erstelle eine, indem du auf den (+) Knopf drückst.","Delete these notes?":"Sollen diese Notizen gelöscht werden?","Log":"Log","Status":"Status","Export Debug Report":"Fehlerbreicht exportieren","Configuration":"Konfiguration","Move to notebook...":"Zu Notizbuch verschieben...","Move %d notes to notebook \"%s\"?":"%d Notizen zu dem Notizbuch \"%s\" verschieben?","Select date":"Datum ausswählen","Confirm":"Bestätigen","Cancel synchronisation":"Synchronisation abbrechen","The notebook could not be saved: %s":"Dieses Notizbuch konnte nicht gespeichert werden: %s","Edit notebook":"Notizbuch bearbeiten","This note has been modified:":"Diese Notiz wurde verändert:","Save changes":"Änderungen speichern","Discard changes":"Änderungen verwerfen","Unsupported image type: %s":"Nicht unterstütztes Fotoformat: %s","Attach photo":"Foto anhängen","Attach any file":"Beliebige Datei anhängen","Convert to note":"Zu einer Notiz umwandeln","Convert to todo":"Zu einem To-Do umwandeln","Hide metadata":"Metadaten verstecken","Show metadata":"Metadaten anzeigen","View on map":"Auf der Karte anzeigen","Delete notebook":"Notizbuch löschen","Login with OneDrive":"Mit OneDrive anmelden","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Drücke auf den (+) Knopf, um eine neue Notiz oder ein neues Notizbuch zu erstellen.","You currently have no notebook. Create one by clicking on (+) button.":"Du hast noch kein Notizbuch. Du kannst eines erstellen, indem du auf den (+) Knopf drückst.","Welcome":"Wilkommen"} \ No newline at end of file diff --git a/ElectronClient/app/locales/en_GB.json b/ElectronClient/app/locales/en_GB.json index deb79ef90..ed4aee8f9 100644 --- a/ElectronClient/app/locales/en_GB.json +++ b/ElectronClient/app/locales/en_GB.json @@ -1 +1 @@ -{"Give focus to next pane":"","Give focus to previous pane":"","Enter command line mode":"","Exit command line mode":"","Edit the selected note":"","Cancel the current command.":"","Exit the application.":"","Delete the currently selected note or notebook.":"","To delete a tag, untag the associated notes.":"","Please select the note or notebook to be deleted first.":"","Set a to-do as completed / not completed":"","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"","Search":"","[t]oggle note [m]etadata.":"","[M]ake a new [n]ote":"","[M]ake a new [t]odo":"","[M]ake a new note[b]ook":"","Copy ([Y]ank) the [n]ote to a notebook.":"","Move the note to a notebook.":"","Press Ctrl+D or type \"exit\" to exit the application":"","More than one item match \"%s\". Please narrow down your query.":"","No notebook selected.":"","No notebook has been specified.":"","Y":"","n":"","N":"","y":"","Cancelling background synchronisation... Please wait.":"","No such command: %s":"","The command \"%s\" is only available in GUI mode":"","Missing required argument: %s":"","%s: %s":"","Your choice: ":"","Invalid answer: %s":"","Attaches the given file to the note.":"","Cannot find \"%s\".":"","Displays the given note.":"","Displays the complete information about note.":"","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"","Also displays unset and hidden config variables.":"","%s = %s (%s)":"","%s = %s":"","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"","Marks a to-do as done.":"","Note is not a to-do: \"%s\"":"","Edit note.":"","No text editor is defined. Please set it using `config editor `":"","No active notebook.":"","Note does not exist: \"%s\". Create it?":"","Starting to edit note. Close the editor to get back to the prompt.":"","Note has been saved.":"","Exits the application.":"","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"","Exports only the given note.":"","Exports only the given notebook.":"","Displays a geolocation URL for the note.":"","Displays usage information.":"","Shortcuts are not available in CLI mode.":"","Type `help [command]` for more information about a command.":"","The possible commands are:":"","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"","To move from one pane to another, press Tab or Shift+Tab.":"","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"","To maximise/minimise the console, press \"TC\".":"","To enter command line mode, press \":\"":"","To exit command line mode, press ESCAPE":"","For the complete list of available keyboard shortcuts, type `help shortcuts`":"","Imports an Evernote notebook file (.enex file).":"","Do not ask for confirmation.":"","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"","Found: %d.":"","Created: %d.":"","Updated: %d.":"","Skipped: %d.":"","Resources: %d.":"","Tagged: %d.":"","Importing notes...":"","The notes have been imported: %s":"","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"","Displays only the first top notes.":"","Sorts the item by (eg. title, updated_time, created_time).":"","Reverses the sorting order.":"","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"","Either \"text\" or \"json\"":"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"","Please select a notebook first.":"","Creates a new notebook.":"","Creates a new note.":"","Notes can only be created within a notebook.":"","Creates a new to-do.":"","Moves the notes matching to [notebook].":"","Renames the given (note or notebook) to .":"","Deletes the given notebook.":"","Deletes the notebook without asking for confirmation.":"","Delete notebook \"%s\"?":"","Deletes the notes matching .":"","Deletes the notes without asking for confirmation.":"","%d notes match this pattern. Delete them?":"","Delete note?":"","Searches for the given in all the notes.":"","Sets the property of the given to the given [value].":"","Displays summary about the notes and notebooks.":"","Synchronises with remote storage.":"","Sync to provided target (defaults to sync.target config value)":"","Synchronisation is already in progress.":"","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"","Authentication was not completed (did not receive an authentication token).":"","Synchronisation target: %s (%s)":"","Cannot initialize synchroniser.":"","Starting synchronisation...":"","Cancelling... Please wait.":""," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":"","Invalid command: \"%s\"":""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":"","Marks a to-do as non-completed.":"","Switches to [notebook] - all further operations will happen within this notebook.":"","Displays version information":"","%s %s (%s)":"","Enum":"","Type: %s.":"","Possible values: %s.":"","Default: %s":"","Possible keys/values:":"","Fatal error:":"","The application has been authorised - you may now close this browser tab.":"","The application has been successfully authorised.":"","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"","Search:":"","File":"","New note":"","New to-do":"","New notebook":"","Import Evernote notes":"","Evernote Export Files":"","Quit":"","Edit":"","Copy":"","Cut":"","Paste":"","Search in all the notes":"","Tools":"","Synchronisation status":"","Options":"","Help":"","Website and documentation":"","About Joplin":"","%s %s (%s, %s)":"","OK":"","Cancel":"","Back":"","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"","Please create a notebook first.":"","Note title:":"","Please create a notebook first":"","To-do title:":"","Notebook title:":"","Add or remove tags:":"","Separate each tag by a comma.":"","Rename notebook:":"","Set alarm:":"","Layout":"","Some items cannot be synchronised.":"","View them now":"","Add or remove tags":"","Switch between note and to-do type":"","Delete":"","Delete notes?":"","No notes in here. Create one by clicking on \"New note\".":"","Unsupported link or message: %s":"","Attach file":"","Set alarm":"","Refresh":"","Clear":"","OneDrive Login":"","Import":"","Synchronisation Status":"","Delete notebook?":"","Remove this tag from all the notes?":"","Remove this search from the sidebar?":"","Rename":"","Synchronise":"","Notebooks":"","Tags":"","Searches":"","Usage: %s":"","Unknown flag: %s":"","File system":"","OneDrive":"","OneDrive Dev (For testing only)":"","Unknown log level: %s":"","Unknown level ID: %s":"","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"","Cannot access %s":"","Created local items: %d.":"","Updated local items: %d.":"","Created remote items: %d.":"","Updated remote items: %d.":"","Deleted local items: %d.":"","Deleted remote items: %d.":"","State: \"%s\".":"","Cancelling...":"","Completed: %s":"","Synchronisation is already in progress. State: %s":"","Conflicts":"","A notebook with this title already exists: \"%s\"":"","Notebooks cannot be named \"%s\", which is a reserved title.":"","Untitled":"","This note does not have geolocation information.":"","Cannot copy note to \"%s\" notebook":"","Cannot move note to \"%s\" notebook":"","File system synchronisation target directory":"","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"","Text editor":"","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"","Language":"","Date format":"","Time format":"","Theme":"","Light":"","Dark":"","Show uncompleted todos on top of the lists":"","Save geo-location with notes":"","Synchronisation interval":"","Disabled":"","%d minutes":"","%d hour":"","%d hours":"","Automatically update the application":"","Show advanced options":"","Synchronisation target":"","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"","Invalid option value: \"%s\". Possible values are: %s.":"","Items that cannot be synchronised":"","\"%s\": \"%s\"":"","Sync status (synced items / total items)":"","%s: %d/%d":"","Total: %d/%d":"","Conflicted: %d":"","To delete: %d":"","Folders":"","%s: %d notes":"","Coming alarms":"","On %s: %s":"","There are currently no notes. Create one by clicking on the (+) button.":"","Delete these notes?":"","Log":"","Status":"","Export Debug Report":"","Configuration":"","Move to notebook...":"","Move %d notes to notebook \"%s\"?":"","Select date":"","Confirm":"","Cancel synchronisation":"","The notebook could not be saved: %s":"","Edit notebook":"","This note has been modified:":"","Save changes":"","Discard changes":"","Unsupported image type: %s":"","Attach photo":"","Attach any file":"","Convert to note":"","Convert to todo":"","Hide metadata":"","Show metadata":"","View on map":"","Delete notebook":"","Login with OneDrive":"","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"","You currently have no notebook. Create one by clicking on (+) button.":"","Welcome":""} \ No newline at end of file +{"Give focus to next pane":"","Give focus to previous pane":"","Enter command line mode":"","Exit command line mode":"","Edit the selected note":"","Cancel the current command.":"","Exit the application.":"","Delete the currently selected note or notebook.":"","To delete a tag, untag the associated notes.":"","Please select the note or notebook to be deleted first.":"","Set a to-do as completed / not completed":"","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"","Search":"","[t]oggle note [m]etadata.":"","[M]ake a new [n]ote":"","[M]ake a new [t]odo":"","[M]ake a new note[b]ook":"","Copy ([Y]ank) the [n]ote to a notebook.":"","Move the note to a notebook.":"","Press Ctrl+D or type \"exit\" to exit the application":"","More than one item match \"%s\". Please narrow down your query.":"","No notebook selected.":"","No notebook has been specified.":"","Y":"","n":"","N":"","y":"","Cancelling background synchronisation... Please wait.":"","No such command: %s":"","The command \"%s\" is only available in GUI mode":"","Missing required argument: %s":"","%s: %s":"","Your choice: ":"","Invalid answer: %s":"","Attaches the given file to the note.":"","Cannot find \"%s\".":"","Displays the given note.":"","Displays the complete information about note.":"","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"","Also displays unset and hidden config variables.":"","%s = %s (%s)":"","%s = %s":"","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"","Marks a to-do as done.":"","Note is not a to-do: \"%s\"":"","Edit note.":"","No text editor is defined. Please set it using `config editor `":"","No active notebook.":"","Note does not exist: \"%s\". Create it?":"","Starting to edit note. Close the editor to get back to the prompt.":"","Note has been saved.":"","Exits the application.":"","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"","Exports only the given note.":"","Exports only the given notebook.":"","Displays a geolocation URL for the note.":"","Displays usage information.":"","Shortcuts are not available in CLI mode.":"","Type `help [command]` for more information about a command; or type `help all` for the complete usage information.":"","The possible commands are:":"","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"","To move from one pane to another, press Tab or Shift+Tab.":"","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"","To maximise/minimise the console, press \"TC\".":"","To enter command line mode, press \":\"":"","To exit command line mode, press ESCAPE":"","For the complete list of available keyboard shortcuts, type `help shortcuts`":"","Imports an Evernote notebook file (.enex file).":"","Do not ask for confirmation.":"","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"","Found: %d.":"","Created: %d.":"","Updated: %d.":"","Skipped: %d.":"","Resources: %d.":"","Tagged: %d.":"","Importing notes...":"","The notes have been imported: %s":"","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"","Displays only the first top notes.":"","Sorts the item by (eg. title, updated_time, created_time).":"","Reverses the sorting order.":"","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"","Either \"text\" or \"json\"":"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"","Please select a notebook first.":"","Creates a new notebook.":"","Creates a new note.":"","Notes can only be created within a notebook.":"","Creates a new to-do.":"","Moves the notes matching to [notebook].":"","Renames the given (note or notebook) to .":"","Deletes the given notebook.":"","Deletes the notebook without asking for confirmation.":"","Delete notebook? All notes within this notebook will also be deleted.":"","Deletes the notes matching .":"","Deletes the notes without asking for confirmation.":"","%d notes match this pattern. Delete them?":"","Delete note?":"","Searches for the given in all the notes.":"","Sets the property of the given to the given [value]. Possible properties are:\n\n%s":"","Displays summary about the notes and notebooks.":"","Synchronises with remote storage.":"","Sync to provided target (defaults to sync.target config value)":"","Synchronisation is already in progress.":"","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"","Authentication was not completed (did not receive an authentication token).":"","Synchronisation target: %s (%s)":"","Cannot initialize synchroniser.":"","Starting synchronisation...":"","Cancelling... Please wait.":""," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":"","Invalid command: \"%s\"":""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":"","Marks a to-do as non-completed.":"","Switches to [notebook] - all further operations will happen within this notebook.":"","Displays version information":"","%s %s (%s)":"","Enum":"","Type: %s.":"","Possible values: %s.":"","Default: %s":"","Possible keys/values:":"","Fatal error:":"","The application has been authorised - you may now close this browser tab.":"","The application has been successfully authorised.":"","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"","Search:":"","Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.":"","File":"","New note":"","New to-do":"","New notebook":"","Import Evernote notes":"","Evernote Export Files":"","Quit":"","Edit":"","Copy":"","Cut":"","Paste":"","Search in all the notes":"","Tools":"","Synchronisation status":"","Options":"","Help":"","Website and documentation":"","About Joplin":"","%s %s (%s, %s)":"","OK":"","Cancel":"","Notes and settings are stored in: %s":"","Save":"","Back":"","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"","Please create a notebook first.":"","Note title:":"","Please create a notebook first":"","To-do title:":"","Notebook title:":"","Add or remove tags:":"","Separate each tag by a comma.":"","Rename notebook:":"","Set alarm:":"","Layout":"","Some items cannot be synchronised.":"","View them now":"","Active":"","ID":"","Source":"","Created":"","Updated":"","Password":"","Password OK":"","Note: Only one master key is going to be used for encryption (the one marked as \"active\"). Any of the keys might be used for decryption, depending on how the notes or notebooks were originally encrypted.":"","Add or remove tags":"","Switch between note and to-do type":"","Delete":"","Delete notes?":"","No notes in here. Create one by clicking on \"New note\".":"","There is currently no notebook. Create one by clicking on \"New notebook\".":"","Unsupported link or message: %s":"","Attach file":"","Set alarm":"","Refresh":"","Clear":"","OneDrive Login":"","Import":"","Synchronisation Status":"","Remove this tag from all the notes?":"","Remove this search from the sidebar?":"","Rename":"","Synchronise":"","Notebooks":"","Tags":"","Searches":"","Please select where the sync status should be exported to":"","Usage: %s":"","Unknown flag: %s":"","File system":"","OneDrive":"","OneDrive Dev (For testing only)":"","Unknown log level: %s":"","Unknown level ID: %s":"","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"","Cannot access %s":"","Created local items: %d.":"","Updated local items: %d.":"","Created remote items: %d.":"","Updated remote items: %d.":"","Deleted local items: %d.":"","Deleted remote items: %d.":"","State: \"%s\".":"","Cancelling...":"","Completed: %s":"","Synchronisation is already in progress. State: %s":"","Conflicts":"","A notebook with this title already exists: \"%s\"":"","Notebooks cannot be named \"%s\", which is a reserved title.":"","Untitled":"","This note does not have geolocation information.":"","Cannot copy note to \"%s\" notebook":"","Cannot move note to \"%s\" notebook":"","Text editor":"","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"","Language":"","Date format":"","Time format":"","Theme":"","Light":"","Dark":"","Show uncompleted todos on top of the lists":"","Save geo-location with notes":"","Synchronisation interval":"","Disabled":"","%d minutes":"","%d hour":"","%d hours":"","Automatically update the application":"","Show advanced options":"","Synchronisation target":"","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"","Directory to synchronise with (absolute path)":"","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"","Invalid option value: \"%s\". Possible values are: %s.":"","Items that cannot be synchronised":"","\"%s\": \"%s\"":"","Sync status (synced items / total items)":"","%s: %d/%d":"","Total: %d/%d":"","Conflicted: %d":"","To delete: %d":"","Folders":"","%s: %d notes":"","Coming alarms":"","On %s: %s":"","There are currently no notes. Create one by clicking on the (+) button.":"","Delete these notes?":"","Log":"","Status":"","Export Debug Report":"","Configuration":"","Move to notebook...":"","Move %d notes to notebook \"%s\"?":"","Select date":"","Confirm":"","Cancel synchronisation":"","The notebook could not be saved: %s":"","Edit notebook":"","This note has been modified:":"","Save changes":"","Discard changes":"","Unsupported image type: %s":"","Attach photo":"","Attach any file":"","Convert to note":"","Convert to todo":"","Hide metadata":"","Show metadata":"","View on map":"","Delete notebook":"","Login with OneDrive":"","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"","You currently have no notebook. Create one by clicking on (+) button.":"","Welcome":""} \ No newline at end of file diff --git a/ElectronClient/app/locales/es_CR.json b/ElectronClient/app/locales/es_CR.json index f4ff11612..ad6c91d41 100644 --- a/ElectronClient/app/locales/es_CR.json +++ b/ElectronClient/app/locales/es_CR.json @@ -1 +1 @@ -{"Give focus to next pane":"Enfocar panel siguiente","Give focus to previous pane":"Enfocar panel anterior","Enter command line mode":"Entrar en modo de línea de comandos","Exit command line mode":"Salir del modo de línea de comandos","Edit the selected note":"Editar la nota siguiente","Cancel the current command.":"Cancelar el comando actual.","Exit the application.":"Salir de la aplicación.","Delete the currently selected note or notebook.":"Eliminar la nota o el cuaderno activo.","To delete a tag, untag the associated notes.":"Para eliminar una etiqueta, desetiquete las notas asociadas.","Please select the note or notebook to be deleted first.":"Por favor seleccione la nota o el cuaderno a eliminar primero.","Set a to-do as completed / not completed":"Cambiar un quehacer a completado / no completado","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"Al[t]ernar [c]onsla entre maximizado/minimizado/oculto/visible.","Search":"Buscar","[t]oggle note [m]etadata.":"Al[t]ernar [m]etadatos de la nota.","[M]ake a new [n]ote":"[M]ake a new [n]ote","[M]ake a new [t]odo":"[M]ake a new [t]odo","[M]ake a new note[b]ook":"[M]ake a new note[b]ook","Copy ([Y]ank) the [n]ote to a notebook.":"","Move the note to a notebook.":"Mover nota a un cuaderno.","Press Ctrl+D or type \"exit\" to exit the application":"Presione Ctrl+D o escriba \"exit\" para salir de la aplicación","More than one item match \"%s\". Please narrow down your query.":"Más de un elemento coinciden con \"%s\". Por favor haga una búsqueda más específica.","No notebook selected.":"No hay ningún cuaderno seleccionado.","No notebook has been specified.":"Ningún cuaderno ha sido especificado.","Y":"","n":"","N":"","y":"","Cancelling background synchronisation... Please wait.":"Cancelando sincronización en segundo plano... Por favor espere.","No such command: %s":"No such command: %s","The command \"%s\" is only available in GUI mode":"El comando \"%s\" solo está disponible en el modo gráfico (GUI)","Missing required argument: %s":"Falta argumento necesario: %s","%s: %s":"%s: %s","Your choice: ":"Su elección: ","Invalid answer: %s":"Respuesta inválida: %s","Attaches the given file to the note.":"Adjunta el archivo a la nota.","Cannot find \"%s\".":"No se puede encontrar \"%s\".","Displays the given note.":"Muestra la nota.","Displays the complete information about note.":"Muestra la información completa acerca de la nota.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"","Also displays unset and hidden config variables.":"También muestra variables configuradas no establecidas y ocultas.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Duplica las notas coincidentes con a [noteboom]. Si ningún cuaderno es especificado la nota es duplicada en el uaderno actual.","Marks a to-do as done.":"Marca el quehacer como hecho.","Note is not a to-do: \"%s\"":"La nota no es un quehacer: \"%s\"","Edit note.":"Editar nota.","No text editor is defined. Please set it using `config editor `":"No hay texto definido. Por favor establézcalo con `config editor `","No active notebook.":"No hay cuaderno activo.","Note does not exist: \"%s\". Create it?":"La nota no existe: \"%s\". ¿Crearlo?","Starting to edit note. Close the editor to get back to the prompt.":"","Note has been saved.":"La nota ha sido guardada.","Exits the application.":"Cierra la aplicación.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Exporta la información de Joplin al directorio. Por defecto, exportará la base de datos completa incluyendo cuadernos, notas, etiquetas y recursos.","Exports only the given note.":"Exporta solo la nota especificado.","Exports only the given notebook.":"Exporta solo el cuaderno especificado.","Displays a geolocation URL for the note.":"Muestra la URL de geolocalización de la nota.","Displays usage information.":"Muestra información de uso.","Shortcuts are not available in CLI mode.":"Los atajos no están disponibles en mod de línea de comandos (CLI).","Type `help [command]` for more information about a command.":"Escriba `help [comando]` para más información acerca del comando.","The possible commands are:":"Los comandos posibles son:","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"En cualquier comando, una nota o cuaderno puede ser referido por su título o ID, o usando los atajos `$n` o `$b` para la nota o cuaderno seleccionado, respectivamente. `$c` puede ser utilizado para referirse al elemento seleccionado.","To move from one pane to another, press Tab or Shift+Tab.":"Para moverse de un panel a otro, presione Tab o Shift+Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Use las flechas y RePág/AvPág para deslizar las listas y áreas de texto (incluyendo esta consola).","To maximise/minimise the console, press \"TC\".":"Para minimizar/mazimizar la consola, presione \"TC\".","To enter command line mode, press \":\"":"Para entrar en modo de línea de comandos (CLI), presione \":\"","To exit command line mode, press ESCAPE":"Para salir del modo de línea de comandos (CLI), presione Esc","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Para la lista completa de atajos de teclado disponibles, escriba `help shortcuts`","Imports an Evernote notebook file (.enex file).":"Importa un archivo de cuaderno de Evernote (.enex).","Do not ask for confirmation.":"No preguntar por confirmación.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"El archivo \"%s\" será importado al cuaderno \"%s\". ¿Continuar?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"El nuevo cuaderno \"%s\" será cread y el archivo \"%s\" será importado en él. ¿Continuar?","Found: %d.":"Encontrado: %d.","Created: %d.":"Creado: %d.","Updated: %d.":"Actualizado: %d.","Skipped: %d.":"Saltado: %d.","Resources: %d.":"Recursos: %d.","Tagged: %d.":"Etiquetado: %d.","Importing notes...":"Importando notas...","The notes have been imported: %s":"Las notas han sido importadas: %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Muestra las notas en el cuaderno actual. Use `ls /` para mostrar la lista de cuadernos.","Displays only the first top notes.":"Muestra las primeras notas.","Sorts the item by (eg. title, updated_time, created_time).":"Sorts the item by (eg. title, updated_time, created_time).","Reverses the sorting order.":"Invierte el orden.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Muestra solo los elementos del tipo específico. Puede ser `n` para notas, `t` para quehaceres, o `nt` para notas y quehaceres (ej. `-tt` mostraría solo los quehaceres, mientras que `-ttd` mostraría las notas y los quehaceres.","Either \"text\" or \"json\"":"Either \"text\" or \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"Usar formato de lista largo. El formato es ID, NOTE_COUNT (para cuaderno), DATE, TODO_CHECKED (para quehaceres), TITLE","Please select a notebook first.":"Por favor seleccione un cuaderno primero.","Creates a new notebook.":"Crea un nuevo cuaderno.","Creates a new note.":"Crea una nueva nota.","Notes can only be created within a notebook.":"Las notas solo pueden ser creadas dentro de un cuaderno.","Creates a new to-do.":"Crea un nuevo quehacer.","Moves the notes matching to [notebook].":"Moves the notes matching to [notebook].","Renames the given (note or notebook) to .":"Renombra el (nota o cuaderno) a .","Deletes the given notebook.":"Elimina el cuaderno.","Deletes the notebook without asking for confirmation.":"Elimina el cuaderno sin preguntar por confirmación.","Delete notebook \"%s\"?":"¿Eliminar el cuaderno \"%s\"?","Deletes the notes matching .":"Elimina las notas coincidentes con .","Deletes the notes without asking for confirmation.":"Elimina las notas sin preguntar por confirmación.","%d notes match this pattern. Delete them?":"%d notas coinciden con este patrón. ¿Eliminarlas?","Delete note?":"¿Elimnar la nota?","Searches for the given in all the notes.":"Busca el en todas las notas.","Sets the property of the given to the given [value].":"Establece la propiedad de la al [value].","Displays summary about the notes and notebooks.":"Muestra un resumen acerca de las notas y los cuadernos.","Synchronises with remote storage.":"Sincroniza con el almacenamiento remoto.","Sync to provided target (defaults to sync.target config value)":"Sync to provided target (defaults to sync.target config value)","Synchronisation is already in progress.":"La sincronización ya está en progreso.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"","Authentication was not completed (did not receive an authentication token).":"","Synchronisation target: %s (%s)":"Objetivo de sincronización: %s (%s)","Cannot initialize synchroniser.":"No se puede iniciar la sincronización.","Starting synchronisation...":"Iniciando la sincronización...","Cancelling... Please wait.":"Cancelando... por favor espere."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":"","Invalid command: \"%s\"":"Comando inválido: \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":"","Marks a to-do as non-completed.":"Marca los quehaceres como incompletos.","Switches to [notebook] - all further operations will happen within this notebook.":"Switches to [notebook] - all further operations will happen within this notebook.","Displays version information":"Muestra la información de la versión","%s %s (%s)":"%s %s (%s)","Enum":"","Type: %s.":"Tipo: %s.","Possible values: %s.":"Valores posibles: %s.","Default: %s":"","Possible keys/values:":"Possible keys/values:","Fatal error:":"Error fatal:","The application has been authorised - you may now close this browser tab.":"La aplicación ha sido autorizada. Ya puede cerrar esta pestaña.","The application has been successfully authorised.":"La aplicación fue autorizada exitosamente.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Por favor abra el siguiente URL en su explorador para autenticar la aplciación. La aplicación creará un directorio en \"Apps/Joplin\" y solo leerá y escribirá los archivos en este directorio. No tendrá acceso a ningún archivo fuera de este directorio ni a información personal. Ninguna información será compartida con terceros.","Search:":"Buscar:","File":"Archivo","New note":"Nueva nota","New to-do":"Nuevo quehacer","New notebook":"Nuevo cuaderno","Import Evernote notes":"Importar notas de Evernote","Evernote Export Files":"Evernote Export Files","Quit":"Abortar","Edit":"Editar","Copy":"Copiar","Cut":"Cortar","Paste":"Pegar","Search in all the notes":"Buscar en todas la notas","Tools":"Herramientas","Synchronisation status":"Synchronisation status","Options":"Opciones","Help":"Ayuda","Website and documentation":"Sitio web y documentación","About Joplin":"Acerca de Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"Aceptar","Cancel":"Cancelar","Back":"Atrás","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"El nuevo cuaderno \"%s\" será cread y el archivo \"%s\" será importado en él","Please create a notebook first.":"Por favor cree un cuaderno primero.","Note title:":"Título de la nota:","Please create a notebook first":"Por favor cree un cuaderno primero","To-do title:":"Nombre del quehacer:","Notebook title:":"Título del cuaderno:","Add or remove tags:":"Añadir o eliminar etiquetas:","Separate each tag by a comma.":"Separar cada etiqueta con una coma.","Rename notebook:":"Renombrar cuaderno:","Set alarm:":"Set alarm:","Layout":"Layout","Some items cannot be synchronised.":"Some items cannot be synchronised.","View them now":"","Add or remove tags":"Añadir o eliminar etiquetas","Switch between note and to-do type":"Cambie entre nota y quehacer","Delete":"Eliminar","Delete notes?":"¿Eliminar notas?","No notes in here. Create one by clicking on \"New note\".":"No hay notas aquí. Cree una presionando \"Nota nueva\".","Unsupported link or message: %s":"Enlace o mensaje no soportado: %s","Attach file":"Adjuntar archivo","Set alarm":"Establecer alarma","Refresh":"Actualizar","Clear":"Clear","OneDrive Login":"Inicio de sesión de OneDrive","Import":"Importar","Synchronisation Status":"Synchronisation Status","Delete notebook?":"¿Eliminar cuaderno?","Remove this tag from all the notes?":"¿Eliminar esta etiqueta de todas las notas?","Remove this search from the sidebar?":"¿Eliminar esta búsqueda de la barra lateral?","Rename":"Renombrar","Synchronise":"Sincronizar","Notebooks":"Cuadernos","Tags":"Etiquetas","Searches":"Búsquedas","Usage: %s":"Uso: %s","Unknown flag: %s":"","File system":"Sistema de archivos","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"Desarrollo de OneDrive (solo para pruebas)","Unknown log level: %s":"","Unknown level ID: %s":"","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"","Cannot access %s":"Cannot access %s","Created local items: %d.":"Elementos locales creados: %d.","Updated local items: %d.":"Elementos locales actualizados: %d.","Created remote items: %d.":"Elementos remotos creados: %d.","Updated remote items: %d.":"Elementos remotos actualizados: %d.","Deleted local items: %d.":"Elementos locales eliminados: %d.","Deleted remote items: %d.":"Elementos remotos eliminados: %d.","State: \"%s\".":"Estado: \"%s\".","Cancelling...":"Cancelando...","Completed: %s":"Completado: %s","Synchronisation is already in progress. State: %s":"La sincronización ya está en progreso. Estado: %s","Conflicts":"Conflictos","A notebook with this title already exists: \"%s\"":"Ya existe un cuaderno con este título: \"%s\"","Notebooks cannot be named \"%s\", which is a reserved title.":"Notebooks cannot be named \"%s\", which is a reserved title.","Untitled":"Sin título","This note does not have geolocation information.":"Esta nota no tiene datos de localización geográfica.","Cannot copy note to \"%s\" notebook":"Cannot copy note to \"%s\" notebook","Cannot move note to \"%s\" notebook":"Cannot move note to \"%s\" notebook","File system synchronisation target directory":"Directorio objetivo del sistema de sincronización de archivos","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"La ruta para sincronizar cuando el sistema de sincronización de archivos de es activado. Ver `sync.target`.","Text editor":"Editor de texto","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"El editor que va a ser utilizado para abrir notas. Si no hay ninguno seleccionado va a intentar detectar el editor por defecto.","Language":"Idioma","Date format":"Formato de fecha","Time format":"Formato de hora","Theme":"Tema","Light":"Claro","Dark":"Oscuro","Show uncompleted todos on top of the lists":"Mostrar quehaceres incompletos arriba de las listas","Save geo-location with notes":"Guardar localización geográfica con notas","Synchronisation interval":"Intervalo de sincronización","Disabled":"Desactivado","%d minutes":"%d minutos","%d hour":"%d hour","%d hours":"%d horas","Automatically update the application":"Actualizar la aplicación automáticamente","Show advanced options":"Mostrar opciones avanzadas","Synchronisation target":"Objetivo de sincronización","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"El objetivo a sincronizar. Si está sincronizando con el sistema de archivos, establezca `sync.2.path` para especificar el directorio objetivo.","Invalid option value: \"%s\". Possible values are: %s.":"Valor inválido: \"%s\". Posibles valores: %s.","Items that cannot be synchronised":"","\"%s\": \"%s\"":"","Sync status (synced items / total items)":"Estado de sincronización (elementos sincronizados / total de elementos)","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Total: %d/%d","Conflicted: %d":"Conflicto: %d","To delete: %d":"A eliminar: %d","Folders":"Carpetas","%s: %d notes":"","Coming alarms":"Alarmas pendientes","On %s: %s":"","There are currently no notes. Create one by clicking on the (+) button.":"Actualmente no hay notas. Cree una presionando el botón (+).","Delete these notes?":"¿Eliminar estas notas?","Log":"Historial","Status":"Estado","Export Debug Report":"Exportar reporte de fallos","Configuration":"Configuración","Move to notebook...":"Mover a cuaderno...","Move %d notes to notebook \"%s\"?":"Move %d notes to notebook \"%s\"?","Select date":"Seleccionar fecha","Confirm":"Aceptar","Cancel synchronisation":"Cancelar sincronización","The notebook could not be saved: %s":"El cuaderno no pudo ser guardado: %s","Edit notebook":"Editar cuaderno","This note has been modified:":"Esta nota ha sido modificada:","Save changes":"Guardar cambios","Discard changes":"Descartar cambios","Unsupported image type: %s":"Tipo de imagen no soportado: %s","Attach photo":"Adjuntar foto","Attach any file":"Adjuntar un archivo","Convert to note":"Convertir a nota","Convert to todo":"Convertir a quehacer","Hide metadata":"Ocultar metadatos","Show metadata":"Mostrar metadatos","View on map":"Ver en el mapa","Delete notebook":"Eliminar un cuaderno","Login with OneDrive":"Iniciar sesión con OneDrive","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Presione el botón (+) para crear una nueva nota o un nuevo cuaderno. Presione el menú lateral para acceder a uno de sus cuadernos.","You currently have no notebook. Create one by clicking on (+) button.":"Actualmente no tiene cuadernos. Cree uno presionando el botón (+).","Welcome":"Bienvenido"} \ No newline at end of file +{"Give focus to next pane":"Dar enfoque al siguiente panel","Give focus to previous pane":"Dar enfoque al panel anterior","Enter command line mode":"Entrar modo linea de comandos","Exit command line mode":"Salir modo linea de comandos","Edit the selected note":"Editar la nota seleccionada","Cancel the current command.":"Cancelar el comando actual.","Exit the application.":"Salir de la aplicación.","Delete the currently selected note or notebook.":"Eliminar la nota o libreta seleccionada.","To delete a tag, untag the associated notes.":"Para eliminar una etiqueta, desmarca las notas asociadas.","Please select the note or notebook to be deleted first.":"Por favor selecciona la nota o libreta a elliminar.","Set a to-do as completed / not completed":"Set a to-do as completed / not completed","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"[c]ambia la [c]onsola entre maximizado/minimizado/oculto/visible.","Search":"Buscar","[t]oggle note [m]etadata.":"[c]ambia los [m]etadatos de una nota.","[M]ake a new [n]ote":"[H]acer una [n]ota nueva","[M]ake a new [t]odo":"[H]acer una nueva [t]area","[M]ake a new note[b]ook":"[H]acer una nueva [l]ibreta","Copy ([Y]ank) the [n]ote to a notebook.":"Copiar ([Y]ank) la [n]ota a una libreta.","Move the note to a notebook.":"Mover la nota a una libreta.","Press Ctrl+D or type \"exit\" to exit the application":"Presiona Ctrl+D o escribe \"salir\" para salir de la aplicación","More than one item match \"%s\". Please narrow down your query.":"Más de un artículo coincide con \"%s\". Por favor acortar tu consulta.","No notebook selected.":"Ninguna libreta seleccionada","No notebook has been specified.":"Ninguna libre fue especificada","Y":"Y","n":"n","N":"N","y":"y","Cancelling background synchronisation... Please wait.":"Cancelando sincronización de segundo plano... Por favor espere.","No such command: %s":"No such command: %s","The command \"%s\" is only available in GUI mode":"The command \"%s\" is only available in GUI mode","Missing required argument: %s":"Falta un argumento requerido: %s","%s: %s":"%s: %s","Your choice: ":"Tu elección: ","Invalid answer: %s":"Respuesta inválida: %s","Attaches the given file to the note.":"Adjuntar archivo a la nota.","Cannot find \"%s\".":"No se encuentra \"%s\".","Displays the given note.":"Mostrar la nota dada.","Displays the complete information about note.":"Mostrar la información completa acerca de la nota.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Obtener o configurar un valor. Si no se provee el [valor], se mostrará el valor de [nombre]. Si no se provee [nombre] ni [valor], se listara la configuración actual.","Also displays unset and hidden config variables.":"También muestra variables ocultas o no configuradas.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Duplica las notas que coincidan con en la libreta. Si no se especifica una libreta la nota se duplica en la libreta actual.","Marks a to-do as done.":"Marca una tarea como hecha.","Note is not a to-do: \"%s\"":"Una nota no es una tarea: \"%s\"","Edit note.":"Editar una nota.","No text editor is defined. Please set it using `config editor `":"No hay editor de texto definido. Por favor configure uno usando `config editor `","No active notebook.":"No hay libreta activa.","Note does not exist: \"%s\". Create it?":"La nota no existe: \"%s\". Crearla?","Starting to edit note. Close the editor to get back to the prompt.":"Iniciando a editar una nota. Cierra el editor para regresar al prompt.","Note has been saved.":"La nota a sido guardada.","Exits the application.":"Sale de la aplicación.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Exportar datos de Joplin al directorio indicado. Por defecto, se exportará la base de datos completa incluyendo libretas, notas, etiquetas y recursos.","Exports only the given note.":"Exportar unicamente la nota indicada.","Exports only the given notebook.":"Exportar unicamente la libreta indicada.","Displays a geolocation URL for the note.":"Mostrar geolocalización de la URL para la nota.","Displays usage information.":"Muestra información de uso.","Shortcuts are not available in CLI mode.":"Atajos no disponibles en modo CLI.","Type `help [command]` for more information about a command; or type `help all` for the complete usage information.":"Type `help [command]` for more information about a command; or type `help all` for the complete usage information.","The possible commands are:":"Los posibles comandos son:","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"Con cualquier comando, una nota o libreta puede ser referida por titulo o ID, o utilizando atajos `$n` o `$b`, respectivamente, para la nota o libreta seleccionada se puede usar `$c` para hacer referencia al artículo seleccionado.","To move from one pane to another, press Tab or Shift+Tab.":"Para mover desde un panel a otro, presiona Tab o Shift+Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Para desplazar en las listas y areas de texto ( incluyendo la consola ) utilice las flechas y re pág/av pág.","To maximise/minimise the console, press \"TC\".":"Para maximizar/minimizar la consola, presiona \"TC\".","To enter command line mode, press \":\"":"Para entrar a modo linea de comando, presiona \":\"","To exit command line mode, press ESCAPE":"Para salir de modo linea de comando, presiona ESCAPE","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Para una lista completa de los atajos de teclado disponibles, escribe `help shortcuts`","Imports an Evernote notebook file (.enex file).":"Importar una libreta de Evernote (archivo .enex).","Do not ask for confirmation.":"No preguntar por confirmación.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"El archivo \"%s\" será importado dentro de la libreta existente \"%s\". Continuar?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"Nueva libreta \"%s\" será creada y el archivo \"%s\" será importado dentro de ella. Continuar?","Found: %d.":"Encontrado: %d.","Created: %d.":"Creado: %d.","Updated: %d.":"Actualizado: %d.","Skipped: %d.":"Omitido: %d.","Resources: %d.":"Recursos: %d.","Tagged: %d.":"Etiquetado: %d.","Importing notes...":"Importando notas...","The notes have been imported: %s":"Las notas han sido importadas: %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Muestra las notas en la libreta actual. Usa `ls /` para mostrar la lista de libretas.","Displays only the first top notes.":"Muestra las primeras notas.","Sorts the item by (eg. title, updated_time, created_time).":"Ordena los artículos por campo ( ej. título, fecha de actualización, fecha de creación).","Reverses the sorting order.":"Invierte el orden.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Muestra unicamente los artículos de los tipos especificados. Pueden ser `n` para notas, `t` para tareas, o `nt` para libretas y tareas (ej. `-tt` mostrará unicamente las tareas, mientras `-ttd` mostrará notas y tareas).","Either \"text\" or \"json\"":"Puede ser \"text\" o \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"Usar formato largo de lista. El formato es ID, NOTE_COUNT ( para libretas), DATE,TODO_CHECKED ( para tareas), TITLE","Please select a notebook first.":"Por favor selecciona la libreta.","Creates a new notebook.":"Crea una nueva libreta.","Creates a new note.":"Crea una nueva nota.","Notes can only be created within a notebook.":"Notas solamente pueden ser creadas dentro de una libreta.","Creates a new to-do.":"Crea una nueva lista de tareas.","Moves the notes matching to [notebook].":"Mueve las notas que coincidan con para la [libreta].","Renames the given (note or notebook) to .":"Renombre el artículo dado (nota o libreta) a .","Deletes the given notebook.":"Elimina la libreta dada.","Deletes the notebook without asking for confirmation.":"Elimina una libreta sin pedir confirmación.","Delete notebook? All notes within this notebook will also be deleted.":"","Deletes the notes matching .":"Elimina las notas que coinciden con .","Deletes the notes without asking for confirmation.":"Elimina las notas sin pedir confirmación.","%d notes match this pattern. Delete them?":"%d notas coinciden con el patron. Eliminarlas?","Delete note?":"Eliminar nota?","Searches for the given in all the notes.":"Buscar el patron en todas las notas.","Sets the property of the given to the given [value]. Possible properties are:\n\n%s":"Sets the property of the given to the given [value]. Possible properties are:\n\n%s","Displays summary about the notes and notebooks.":"Muestra un resumen acerca de las notas y las libretas.","Synchronises with remote storage.":"Sincronizar con almacenamiento remoto.","Sync to provided target (defaults to sync.target config value)":"Sincronizar con objetivo proveído ( por defecto al valor de configuración sync.target)","Synchronisation is already in progress.":"Sincronzación en progreso.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.","Authentication was not completed (did not receive an authentication token).":"Autenticación no completada (no se recibió token de autenticación).","Synchronisation target: %s (%s)":"Objetivo de sincronización: %s (%s)","Cannot initialize synchroniser.":"No se puede inicializar sincronizador.","Starting synchronisation...":"Iniciando sincronización...","Cancelling... Please wait.":"Cancelando... Por favor espere."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" puede ser \"add\", \"remove\" o \"list\" para asignar o eliminar [tag] de [note], o para listar las notas asociadas con [tag]. El comando `tag list` puede ser usado para listar todas las etiquetas.","Invalid command: \"%s\"":"Comando inválido: \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":" puede ser \"toggle\" o \"clear\". Usa \"toggle\" para cambiar la tarea dada entre estado completado y sin completar. ( Si el objetivo es una nota regular se convertirá en una tarea). Usa \"clear\" para convertir la tarea a una nota regular. ","Marks a to-do as non-completed.":"Marcar una tarea como no completada.","Switches to [notebook] - all further operations will happen within this notebook.":"Cambia una [libreta] - todas las demás operaciones se realizan en ésta libreta.","Displays version information":"Muestra información de la versión","%s %s (%s)":"%s %s (%s)","Enum":"Enumerar","Type: %s.":"Tipo: %s.","Possible values: %s.":"Posibles valores: %s.","Default: %s":"Por defecto: %s","Possible keys/values:":"Teclas/valores posbiles:","Fatal error:":"Error fatal:","The application has been authorised - you may now close this browser tab.":"La aplicación ha sido autorizada - ahora puedes cerrar esta pestaña de tu navegador.","The application has been successfully authorised.":"La aplicacion ha sido autorizada exitosamente.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.","Search:":"Bucar:","Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.":"","File":"Archivo","New note":"Nueva nota","New to-do":"Nueva lista de tareas","New notebook":"Nueva libreta","Import Evernote notes":"Importar notas de Evernote","Evernote Export Files":"Exportar archivos de Evernote","Quit":"Salir","Edit":"Editar","Copy":"Copiar","Cut":"Cortar","Paste":"Pegar","Search in all the notes":"Buscar en todas las notas","Tools":"Herramientas","Synchronisation status":"Synchronisation status","Options":"Opciones","Help":"Ayuda","Website and documentation":"Sitio web y documentacion","About Joplin":"Acerca de Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"Ok","Cancel":"Cancelar","Notes and settings are stored in: %s":"","Save":"","Back":"Back","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"New notebook \"%s\" will be created and file \"%s\" will be imported into it","Please create a notebook first.":"Por favor crea una libreta primero.","Note title:":"Título de nota:","Please create a notebook first":"Por favor crea una libreta primero","To-do title:":"Títuto de lista de tareas:","Notebook title:":"Título de libreta:","Add or remove tags:":"Agregar o borrar etiquetas: ","Separate each tag by a comma.":"Separar cada etiqueta por una coma.","Rename notebook:":"Renombrar libreta:","Set alarm:":"Ajustar alarma:","Layout":"Diseño","Some items cannot be synchronised.":"Some items cannot be synchronised.","View them now":"","Active":"","ID":"","Source":"","Created":"Created","Updated":"Updated","Password":"","Password OK":"","Note: Only one master key is going to be used for encryption (the one marked as \"active\"). Any of the keys might be used for decryption, depending on how the notes or notebooks were originally encrypted.":"","Add or remove tags":"Agregar o borrar etiquetas","Switch between note and to-do type":"Switch between note and to-do type","Delete":"Eliminar","Delete notes?":"Eliminar notas?","No notes in here. Create one by clicking on \"New note\".":"No hay notas aqui. Crea una dando click en \"Nueva nota\".","There is currently no notebook. Create one by clicking on \"New notebook\".":"There is currently no notebook. Create one by clicking on \"New notebook\".","Unsupported link or message: %s":"Enlace o mensaje sin soporte: %s","Attach file":"Adjuntar archivo","Set alarm":"Ajustar alarma","Refresh":"Refrescar","Clear":"Limpiar","OneDrive Login":"Inicio de sesión de OneDrive","Import":"Importar","Synchronisation Status":"Synchronisation Status","Remove this tag from all the notes?":"Remover esta etiqueta de todas las notas?","Remove this search from the sidebar?":"Remover esta busqueda de la barra lateral?","Rename":"Renombrar","Synchronise":"Sincronizar","Notebooks":"Libretas","Tags":"Etiquetas","Searches":"Busquedas","Please select where the sync status should be exported to":"Please select where the sync status should be exported to","Usage: %s":"Uso: %s","Unknown flag: %s":"Etiqueta desconocida: %s","File system":"Sistema de archivos","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dev (For testing only)","Unknown log level: %s":"Nivel de log desconocido: %s","Unknown level ID: %s":"Nivel de ID desconocido: %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.","Cannot access %s":"Cannot access %s","Created local items: %d.":"Artículos locales creados: %d.","Updated local items: %d.":"Artículos locales actualizados: %d.","Created remote items: %d.":"Artículos remotos creados: %d.","Updated remote items: %d.":"Artículos remotos actualizados: %d.","Deleted local items: %d.":"Artículos locales borrados: %d.","Deleted remote items: %d.":"Artículos remotos borrados: %d.","State: \"%s\".":"Estado: \"%s\".","Cancelling...":"Cancelando....","Completed: %s":"Completado: %s","Synchronisation is already in progress. State: %s":"La sincronizacion ya esta en progreso. Estod: %s","Conflicts":"Conflictos","A notebook with this title already exists: \"%s\"":"Ya existe una libreta con este nombre: \"%s\"","Notebooks cannot be named \"%s\", which is a reserved title.":"Notebooks cannot be named \"%s\", which is a reserved title.","Untitled":"Intitulado","This note does not have geolocation information.":"Esta nota no tiene informacion de geolocalización.","Cannot copy note to \"%s\" notebook":"Cannot copy note to \"%s\" notebook","Cannot move note to \"%s\" notebook":"Cannot move note to \"%s\" notebook","Text editor":"Editor de texto","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.","Language":"Lenguaje","Date format":"Formato de fecha","Time format":"Formato de hora","Theme":"Tema","Light":"Claro","Dark":"Oscuro","Show uncompleted todos on top of the lists":"Show uncompleted todos on top of the lists","Save geo-location with notes":"Guardar notas con geo-licalización","Synchronisation interval":"Intervalo de sincronización","Disabled":"Deshabilitado","%d minutes":"%d minutos","%d hour":"%d hora","%d hours":"%d horas","Automatically update the application":"Actualizacion automatica de la aplicación","Show advanced options":"Mostrar opciones ","Synchronisation target":"Sincronización de objetivo","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.","Directory to synchronise with (absolute path)":"","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"La ubicacion para sincronizar cuando el sistema de archivo tenga habilitada la sincronización. Ver `sync.target`.","Invalid option value: \"%s\". Possible values are: %s.":"Valor inválido de opción: \"%s\". Los válores inválidos son: %s.","Items that cannot be synchronised":"","\"%s\": \"%s\"":"","Sync status (synced items / total items)":"Estatus de sincronización (artículos sincronizados / total de artículos)","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Total: %d/%d","Conflicted: %d":"Conflictivo: %d","To delete: %d":"Borrar: %d","Folders":"Directorios","%s: %d notes":"%s: %d notas","Coming alarms":"Coming alarms","On %s: %s":"En %s: %s","There are currently no notes. Create one by clicking on the (+) button.":"There are currently no notes. Create one by clicking on the (+) button.","Delete these notes?":"Borrar estas notas?","Log":"Log","Status":"Estatus","Export Debug Report":"Export Debug Report","Configuration":"Configuracion","Move to notebook...":"Mover a libreta....","Move %d notes to notebook \"%s\"?":"Mover %d notas a libreta \"%s\"?","Select date":"Seleccionar fecha","Confirm":"Confirmar","Cancel synchronisation":"Sincronizacion cancelada","The notebook could not be saved: %s":"Esta libreta no pudo ser guardada: %s","Edit notebook":"Editar libreta","This note has been modified:":"Esta nota ha sido modificada:","Save changes":"Guardar cambios","Discard changes":"Descartar cambios","Unsupported image type: %s":"Tipo de imagen no soportado: %s","Attach photo":"Adjuntar foto","Attach any file":"Adjuntar cualquier archivo","Convert to note":"Convertir a nota","Convert to todo":"Convertir a lista de tareas","Hide metadata":"Ocultar metadata","Show metadata":"Mostrar metadata","View on map":"Ver un mapa","Delete notebook":"Borrar libreta","Login with OneDrive":"Loguear con OneDrive","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.","You currently have no notebook. Create one by clicking on (+) button.":"You currently have no notebook. Create one by clicking on (+) button.","Welcome":"Bienvenido"} \ No newline at end of file diff --git a/ElectronClient/app/locales/es_ES.json b/ElectronClient/app/locales/es_ES.json new file mode 100644 index 000000000..28f826093 --- /dev/null +++ b/ElectronClient/app/locales/es_ES.json @@ -0,0 +1 @@ +{"Give focus to next pane":"Enfocar el siguiente panel","Give focus to previous pane":"Enfocar el panel anterior","Enter command line mode":"Entrar en modo línea de comandos","Exit command line mode":"Salir del modo línea de comandos","Edit the selected note":"Editar la nota seleccionada","Cancel the current command.":"Cancelar el comando actual.","Exit the application.":"Salir de la aplicación.","Delete the currently selected note or notebook.":"Eliminar la nota o libreta seleccionada.","To delete a tag, untag the associated notes.":"Desmarque las notas asociadas para eliminar una etiqueta.","Please select the note or notebook to be deleted first.":"Seleccione primero la nota o libreta que desea eliminar.","Set a to-do as completed / not completed":"Marca una tarea como completada/no completada","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"in[t]ercambia la [c]onsola entre maximizada/minimizada/oculta/visible.","Search":"Buscar","[t]oggle note [m]etadata.":"in[t]ercambia los [m]etadatos de una nota.","[M]ake a new [n]ote":"[C]rear una [n]ota nueva","[M]ake a new [t]odo":"[C]rear una [t]area nueva","[M]ake a new note[b]ook":"[C]rear una li[b]reta nueva","Copy ([Y]ank) the [n]ote to a notebook.":"Copiar ([Y]ank) la [n]ota a una libreta.","Move the note to a notebook.":"Mover la nota a una libreta.","Press Ctrl+D or type \"exit\" to exit the application":"Pulse Ctrl+D o escriba «salir» para salir de la aplicación","More than one item match \"%s\". Please narrow down your query.":"Hay más de un elemento que coincide con «%s», intente mejorar su consulta.","No notebook selected.":"No se ha seleccionado ninguna libreta.","No notebook has been specified.":"Ninguna libre fue especificada","Y":"Y","n":"n","N":"N","y":"y","Cancelling background synchronisation... Please wait.":"Cancelando sincronización de segundo plano... Por favor espere.","No such command: %s":"El comando no existe: %s","The command \"%s\" is only available in GUI mode":"El comando «%s» solamente está disponible en modo GUI","Missing required argument: %s":"Falta un argumento requerido: %s","%s: %s":"%s: %s","Your choice: ":"Tu elección: ","Invalid answer: %s":"Respuesta inválida: %s","Attaches the given file to the note.":"Adjuntar archivo a la nota.","Cannot find \"%s\".":"No se encuentra \"%s\".","Displays the given note.":"Mostrar la nota dada.","Displays the complete information about note.":"Mostrar la información completa acerca de la nota.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Obtener o configurar un valor. Si no se provee el [valor], se mostrará el valor de [nombre]. Si no se provee [nombre] ni [valor], se listara la configuración actual.","Also displays unset and hidden config variables.":"También muestra variables ocultas o no configuradas.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Duplica las notas que coincidan con en la libreta. Si no se especifica una libreta la nota se duplica en la libreta actual.","Marks a to-do as done.":"Marca una tarea como hecha.","Note is not a to-do: \"%s\"":"Una nota no es una tarea: \"%s\"","Edit note.":"Editar una nota.","No text editor is defined. Please set it using `config editor `":"No hay editor de texto definido. Por favor configure uno usando `config editor `","No active notebook.":"No hay libreta activa.","Note does not exist: \"%s\". Create it?":"La nota no existe: \"%s\". Crearla?","Starting to edit note. Close the editor to get back to the prompt.":"Iniciando a editar una nota. Cierra el editor para regresar al prompt.","Note has been saved.":"La nota a sido guardada.","Exits the application.":"Sale de la aplicación.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Exportar datos de Joplin al directorio indicado. Por defecto, se exportará la base de datos completa incluyendo libretas, notas, etiquetas y recursos.","Exports only the given note.":"Exportar unicamente la nota indicada.","Exports only the given notebook.":"Exportar unicamente la libreta indicada.","Displays a geolocation URL for the note.":"Mostrar geolocalización de la URL para la nota.","Displays usage information.":"Muestra información de uso.","Shortcuts are not available in CLI mode.":"Atajos no disponibles en modo CLI.","Type `help [command]` for more information about a command; or type `help all` for the complete usage information.":"Escriba `help [command]` para obtener más información sobre el comando, o escriba `help all` para obtener toda la información acerca del uso del programa.","The possible commands are:":"Los posibles comandos son:","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"Con cualquier comando, una nota o libreta puede ser referida por titulo o ID, o utilizando atajos `$n` o `$b`, respectivamente, para la nota o libreta seleccionada se puede usar `$c` para hacer referencia al artículo seleccionado.","To move from one pane to another, press Tab or Shift+Tab.":"Para mover desde un panel a otro, presiona Tab o Shift+Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Para desplazar en las listas y areas de texto ( incluyendo la consola ) utilice las flechas y re pág/av pág.","To maximise/minimise the console, press \"TC\".":"Para maximizar/minimizar la consola, presiona \"TC\".","To enter command line mode, press \":\"":"Para entrar a modo linea de comando, presiona \":\"","To exit command line mode, press ESCAPE":"Para salir de modo linea de comando, presiona ESCAPE","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Para una lista completa de los atajos de teclado disponibles, escribe `help shortcuts`","Imports an Evernote notebook file (.enex file).":"Importar una libreta de Evernote (archivo .enex).","Do not ask for confirmation.":"No preguntar por confirmación.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"El archivo \"%s\" será importado dentro de la libreta existente \"%s\". Continuar?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"Nueva libreta \"%s\" será creada y el archivo \"%s\" será importado dentro de ella. Continuar?","Found: %d.":"Encontrado: %d.","Created: %d.":"Creado: %d.","Updated: %d.":"Actualizado: %d.","Skipped: %d.":"Omitido: %d.","Resources: %d.":"Recursos: %d.","Tagged: %d.":"Etiquetado: %d.","Importing notes...":"Importando notas...","The notes have been imported: %s":"Las notas han sido importadas: %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Muestra las notas en la libreta actual. Usa `ls /` para mostrar la lista de libretas.","Displays only the first top notes.":"Muestra las primeras notas.","Sorts the item by (eg. title, updated_time, created_time).":"Ordena los artículos por campo ( ej. título, fecha de actualización, fecha de creación).","Reverses the sorting order.":"Invierte el orden.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Muestra unicamente los artículos de los tipos especificados. Pueden ser `n` para notas, `t` para tareas, o `nt` para libretas y tareas (ej. `-tt` mostrará unicamente las tareas, mientras `-ttd` mostrará notas y tareas).","Either \"text\" or \"json\"":"Puede ser \"text\" o \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"Usar formato largo de lista. El formato es ID, NOTE_COUNT ( para libretas), DATE,TODO_CHECKED ( para tareas), TITLE","Please select a notebook first.":"Por favor selecciona la libreta.","Creates a new notebook.":"Crea una nueva libreta.","Creates a new note.":"Crea una nueva nota.","Notes can only be created within a notebook.":"Notas solamente pueden ser creadas dentro de una libreta.","Creates a new to-do.":"Crea una nueva lista de tareas.","Moves the notes matching to [notebook].":"Mueve las notas que coincidan con para la [libreta].","Renames the given (note or notebook) to .":"Renombre el artículo dado (nota o libreta) a .","Deletes the given notebook.":"Elimina la libreta dada.","Deletes the notebook without asking for confirmation.":"Elimina una libreta sin pedir confirmación.","Delete notebook? All notes within this notebook will also be deleted.":"¿Desea eliminar la libreta? Todas las notas dentro de esta libreta también serán eliminadas.","Deletes the notes matching .":"Elimina las notas que coinciden con .","Deletes the notes without asking for confirmation.":"Elimina las notas sin pedir confirmación.","%d notes match this pattern. Delete them?":"%d notas coinciden con el patron. Eliminarlas?","Delete note?":"Eliminar nota?","Searches for the given in all the notes.":"Buscar el patron en todas las notas.","Sets the property of the given to the given [value]. Possible properties are:\n\n%s":"Asigna el valor [value] a la propiedad de la nota indicada . Propiedades disponibles:\n\n%s","Displays summary about the notes and notebooks.":"Muestra un resumen acerca de las notas y las libretas.","Synchronises with remote storage.":"Sincronizar con almacenamiento remoto.","Sync to provided target (defaults to sync.target config value)":"Sincronizar con objetivo proveído ( por defecto al valor de configuración sync.target)","Synchronisation is already in progress.":"Sincronzación en progreso.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"Ya hay un archivo de bloqueo. Si está seguro de que no hay una sincronización en curso puede eliminar el archivo de bloqueo «%s» y reanudar la operación.","Authentication was not completed (did not receive an authentication token).":"Autenticación no completada (no se recibió token de autenticación).","Synchronisation target: %s (%s)":"Objetivo de sincronización: %s (%s)","Cannot initialize synchroniser.":"No se puede inicializar sincronizador.","Starting synchronisation...":"Iniciando sincronización...","Cancelling... Please wait.":"Cancelando... Por favor espere."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" puede ser \"add\", \"remove\" o \"list\" para asignar o eliminar [tag] de [note], o para listar las notas asociadas con [tag]. El comando `tag list` puede ser usado para listar todas las etiquetas.","Invalid command: \"%s\"":"Comando inválido: \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":" puede ser \"toggle\" o \"clear\". Usa \"toggle\" para cambiar la tarea dada entre estado completado y sin completar. ( Si el objetivo es una nota regular se convertirá en una tarea). Usa \"clear\" para convertir la tarea a una nota regular. ","Marks a to-do as non-completed.":"Marcar una tarea como no completada.","Switches to [notebook] - all further operations will happen within this notebook.":"Cambia una [libreta] - todas las demás operaciones se realizan en ésta libreta.","Displays version information":"Muestra información de la versión","%s %s (%s)":"%s %s (%s)","Enum":"Enumerar","Type: %s.":"Tipo: %s.","Possible values: %s.":"Posibles valores: %s.","Default: %s":"Por defecto: %s","Possible keys/values:":"Teclas/valores posbiles:","Fatal error:":"Error fatal:","The application has been authorised - you may now close this browser tab.":"La aplicación ha sido autorizada - ahora puedes cerrar esta pestaña de tu navegador.","The application has been successfully authorised.":"La aplicacion ha sido autorizada exitosamente.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Abra la siguiente URL en su navegador para autenticar la aplicación. La aplicación creará un directorio en «Apps/Joplin» y solo leerá y escribirá archivos en este directorio. No tendrá acceso a ningún archivo fuera de este directorio ni a ningún otro archivo personal. No se compartirá información con terceros.","Search:":"Buscar:","Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.":"Bienvenido a Joplin.\n\nEscriba «:help shortcuts» para obtener una lista con los atajos de teclado, o simplemente «:help» para información general.\n\nPor ejemplo, para crear una libreta escriba «mb», para crear una nota escriba «mn».","File":"Archivo","New note":"Nota nueva","New to-do":"Lista de tareas nueva","New notebook":"Libreta nueva","Import Evernote notes":"Importar notas de Evernote","Evernote Export Files":"Archivos exportados de Evernote","Quit":"Salir","Edit":"Editar","Copy":"Copiar","Cut":"Cortar","Paste":"Pegar","Search in all the notes":"Buscar en todas las notas","Tools":"Herramientas","Synchronisation status":"Estado de la sincronización","Options":"Opciones","Help":"Ayuda","Website and documentation":"Sitio web y documentación","About Joplin":"Acerca de Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"OK","Cancel":"Cancelar","Notes and settings are stored in: %s":"Las notas y los ajustes se guardan en: %s","Save":"Guardar","Back":"Atrás","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"Se creará la nueva libreta «%s» y se importará en ella el archivo «%s»","Please create a notebook first.":"Cree primero una libreta.","Note title:":"Título de la nota:","Please create a notebook first":"Por favor crea una libreta primero","To-do title:":"Títuto de lista de tareas:","Notebook title:":"Título de libreta:","Add or remove tags:":"Agregar o borrar etiquetas: ","Separate each tag by a comma.":"Separar cada etiqueta por una coma.","Rename notebook:":"Renombrar libreta:","Set alarm:":"Ajustar alarma:","Layout":"Diseño","Some items cannot be synchronised.":"No se han podido sincronizar algunos de los elementos.","View them now":"Verlos ahora","Active":"","ID":"ID","Source":"Origen","Created":"Creado","Updated":"Actualizado","Password":"","Password OK":"","Note: Only one master key is going to be used for encryption (the one marked as \"active\"). Any of the keys might be used for decryption, depending on how the notes or notebooks were originally encrypted.":"","Add or remove tags":"Añadir o borrar etiquetas","Switch between note and to-do type":"Cambiar entre nota y lista de tareas","Delete":"Eliminar","Delete notes?":"¿Desea eliminar notas?","No notes in here. Create one by clicking on \"New note\".":"No hay ninguna nota. Cree una pulsando «Nota nueva».","There is currently no notebook. Create one by clicking on \"New notebook\".":"No hay ninguna libreta. Cree una pulsando en «Libreta nueva».","Unsupported link or message: %s":"Enlace o mensaje no soportado: %s","Attach file":"Adjuntar archivo","Set alarm":"Fijar alarma","Refresh":"Refrescar","Clear":"Limpiar","OneDrive Login":"Inicio de sesión de OneDrive","Import":"Importar","Synchronisation Status":"Estado de la sincronización","Remove this tag from all the notes?":"¿Desea eliminar esta etiqueta de todas las notas?","Remove this search from the sidebar?":"¿Desea eliminar esta búsqueda de la barra lateral?","Rename":"Renombrar","Synchronise":"Sincronizar","Notebooks":"Libretas","Tags":"Etiquetas","Searches":"Búsquedas","Please select where the sync status should be exported to":"Seleccione a dónde se debería exportar el estado de sincronización","Usage: %s":"Uso: %s","Unknown flag: %s":"Etiqueta desconocida: %s","File system":"Sistema de archivos","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dev (Solo para pruebas)","Unknown log level: %s":"Nivel de log desconocido: %s","Unknown level ID: %s":"ID de nivel desconocido: %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"No se ha podido actualizar token: faltan datos de autenticación. Reiniciar la sincronización podría solucionar el problema.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"No se ha podido sincronizar con OneDrive.\n\nEste error suele ocurrir al utilizar OneDrive for Business. Este producto no está soportado.\n\nPodría considerar utilizar una cuenta Personal de OneDrive.","Cannot access %s":"No se ha podido acceder a %s","Created local items: %d.":"Elementos locales creados: %d.","Updated local items: %d.":"Elementos locales actualizados: %d.","Created remote items: %d.":"Elementos remotos creados: %d.","Updated remote items: %d.":"Elementos remotos actualizados: %d.","Deleted local items: %d.":"Elementos locales borrados: %d.","Deleted remote items: %d.":"Elementos remotos borrados: %d.","State: \"%s\".":"Estado: «%s».","Cancelling...":"Cancelando...","Completed: %s":"Completado: %s","Synchronisation is already in progress. State: %s":"La sincronización ya está en progreso. Estado: %s","Conflicts":"Conflictos","A notebook with this title already exists: \"%s\"":"Ya existe una libreta con este nombre: «%s»","Notebooks cannot be named \"%s\", which is a reserved title.":"No se puede usar el nombre «%s» para una libreta; es un título reservado.","Untitled":"Sin título","This note does not have geolocation information.":"Esta nota no tiene informacion de geolocalización.","Cannot copy note to \"%s\" notebook":"No se ha podido copiar la nota a la libreta «%s»","Cannot move note to \"%s\" notebook":"No se ha podido mover la nota a la libreta «%s»","Text editor":"Editor de texto","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"El editor que se usará para abrir una nota. Se intentará auto-detectar el editor predeterminado si no se proporciona ninguno.","Language":"Idioma","Date format":"Formato de fecha","Time format":"Formato de hora","Theme":"Tema","Light":"Claro","Dark":"Oscuro","Show uncompleted todos on top of the lists":"Mostrar tareas incompletas al inicio de las listas","Save geo-location with notes":"Guardar geolocalización en las notas","Synchronisation interval":"Intervalo de sincronización","Disabled":"Deshabilitado","%d minutes":"%d minutos","%d hour":"%d hora","%d hours":"%d horas","Automatically update the application":"Actualizar la aplicación automáticamente","Show advanced options":"Mostrar opciones avanzadas","Synchronisation target":"Destino de sincronización","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"El destino de la sincronización. Si se sincroniza con el sistema de archivos, indique el directorio destino en «sync.2.path».","Directory to synchronise with (absolute path)":"Directorio con el que sincronizarse (ruta completa)","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"La ruta a la que sincronizar cuando se activa la sincronización con sistema de archivos. Vea «sync.target».","Invalid option value: \"%s\". Possible values are: %s.":"Opción inválida: «%s». Los valores posibles son: %s.","Items that cannot be synchronised":"Elementos que no se pueden sincronizar","\"%s\": \"%s\"":"«%s»: «%s»","Sync status (synced items / total items)":"Estado de sincronización (elementos sincronizados/elementos totales)","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Total: %d/%d","Conflicted: %d":"Conflictos: %d","To delete: %d":"Borrar: %d","Folders":"Directorios","%s: %d notes":"%s: %d notas","Coming alarms":"Alarmas inminentes","On %s: %s":"En %s: %s","There are currently no notes. Create one by clicking on the (+) button.":"No hay notas. Cree una pulsando en el botón (+).","Delete these notes?":"¿Desea borrar estas notas?","Log":"Log","Status":"Estado","Export Debug Report":"Exportar informe de depuración","Configuration":"Configuración","Move to notebook...":"Mover a la libreta...","Move %d notes to notebook \"%s\"?":"¿Desea mover %d notas a libreta «%s»?","Select date":"Seleccione fecha","Confirm":"Confirmar","Cancel synchronisation":"Cancelar sincronización","The notebook could not be saved: %s":"No se ha podido guardar esta libreta: %s","Edit notebook":"Editar libreta","This note has been modified:":"Esta nota ha sido modificada:","Save changes":"Guardar cambios","Discard changes":"Descartar cambios","Unsupported image type: %s":"Tipo de imagen no soportado: %s","Attach photo":"Adjuntar foto","Attach any file":"Adjuntar cualquier archivo","Convert to note":"Convertir a nota","Convert to todo":"Convertir a lista de tareas","Hide metadata":"Ocultar metadatos","Show metadata":"Mostrar metadatos","View on map":"Ver en un mapa","Delete notebook":"Borrar libreta","Login with OneDrive":"Acceder con OneDrive","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Pulse en el botón (+) para crear una nueva nota o libreta. Pulse en el menú lateral para acceder a las libretas existentes.","You currently have no notebook. Create one by clicking on (+) button.":"No hay ninguna libreta. Cree una nueva libreta pulsando en el botón (+).","Welcome":"Bienvenido"} \ No newline at end of file diff --git a/ElectronClient/app/locales/fr_FR.json b/ElectronClient/app/locales/fr_FR.json index a7d7b9486..7f9200aff 100644 --- a/ElectronClient/app/locales/fr_FR.json +++ b/ElectronClient/app/locales/fr_FR.json @@ -1 +1 @@ -{"Give focus to next pane":"Activer le volet suivant","Give focus to previous pane":"Activer le volet précédent","Enter command line mode":"Démarrer le mode de ligne de commande","Exit command line mode":"Sortir du mode de ligne de commande","Edit the selected note":"Éditer la note sélectionnée","Cancel the current command.":"Annuler la commande en cours.","Exit the application.":"Quitter le logiciel.","Delete the currently selected note or notebook.":"Supprimer la note ou carnet sélectionné.","To delete a tag, untag the associated notes.":"Pour supprimer une vignette, enlever là des notes associées.","Please select the note or notebook to be deleted first.":"Veuillez d'abord sélectionner un carnet.","Set a to-do as completed / not completed":"Marquer une tâches comme complétée / non-complétée","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"Maximiser, minimiser, cacher ou rendre visible la console.","Search":"Chercher","[t]oggle note [m]etadata.":"Afficher/Cacher les métadonnées des notes.","[M]ake a new [n]ote":"Créer une nouvelle note","[M]ake a new [t]odo":"Créer une nouvelle tâche","[M]ake a new note[b]ook":"Créer un nouveau carnet","Copy ([Y]ank) the [n]ote to a notebook.":"Copier la note dans un autre carnet.","Move the note to a notebook.":"Déplacer la note vers un carnet.","Press Ctrl+D or type \"exit\" to exit the application":"Appuyez sur Ctrl+D ou tapez \"exit\" pour sortir du logiciel","More than one item match \"%s\". Please narrow down your query.":"Plus d'un objet correspond à \"%s\". Veuillez préciser votre requête.","No notebook selected.":"Aucun carnet n'est sélectionné.","No notebook has been specified.":"Aucun carnet n'est spécifié.","Y":"O","n":"n","N":"N","y":"o","Cancelling background synchronisation... Please wait.":"Annulation de la synchronisation... Veuillez patienter.","No such command: %s":"No such command: %s","The command \"%s\" is only available in GUI mode":"La commande \"%s\" est disponible uniquement en mode d'interface graphique","Missing required argument: %s":"Paramètre requis manquant : %s","%s: %s":"%s : %s","Your choice: ":"Votre choix : ","Invalid answer: %s":"Réponse invalide : %s","Attaches the given file to the note.":"Joindre le fichier fourni à la note.","Cannot find \"%s\".":"Impossible de trouver \"%s\".","Displays the given note.":"Affiche la note.","Displays the complete information about note.":"Affiche tous les détails de la note.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Obtient ou modifie une valeur de configuration. Si la [valeur] n'est pas fournie, la valeur de [nom] est affichée. Si ni le [nom] ni la [valeur] ne sont fournis, la configuration complète est affichée.","Also displays unset and hidden config variables.":"Afficher également les variables cachées.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Copier les notes correspondant à vers [carnet]. Si aucun carnet n'est spécifié, la note est dupliquée sur place.","Marks a to-do as done.":"Marquer la tâche comme complétée.","Note is not a to-do: \"%s\"":"La note n'est pas une tâche : \"%s\"","Edit note.":"Éditer la note.","No text editor is defined. Please set it using `config editor `":"Aucun éditeur de texte n'est défini. Veuillez le définir en utilisant la commande `config editor `","No active notebook.":"Aucun carnet actif.","Note does not exist: \"%s\". Create it?":"Cette note n'existe pas : \"%s\". La créer ?","Starting to edit note. Close the editor to get back to the prompt.":"Édition de la note en cours. Fermez l'éditeur de texte pour retourner à l'invite de commande.","Note has been saved.":"La note a été enregistrée.","Exits the application.":"Quitter le logiciel.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Exporter les données de Joplin vers le dossier fourni. Par défaut, la base de donnée complète sera exportée, y compris les carnets, notes, tags et resources.","Exports only the given note.":"Exporter uniquement la note spécifiée.","Exports only the given notebook.":"Exporter uniquement le carnet spécifié.","Displays a geolocation URL for the note.":"Afficher l'URL de l'emplacement de la note.","Displays usage information.":"Affiche les informations d'utilisation.","Shortcuts are not available in CLI mode.":"Les raccourcis ne sont pas disponible en mode de ligne de commande.","Type `help [command]` for more information about a command.":"Tapez `help [command]` pour plus d'information sur une commande.","The possible commands are:":"Les commandes possibles sont :","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"Dans une commande, une note ou carnet peut être référé par titre ou identifiant, ou en utilisant les raccourcis `$n` et `$b` pour, respectivement, la note sélectionnée et le carnet sélectionné. `$c` peut être utilisé pour faire référence à l'objet sélectionné en cours.","To move from one pane to another, press Tab or Shift+Tab.":"Pour aller d'un volet à l'autre, pressez Tab ou Maj+Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Utilisez les touches fléchées et page précédente/suivante pour faire défiler les listes et zones de texte (y compris cette console).","To maximise/minimise the console, press \"TC\".":"Pour maximiser ou minimiser la console, pressez \"TC\".","To enter command line mode, press \":\"":"Pour démarrer le mode ligne de commande, pressez \":\"","To exit command line mode, press ESCAPE":"Pour sortir du mode ligne de commande, pressez ECHAP","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Pour la liste complète des raccourcis disponibles, tapez `help shortcuts`","Imports an Evernote notebook file (.enex file).":"Importer un carnet Evernote (fichier .enex).","Do not ask for confirmation.":"Ne pas demander de confirmation.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"Le fichier \"%s\" va être importé dans le carnet existant \"%s\". Continuer ?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"Un nouveau carnet \"%s\" va être créé et le fichier \"%s\" va être importé dedans. Continuer ?","Found: %d.":"Trouvés : %d.","Created: %d.":"Créés : %d.","Updated: %d.":"Mis à jour : %d.","Skipped: %d.":"Ignorés : %d.","Resources: %d.":"Ressources : %d.","Tagged: %d.":"Étiquettes : %d.","Importing notes...":"Importation des notes...","The notes have been imported: %s":"Les notes ont été importées : %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Affiche les notes dans le carnet. Utilisez `ls /` pour afficher la liste des carnets.","Displays only the first top notes.":"Affiche uniquement les premières notes.","Sorts the item by (eg. title, updated_time, created_time).":"Trier les notes par (par exemple, title, updated_time, created_time).","Reverses the sorting order.":"Inverser l'ordre.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Affiche uniquement les notes du ou des types spécifiés. Le type peut-être `n` pour les notes, `t` pour les tâches (par exemple, `-tt` affiche uniquement les tâches, tandis que `-ttd` affiche les notes et les tâches).","Either \"text\" or \"json\"":"Soit \"text\" soit \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"Utilise le format de liste longue. Le format est ID, NOMBRE_DE_NOTES (pour les carnets), DATE, TACHE_TERMINE (pour les tâches), TITRE","Please select a notebook first.":"Veuillez d'abord sélectionner un carnet.","Creates a new notebook.":"Créer un carnet.","Creates a new note.":"Créer une note.","Notes can only be created within a notebook.":"Les notes ne peuvent être créées que dans un carnet.","Creates a new to-do.":"Créer une nouvelle tâche.","Moves the notes matching to [notebook].":"Déplacer les notes correspondant à vers [notebook].","Renames the given (note or notebook) to .":"Renommer l'objet (note ou carnet) en .","Deletes the given notebook.":"Supprimer le carnet.","Deletes the notebook without asking for confirmation.":"Supprimer le carnet sans demander la confirmation.","Delete notebook \"%s\"?":"Supprimer le carnet \"%s\" ?","Deletes the notes matching .":"Supprimer les notes correspondants à .","Deletes the notes without asking for confirmation.":"Supprimer les notes sans demander la confirmation.","%d notes match this pattern. Delete them?":"%d notes correspondent à ce motif. Les supprimer ?","Delete note?":"Supprimer la note ?","Searches for the given in all the notes.":"Chercher le motif dans toutes les notes.","Sets the property of the given to the given [value].":"Assigner la valeur [value] à la propriété de la donnée.","Displays summary about the notes and notebooks.":"Afficher un résumé des notes et carnets.","Synchronises with remote storage.":"Synchroniser les notes et carnets.","Sync to provided target (defaults to sync.target config value)":"Synchroniser avec la cible donnée (par défaut, la valeur de configuration `sync.target`).","Synchronisation is already in progress.":"La synchronisation est déjà en cours.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"La synchronisation est déjà en cours ou ne s'est pas interrompue correctement. Si vous savez qu'aucune autre synchronisation est en cours, vous pouvez supprimer le fichier \"%s\" pour reprendre l'opération.","Authentication was not completed (did not receive an authentication token).":"Impossible d'autoriser le logiciel (jeton d'identification non-reçu).","Synchronisation target: %s (%s)":"Cible de la synchronisation : %s (%s)","Cannot initialize synchroniser.":"Impossible d'initialiser la synchronisation.","Starting synchronisation...":"Commencement de la synchronisation...","Cancelling... Please wait.":"Annulation... Veuillez attendre."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" peut être \"add\", \"remove\" ou \"list\" pour assigner ou enlever l'étiquette [tag] de la [note], our pour lister les notes associées avec l'étiquette [tag]. La commande `tag list` peut être utilisée pour lister les étiquettes.","Invalid command: \"%s\"":"Commande invalide : \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":"Gère le status des tâches. peut être \"toggle\" ou \"clear\". Utilisez \"toggle\" pour basculer la tâche entre le status terminé et non-terminé (Si la cible est une note, elle sera convertie en tâche). Utilisez \"clear\" pour convertir la tâche en note.","Marks a to-do as non-completed.":"Marquer une tâche comme non-complétée.","Switches to [notebook] - all further operations will happen within this notebook.":"Changer de carnet - toutes les opérations à venir se feront dans ce carnet.","Displays version information":"Affiche les informations de version","%s %s (%s)":"%s %s (%s)","Enum":"Enum","Type: %s.":"Type : %s.","Possible values: %s.":"Valeurs possibles : %s.","Default: %s":"Défaut : %s","Possible keys/values:":"Clefs/Valeurs possibles :","Fatal error:":"Erreur fatale :","The application has been authorised - you may now close this browser tab.":"Le logiciel a été autorisé. Vous pouvez maintenant fermer cet onglet.","The application has been successfully authorised.":"Le logiciel a été autorisé.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Veuillez ouvrir le lien ci-dessous dans votre navigateur pour authentifier le logiciel. Joplin va créer un répertoire \"Apps/Joplin\" et lire/écrira des fichiers uniquement dans ce répertoire. Le logiciel n'aura pas d'accès à aucun fichier en dehors de ce répertoire, ni à d'autres données personnelles. Aucune donnée ne sera partagé avec aucun tier.","Search:":"Recherche :","File":"Fichier","New note":"Nouvelle note","New to-do":"Nouvelle tâche","New notebook":"Nouveau carnet","Import Evernote notes":"Importer notes d'Evernote","Evernote Export Files":"Fichiers d'export Evernote","Quit":"Quitter","Edit":"Édition","Copy":"Copier","Cut":"Couper","Paste":"Coller","Search in all the notes":"Chercher dans toutes les notes","Tools":"Outils","Synchronisation status":"Synchronisation status","Options":"Options","Help":"Aide","Website and documentation":"Documentation en ligne","About Joplin":"A propos de Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"OK","Cancel":"Annulation","Back":"Retour","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"Un nouveau carnet \"%s\" va être créé et le fichier \"%s\" va être importé dedans","Please create a notebook first.":"Veuillez d'abord sélectionner un carnet.","Note title:":"Titre de la note :","Please create a notebook first":"Veuillez d'abord créer un carnet d'abord","To-do title:":"Titre de la tâche :","Notebook title:":"Titre du carnet :","Add or remove tags:":"Modifier les étiquettes :","Separate each tag by a comma.":"Séparez chaque étiquette par une virgule.","Rename notebook:":"Renommer le carnet :","Set alarm:":"Set alarm:","Layout":"Disposition","Some items cannot be synchronised.":"Some items cannot be synchronised.","View them now":"","Add or remove tags":"Gérer les étiquettes","Switch between note and to-do type":"Alterner entre note et tâche","Delete":"Supprimer","Delete notes?":"Supprimer les notes ?","No notes in here. Create one by clicking on \"New note\".":"Pas de notes ici. Créez-en une en pressant le bouton \"Nouvelle note\".","Unsupported link or message: %s":"Lien ou message non géré : %s","Attach file":"Attacher un fichier","Set alarm":"Set alarm","Refresh":"Rafraîchir","Clear":"Supprimer","OneDrive Login":"Connexion OneDrive","Import":"Importer","Synchronisation Status":"Synchronisation Status","Delete notebook?":"Supprimer le carnet ?","Remove this tag from all the notes?":"Enlever cette étiquette de toutes les notes ?","Remove this search from the sidebar?":"Enlever cette recherche de la barre latérale ?","Rename":"Renommer","Synchronise":"Synchroniser","Notebooks":"Carnets","Tags":"Étiquettes","Searches":"Recherches","Usage: %s":"Utilisation : %s","Unknown flag: %s":"Paramètre inconnu : %s","File system":"Système de fichier","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dév (Pour tester uniquement)","Unknown log level: %s":"Paramètre inconnu : %s","Unknown level ID: %s":"Paramètre inconnu : %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"Impossible de rafraîchir la connexion à OneDrive. Démarrez la synchronisation à nouveau pour corriger le problème.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"","Cannot access %s":"Impossible d'accéder à %s","Created local items: %d.":"Objets créés localement : %d.","Updated local items: %d.":"Objets mis à jour localement : %d.","Created remote items: %d.":"Objets distants créés : %d.","Updated remote items: %d.":"Objets distants mis à jour : %d.","Deleted local items: %d.":"Objets supprimés localement : %d.","Deleted remote items: %d.":"Objets distants supprimés : %d.","State: \"%s\".":"État : \"%s\".","Cancelling...":"Annulation...","Completed: %s":"Terminé : %s","Synchronisation is already in progress. State: %s":"La synchronisation est déjà en cours. État : %s","Conflicts":"Conflits","A notebook with this title already exists: \"%s\"":"Un carnet avec ce titre existe déjà : \"%s\"","Notebooks cannot be named \"%s\", which is a reserved title.":"Les carnets ne peuvent être nommés \"%s\" car c'est un nom réservé.","Untitled":"Sans titre","This note does not have geolocation information.":"Cette note n'a pas d'information d'emplacement.","Cannot copy note to \"%s\" notebook":"Impossible de copier la note vers le carnet \"%s\"","Cannot move note to \"%s\" notebook":"Impossible de déplacer la note vers le carnet \"%s\"","File system synchronisation target directory":"Cible de la synchronisation sur le disque dur","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"Le chemin du répertoire avec lequel synchroniser lorsque la synchronisation par système de fichier est activée. Voir `sync.target`.","Text editor":"Éditeur de texte","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"L'éditeur de texte pour ouvrir et modifier les notes. Si aucun n'est spécifié, il sera détecté automatiquement.","Language":"Langue","Date format":"Format de la date","Time format":"Format de l'heure","Theme":"Apparence","Light":"Clair","Dark":"Sombre","Show uncompleted todos on top of the lists":"Tâches non-terminées en haut des listes","Save geo-location with notes":"Enregistrer l'emplacement avec les notes","Synchronisation interval":"Intervalle de synchronisation","Disabled":"Désactivé","%d minutes":"%d minutes","%d hour":"%d heure","%d hours":"%d heures","Automatically update the application":"Mettre à jour le logiciel automatiquement","Show advanced options":"Montrer les options avancées","Synchronisation target":"Cible de la synchronisation","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"La cible avec laquelle synchroniser. Pour synchroniser avec le système de fichier, veuillez spécifier le répertoire avec `sync.2.path`.","Invalid option value: \"%s\". Possible values are: %s.":"Option invalide: \"%s\". Les valeurs possibles sont : %s.","Items that cannot be synchronised":"","\"%s\": \"%s\"":"","Sync status (synced items / total items)":"Status de la synchronisation (objets synchro. / total)","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Total : %d/%d","Conflicted: %d":"Conflits : %d","To delete: %d":"A supprimer : %d","Folders":"Carnets","%s: %d notes":"%s : %d notes","Coming alarms":"Alarmes à venir","On %s: %s":"Le %s : %s","There are currently no notes. Create one by clicking on the (+) button.":"Ce carnet ne contient aucune note. Créez-en une en appuyant sur le bouton (+).","Delete these notes?":"Supprimer ces notes ?","Log":"Journal","Status":"État","Export Debug Report":"Exporter rapport de débogage","Configuration":"Configuration","Move to notebook...":"Déplacer la note vers carnet...","Move %d notes to notebook \"%s\"?":"Déplacer %d notes vers carnet \"%s\" ?","Select date":"Sélectionner date","Confirm":"Confirmer","Cancel synchronisation":"Annuler synchronisation","The notebook could not be saved: %s":"Ce carnet n'a pas pu être sauvegardé : %s","Edit notebook":"Éditer le carnet","This note has been modified:":"Cette note a été modifiée :","Save changes":"Enregistrer les changements","Discard changes":"Ignorer les changements","Unsupported image type: %s":"Type d'image non géré : %s","Attach photo":"Attacher une photo","Attach any file":"Attacher un fichier","Convert to note":"Convertir en note","Convert to todo":"Convertir en tâche","Hide metadata":"Cacher les métadonnées","Show metadata":"Afficher les métadonnées","View on map":"Voir emplacement sur carte","Delete notebook":"Supprimer le carnet","Login with OneDrive":"Se connecter à OneDrive","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Appuyez sur le bouton (+) pour créer une nouvelle note ou carnet. Ouvrez le menu latéral pour accéder à vos carnets.","You currently have no notebook. Create one by clicking on (+) button.":"Vous n'avez pour l'instant pas de carnets. Créez-en un en pressant le bouton (+).","Welcome":"Bienvenue"} \ No newline at end of file +{"Give focus to next pane":"Activer le volet suivant","Give focus to previous pane":"Activer le volet précédent","Enter command line mode":"Démarrer le mode de ligne de commande","Exit command line mode":"Sortir du mode de ligne de commande","Edit the selected note":"Éditer la note sélectionnée","Cancel the current command.":"Annuler la commande en cours.","Exit the application.":"Quitter le logiciel.","Delete the currently selected note or notebook.":"Supprimer la note ou carnet sélectionné.","To delete a tag, untag the associated notes.":"Pour supprimer une vignette, enlever là des notes associées.","Please select the note or notebook to be deleted first.":"Veuillez d'abord sélectionner un carnet.","Set a to-do as completed / not completed":"Marquer une tâches comme complétée / non-complétée","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"Maximiser, minimiser, cacher ou rendre visible la console.","Search":"Chercher","[t]oggle note [m]etadata.":"Afficher/Cacher les métadonnées des notes.","[M]ake a new [n]ote":"Créer une nouvelle note","[M]ake a new [t]odo":"Créer une nouvelle tâche","[M]ake a new note[b]ook":"Créer un nouveau carnet","Copy ([Y]ank) the [n]ote to a notebook.":"Copier la note dans un autre carnet.","Move the note to a notebook.":"Déplacer la note vers un carnet.","Press Ctrl+D or type \"exit\" to exit the application":"Appuyez sur Ctrl+D ou tapez \"exit\" pour sortir du logiciel","More than one item match \"%s\". Please narrow down your query.":"Plus d'un objet correspond à \"%s\". Veuillez préciser votre requête.","No notebook selected.":"Aucun carnet n'est sélectionné.","No notebook has been specified.":"Aucun carnet n'est spécifié.","Y":"O","n":"n","N":"N","y":"o","Cancelling background synchronisation... Please wait.":"Annulation de la synchronisation... Veuillez patienter.","No such command: %s":"No such command: %s","The command \"%s\" is only available in GUI mode":"La commande \"%s\" est disponible uniquement en mode d'interface graphique","Missing required argument: %s":"Paramètre requis manquant : %s","%s: %s":"%s : %s","Your choice: ":"Votre choix : ","Invalid answer: %s":"Réponse invalide : %s","Attaches the given file to the note.":"Joindre le fichier fourni à la note.","Cannot find \"%s\".":"Impossible de trouver \"%s\".","Displays the given note.":"Affiche la note.","Displays the complete information about note.":"Affiche tous les détails de la note.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Obtient ou modifie une valeur de configuration. Si la [valeur] n'est pas fournie, la valeur de [nom] est affichée. Si ni le [nom] ni la [valeur] ne sont fournis, la configuration complète est affichée.","Also displays unset and hidden config variables.":"Afficher également les variables cachées.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Copier les notes correspondant à vers [carnet]. Si aucun carnet n'est spécifié, la note est dupliquée sur place.","Marks a to-do as done.":"Marquer la tâche comme complétée.","Note is not a to-do: \"%s\"":"La note n'est pas une tâche : \"%s\"","Edit note.":"Éditer la note.","No text editor is defined. Please set it using `config editor `":"Aucun éditeur de texte n'est défini. Veuillez le définir en utilisant la commande `config editor `","No active notebook.":"Aucun carnet actif.","Note does not exist: \"%s\". Create it?":"Cette note n'existe pas : \"%s\". La créer ?","Starting to edit note. Close the editor to get back to the prompt.":"Édition de la note en cours. Fermez l'éditeur de texte pour retourner à l'invite de commande.","Note has been saved.":"La note a été enregistrée.","Exits the application.":"Quitter le logiciel.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Exporter les données de Joplin vers le dossier fourni. Par défaut, la base de donnée complète sera exportée, y compris les carnets, notes, tags et resources.","Exports only the given note.":"Exporter uniquement la note spécifiée.","Exports only the given notebook.":"Exporter uniquement le carnet spécifié.","Displays a geolocation URL for the note.":"Afficher l'URL de l'emplacement de la note.","Displays usage information.":"Affiche les informations d'utilisation.","Shortcuts are not available in CLI mode.":"Les raccourcis ne sont pas disponible en mode de ligne de commande.","Type `help [command]` for more information about a command; or type `help all` for the complete usage information.":"Type `help [command]` for more information about a command; or type `help all` for the complete usage information.","The possible commands are:":"Les commandes possibles sont :","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"Dans une commande, une note ou carnet peut être référé par titre ou identifiant, ou en utilisant les raccourcis `$n` et `$b` pour, respectivement, la note sélectionnée et le carnet sélectionné. `$c` peut être utilisé pour faire référence à l'objet sélectionné en cours.","To move from one pane to another, press Tab or Shift+Tab.":"Pour aller d'un volet à l'autre, pressez Tab ou Maj+Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Utilisez les touches fléchées et page précédente/suivante pour faire défiler les listes et zones de texte (y compris cette console).","To maximise/minimise the console, press \"TC\".":"Pour maximiser ou minimiser la console, pressez \"TC\".","To enter command line mode, press \":\"":"Pour démarrer le mode ligne de commande, pressez \":\"","To exit command line mode, press ESCAPE":"Pour sortir du mode ligne de commande, pressez ECHAP","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Pour la liste complète des raccourcis disponibles, tapez `help shortcuts`","Imports an Evernote notebook file (.enex file).":"Importer un carnet Evernote (fichier .enex).","Do not ask for confirmation.":"Ne pas demander de confirmation.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"Le fichier \"%s\" va être importé dans le carnet existant \"%s\". Continuer ?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"Un nouveau carnet \"%s\" va être créé et le fichier \"%s\" va être importé dedans. Continuer ?","Found: %d.":"Trouvés : %d.","Created: %d.":"Créés : %d.","Updated: %d.":"Mis à jour : %d.","Skipped: %d.":"Ignorés : %d.","Resources: %d.":"Ressources : %d.","Tagged: %d.":"Étiquettes : %d.","Importing notes...":"Importation des notes...","The notes have been imported: %s":"Les notes ont été importées : %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Affiche les notes dans le carnet. Utilisez `ls /` pour afficher la liste des carnets.","Displays only the first top notes.":"Affiche uniquement les premières notes.","Sorts the item by (eg. title, updated_time, created_time).":"Trier les notes par (par exemple, title, updated_time, created_time).","Reverses the sorting order.":"Inverser l'ordre.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Affiche uniquement les notes du ou des types spécifiés. Le type peut-être `n` pour les notes, `t` pour les tâches (par exemple, `-tt` affiche uniquement les tâches, tandis que `-ttd` affiche les notes et les tâches).","Either \"text\" or \"json\"":"Soit \"text\" soit \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"Utilise le format de liste longue. Le format est ID, NOMBRE_DE_NOTES (pour les carnets), DATE, TACHE_TERMINE (pour les tâches), TITRE","Please select a notebook first.":"Veuillez d'abord sélectionner un carnet.","Creates a new notebook.":"Créer un carnet.","Creates a new note.":"Créer une note.","Notes can only be created within a notebook.":"Les notes ne peuvent être créées que dans un carnet.","Creates a new to-do.":"Créer une nouvelle tâche.","Moves the notes matching to [notebook].":"Déplacer les notes correspondant à vers [notebook].","Renames the given (note or notebook) to .":"Renommer l'objet (note ou carnet) en .","Deletes the given notebook.":"Supprimer le carnet.","Deletes the notebook without asking for confirmation.":"Supprimer le carnet sans demander la confirmation.","Delete notebook? All notes within this notebook will also be deleted.":"","Deletes the notes matching .":"Supprimer les notes correspondants à .","Deletes the notes without asking for confirmation.":"Supprimer les notes sans demander la confirmation.","%d notes match this pattern. Delete them?":"%d notes correspondent à ce motif. Les supprimer ?","Delete note?":"Supprimer la note ?","Searches for the given in all the notes.":"Chercher le motif dans toutes les notes.","Sets the property of the given to the given [value]. Possible properties are:\n\n%s":"Sets the property of the given to the given [value]. Possible properties are:\n\n%s","Displays summary about the notes and notebooks.":"Afficher un résumé des notes et carnets.","Synchronises with remote storage.":"Synchroniser les notes et carnets.","Sync to provided target (defaults to sync.target config value)":"Synchroniser avec la cible donnée (par défaut, la valeur de configuration `sync.target`).","Synchronisation is already in progress.":"La synchronisation est déjà en cours.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"La synchronisation est déjà en cours ou ne s'est pas interrompue correctement. Si vous savez qu'aucune autre synchronisation est en cours, vous pouvez supprimer le fichier \"%s\" pour reprendre l'opération.","Authentication was not completed (did not receive an authentication token).":"Impossible d'autoriser le logiciel (jeton d'identification non-reçu).","Synchronisation target: %s (%s)":"Cible de la synchronisation : %s (%s)","Cannot initialize synchroniser.":"Impossible d'initialiser la synchronisation.","Starting synchronisation...":"Commencement de la synchronisation...","Cancelling... Please wait.":"Annulation... Veuillez attendre."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" peut être \"add\", \"remove\" ou \"list\" pour assigner ou enlever l'étiquette [tag] de la [note], our pour lister les notes associées avec l'étiquette [tag]. La commande `tag list` peut être utilisée pour lister les étiquettes.","Invalid command: \"%s\"":"Commande invalide : \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":"Gère le status des tâches. peut être \"toggle\" ou \"clear\". Utilisez \"toggle\" pour basculer la tâche entre le status terminé et non-terminé (Si la cible est une note, elle sera convertie en tâche). Utilisez \"clear\" pour convertir la tâche en note.","Marks a to-do as non-completed.":"Marquer une tâche comme non-complétée.","Switches to [notebook] - all further operations will happen within this notebook.":"Changer de carnet - toutes les opérations à venir se feront dans ce carnet.","Displays version information":"Affiche les informations de version","%s %s (%s)":"%s %s (%s)","Enum":"Enum","Type: %s.":"Type : %s.","Possible values: %s.":"Valeurs possibles : %s.","Default: %s":"Défaut : %s","Possible keys/values:":"Clefs/Valeurs possibles :","Fatal error:":"Erreur fatale :","The application has been authorised - you may now close this browser tab.":"Le logiciel a été autorisé. Vous pouvez maintenant fermer cet onglet.","The application has been successfully authorised.":"Le logiciel a été autorisé.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Veuillez ouvrir le lien ci-dessous dans votre navigateur pour authentifier le logiciel. Joplin va créer un répertoire \"Apps/Joplin\" et lire/écrira des fichiers uniquement dans ce répertoire. Le logiciel n'aura pas d'accès à aucun fichier en dehors de ce répertoire, ni à d'autres données personnelles. Aucune donnée ne sera partagé avec aucun tier.","Search:":"Recherche :","Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.":"","File":"Fichier","New note":"Nouvelle note","New to-do":"Nouvelle tâche","New notebook":"Nouveau carnet","Import Evernote notes":"Importer notes d'Evernote","Evernote Export Files":"Fichiers d'export Evernote","Quit":"Quitter","Edit":"Édition","Copy":"Copier","Cut":"Couper","Paste":"Coller","Search in all the notes":"Chercher dans toutes les notes","Tools":"Outils","Synchronisation status":"Synchronisation status","Options":"Options","Help":"Aide","Website and documentation":"Documentation en ligne","About Joplin":"A propos de Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"OK","Cancel":"Annulation","Notes and settings are stored in: %s":"","Save":"","Back":"Retour","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"Un nouveau carnet \"%s\" va être créé et le fichier \"%s\" va être importé dedans","Please create a notebook first.":"Veuillez d'abord sélectionner un carnet.","Note title:":"Titre de la note :","Please create a notebook first":"Veuillez d'abord créer un carnet d'abord","To-do title:":"Titre de la tâche :","Notebook title:":"Titre du carnet :","Add or remove tags:":"Modifier les étiquettes :","Separate each tag by a comma.":"Séparez chaque étiquette par une virgule.","Rename notebook:":"Renommer le carnet :","Set alarm:":"Set alarm:","Layout":"Disposition","Some items cannot be synchronised.":"Some items cannot be synchronised.","View them now":"","Active":"","ID":"","Source":"","Created":"Created","Updated":"Updated","Password":"","Password OK":"","Note: Only one master key is going to be used for encryption (the one marked as \"active\"). Any of the keys might be used for decryption, depending on how the notes or notebooks were originally encrypted.":"","Add or remove tags":"Gérer les étiquettes","Switch between note and to-do type":"Alterner entre note et tâche","Delete":"Supprimer","Delete notes?":"Supprimer les notes ?","No notes in here. Create one by clicking on \"New note\".":"Pas de notes ici. Créez-en une en pressant le bouton \"Nouvelle note\".","There is currently no notebook. Create one by clicking on \"New notebook\".":"There is currently no notebook. Create one by clicking on \"New notebook\".","Unsupported link or message: %s":"Lien ou message non géré : %s","Attach file":"Attacher un fichier","Set alarm":"Set alarm","Refresh":"Rafraîchir","Clear":"Supprimer","OneDrive Login":"Connexion OneDrive","Import":"Importer","Synchronisation Status":"Synchronisation Status","Remove this tag from all the notes?":"Enlever cette étiquette de toutes les notes ?","Remove this search from the sidebar?":"Enlever cette recherche de la barre latérale ?","Rename":"Renommer","Synchronise":"Synchroniser","Notebooks":"Carnets","Tags":"Étiquettes","Searches":"Recherches","Please select where the sync status should be exported to":"Please select where the sync status should be exported to","Usage: %s":"Utilisation : %s","Unknown flag: %s":"Paramètre inconnu : %s","File system":"Système de fichier","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dév (Pour tester uniquement)","Unknown log level: %s":"Paramètre inconnu : %s","Unknown level ID: %s":"Paramètre inconnu : %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"Impossible de rafraîchir la connexion à OneDrive. Démarrez la synchronisation à nouveau pour corriger le problème.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"","Cannot access %s":"Impossible d'accéder à %s","Created local items: %d.":"Objets créés localement : %d.","Updated local items: %d.":"Objets mis à jour localement : %d.","Created remote items: %d.":"Objets distants créés : %d.","Updated remote items: %d.":"Objets distants mis à jour : %d.","Deleted local items: %d.":"Objets supprimés localement : %d.","Deleted remote items: %d.":"Objets distants supprimés : %d.","State: \"%s\".":"État : \"%s\".","Cancelling...":"Annulation...","Completed: %s":"Terminé : %s","Synchronisation is already in progress. State: %s":"La synchronisation est déjà en cours. État : %s","Conflicts":"Conflits","A notebook with this title already exists: \"%s\"":"Un carnet avec ce titre existe déjà : \"%s\"","Notebooks cannot be named \"%s\", which is a reserved title.":"Les carnets ne peuvent être nommés \"%s\" car c'est un nom réservé.","Untitled":"Sans titre","This note does not have geolocation information.":"Cette note n'a pas d'information d'emplacement.","Cannot copy note to \"%s\" notebook":"Impossible de copier la note vers le carnet \"%s\"","Cannot move note to \"%s\" notebook":"Impossible de déplacer la note vers le carnet \"%s\"","Text editor":"Éditeur de texte","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"L'éditeur de texte pour ouvrir et modifier les notes. Si aucun n'est spécifié, il sera détecté automatiquement.","Language":"Langue","Date format":"Format de la date","Time format":"Format de l'heure","Theme":"Apparence","Light":"Clair","Dark":"Sombre","Show uncompleted todos on top of the lists":"Tâches non-terminées en haut des listes","Save geo-location with notes":"Enregistrer l'emplacement avec les notes","Synchronisation interval":"Intervalle de synchronisation","Disabled":"Désactivé","%d minutes":"%d minutes","%d hour":"%d heure","%d hours":"%d heures","Automatically update the application":"Mettre à jour le logiciel automatiquement","Show advanced options":"Montrer les options avancées","Synchronisation target":"Cible de la synchronisation","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"La cible avec laquelle synchroniser. Pour synchroniser avec le système de fichier, veuillez spécifier le répertoire avec `sync.2.path`.","Directory to synchronise with (absolute path)":"","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"Le chemin du répertoire avec lequel synchroniser lorsque la synchronisation par système de fichier est activée. Voir `sync.target`.","Invalid option value: \"%s\". Possible values are: %s.":"Option invalide: \"%s\". Les valeurs possibles sont : %s.","Items that cannot be synchronised":"","\"%s\": \"%s\"":"","Sync status (synced items / total items)":"Status de la synchronisation (objets synchro. / total)","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Total : %d/%d","Conflicted: %d":"Conflits : %d","To delete: %d":"A supprimer : %d","Folders":"Carnets","%s: %d notes":"%s : %d notes","Coming alarms":"Alarmes à venir","On %s: %s":"Le %s : %s","There are currently no notes. Create one by clicking on the (+) button.":"Ce carnet ne contient aucune note. Créez-en une en appuyant sur le bouton (+).","Delete these notes?":"Supprimer ces notes ?","Log":"Journal","Status":"État","Export Debug Report":"Exporter rapport de débogage","Configuration":"Configuration","Move to notebook...":"Déplacer la note vers carnet...","Move %d notes to notebook \"%s\"?":"Déplacer %d notes vers carnet \"%s\" ?","Select date":"Sélectionner date","Confirm":"Confirmer","Cancel synchronisation":"Annuler synchronisation","The notebook could not be saved: %s":"Ce carnet n'a pas pu être sauvegardé : %s","Edit notebook":"Éditer le carnet","This note has been modified:":"Cette note a été modifiée :","Save changes":"Enregistrer les changements","Discard changes":"Ignorer les changements","Unsupported image type: %s":"Type d'image non géré : %s","Attach photo":"Attacher une photo","Attach any file":"Attacher un fichier","Convert to note":"Convertir en note","Convert to todo":"Convertir en tâche","Hide metadata":"Cacher les métadonnées","Show metadata":"Afficher les métadonnées","View on map":"Voir emplacement sur carte","Delete notebook":"Supprimer le carnet","Login with OneDrive":"Se connecter à OneDrive","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Appuyez sur le bouton (+) pour créer une nouvelle note ou carnet. Ouvrez le menu latéral pour accéder à vos carnets.","You currently have no notebook. Create one by clicking on (+) button.":"Vous n'avez pour l'instant pas de carnets. Créez-en un en pressant le bouton (+).","Welcome":"Bienvenue"} \ No newline at end of file diff --git a/ElectronClient/app/locales/hr_HR.json b/ElectronClient/app/locales/hr_HR.json new file mode 100644 index 000000000..79edcd63d --- /dev/null +++ b/ElectronClient/app/locales/hr_HR.json @@ -0,0 +1 @@ +{"Give focus to next pane":"Fokusiraj sljedeće okno","Give focus to previous pane":"Fokusiraj prethodno okno","Enter command line mode":"Otvori naredbeni redak","Exit command line mode":"Napusti naredbeni redak","Edit the selected note":"Uredi odabranu bilješku","Cancel the current command.":"Prekini trenutnu naredbu.","Exit the application.":"Izađi iz aplikacije.","Delete the currently selected note or notebook.":"Obriši odabranu bilješku ili bilježnicu.","To delete a tag, untag the associated notes.":"Da bi mogao obrisati oznaku, skini oznaku s povezanih bilješki.","Please select the note or notebook to be deleted first.":"Odaberi bilješku ili bilježnicu za brisanje.","Set a to-do as completed / not completed":"Postavi zadatak kao završen/nezavršen","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"[t]oggle [c]onsole between maximized/minimized/hidden/visible.","Search":"Traži","[t]oggle note [m]etadata.":"[t]oggle note [m]etadata.","[M]ake a new [n]ote":"[M]ake a new [n]ote","[M]ake a new [t]odo":"[M]ake a new [t]odo","[M]ake a new note[b]ook":"[M]ake a new note[b]ook","Copy ([Y]ank) the [n]ote to a notebook.":"Copy ([Y]ank) the [n]ote to a notebook.","Move the note to a notebook.":"Premjesti bilješku u bilježnicu.","Press Ctrl+D or type \"exit\" to exit the application":"Pritisni Ctrl+D ili napiši \"exit\" za izlazak iz aplikacije","More than one item match \"%s\". Please narrow down your query.":"Više od jednog rezultata odgovara \"%s\". Promijeni upit.","No notebook selected.":"Nije odabrana bilježnica.","No notebook has been specified.":"Nije specificirana bilježnica.","Y":"Y","n":"n","N":"N","y":"y","Cancelling background synchronisation... Please wait.":"Prekid sinkronizacije u pozadini... Pričekaj.","No such command: %s":"Ne postoji naredba: %s","The command \"%s\" is only available in GUI mode":"Naredba \"%s\" postoji samo u inačici s grafičkim sučeljem","Missing required argument: %s":"Nedostaje obavezni argument: %s","%s: %s":"%s: %s","Your choice: ":"Tvoj izbor: ","Invalid answer: %s":"Nevažeći odgovor: %s","Attaches the given file to the note.":"Prilaže datu datoteku bilješci.","Cannot find \"%s\".":"Ne mogu naći \"%s\".","Displays the given note.":"Prikazuje datu bilješku.","Displays the complete information about note.":"Prikazuje potpunu informaciju o bilješci.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.","Also displays unset and hidden config variables.":"Također prikazuje nepostavljene i skrivene konfiguracijske varijable.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.","Marks a to-do as done.":"Označava zadatak završenim.","Note is not a to-do: \"%s\"":"Bilješka nije zadatak: \"%s\"","Edit note.":"Uredi bilješku.","No text editor is defined. Please set it using `config editor `":"No text editor is defined. Please set it using `config editor `","No active notebook.":"Nema aktivne bilježnice.","Note does not exist: \"%s\". Create it?":"Bilješka ne postoji: \"%s\". Napravi je?","Starting to edit note. Close the editor to get back to the prompt.":"Starting to edit note. Close the editor to get back to the prompt.","Note has been saved.":"Bilješka je spremljena.","Exits the application.":"Izlaz iz aplikacije.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Izvozi podatke u dati direktorij. Po defaultu izvozi sve podatke uključujući bilježnice, bilješke, zadatke i resurse.","Exports only the given note.":"Izvozi samo datu bilješku.","Exports only the given notebook.":"Izvozi samo datu bilježnicu.","Displays a geolocation URL for the note.":"Prikazuje geolokacijski URL bilješke.","Displays usage information.":"Prikazuje informacije o korištenju.","Shortcuts are not available in CLI mode.":"Prečaci nisu podržani u naredbenom retku.","Type `help [command]` for more information about a command; or type `help all` for the complete usage information.":"Upiši `help [naredba]` za više informacija o naredbi ili `help all` za sve informacije o korištenju.","The possible commands are:":"Moguće naredbe su:","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.","To move from one pane to another, press Tab or Shift+Tab.":"Za prijelaz iz jednog okna u drugo, pritisni Tab ili Shift+Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Use the arrows and page up/down to scroll the lists and text areas (including this console).","To maximise/minimise the console, press \"TC\".":"Za maksimiziranje/minimiziranje konzole, pritisni \"TC\".","To enter command line mode, press \":\"":"Za ulaz u naredbeni redak, pritisni \":\"","To exit command line mode, press ESCAPE":"Za izlaz iz naredbenog retka, pritisni Esc","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Za potpunu listu mogućih prečaca, upiši `help shortcuts`","Imports an Evernote notebook file (.enex file).":"Uvozi Evernote bilježnicu (.enex datoteku).","Do not ask for confirmation.":"Ne pitaj za potvrdu.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"Datoteka \"%s\" će biti uvezena u postojeću bilježnicu \"%s\". Nastavi?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"Nova bilježnica \"%s\" će biti stvorena i datoteka \"%s\" će biti uvezena u nju. Nastavi?","Found: %d.":"Nađeno: %d.","Created: %d.":"Stvoreno: %d.","Updated: %d.":"Ažurirano: %d.","Skipped: %d.":"Preskočeno: %d.","Resources: %d.":"Resursi: %d.","Tagged: %d.":"Označeno: %d.","Importing notes...":"Uvozim bilješke...","The notes have been imported: %s":"Bilješke su uvezene: %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Prikazuje bilješke u trenutnoj bilježnici. Upiši `ls /` za prikaz liste bilježnica.","Displays only the first top notes.":"Prikaži samo prvih bilješki.","Sorts the item by (eg. title, updated_time, created_time).":"Sorts the item by (eg. title, updated_time, created_time).","Reverses the sorting order.":"Mijenja redoslijed.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.","Either \"text\" or \"json\"":"Ili \"text\" ili \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE","Please select a notebook first.":"Odaberi bilježnicu.","Creates a new notebook.":"Stvara novu bilježnicu.","Creates a new note.":"Stvara novu bilješku.","Notes can only be created within a notebook.":"Bilješke je moguće stvoriti samo u sklopu bilježnice.","Creates a new to-do.":"Stvara novi zadatak.","Moves the notes matching to [notebook].":"Premješta podudarajuće bilješke u [bilježnicu].","Renames the given (note or notebook) to .":"Renames the given (note or notebook) to .","Deletes the given notebook.":"Briše datu bilježnicu.","Deletes the notebook without asking for confirmation.":"Briše bilježnicu bez traženja potvrde.","Delete notebook? All notes within this notebook will also be deleted.":"Obrisati bilježnicu? Sve bilješke u toj bilježnici će također biti obrisane.","Deletes the notes matching .":"Deletes the notes matching .","Deletes the notes without asking for confirmation.":"Briše bilješke bez traženja potvrde.","%d notes match this pattern. Delete them?":"%d bilješki se podudara s pojmom pretraživanja. Obriši ih?","Delete note?":"Obrisati bilješku?","Searches for the given in all the notes.":"Searches for the given in all the notes.","Sets the property of the given to the given [value]. Possible properties are:\n\n%s":"Sets the property of the given to the given [value]. Possible properties are:\n\n%s","Displays summary about the notes and notebooks.":"Prikazuje sažetak o bilješkama i bilježnicama.","Synchronises with remote storage.":"Sinkronizira sa udaljenom pohranom podataka.","Sync to provided target (defaults to sync.target config value)":"Sinkroniziraj sa metom (default je polje sync.target u konfiguraciji)","Synchronisation is already in progress.":"Sinkronizacija je već u toku.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"Ako sinkronizacija nije u toku, obriši lock datoteku u \"%s\" i nastavi...","Authentication was not completed (did not receive an authentication token).":"Authentication was not completed (did not receive an authentication token).","Synchronisation target: %s (%s)":"Meta sinkronizacije: %s (%s)","Cannot initialize synchroniser.":"Ne mogu započeti sinkronizaciju.","Starting synchronisation...":"Započinjem sinkronizaciju...","Cancelling... Please wait.":"Prekidam... Pričekaj."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.","Invalid command: \"%s\"":"Nevažeća naredba: \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":" can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.","Marks a to-do as non-completed.":"Označava zadatak kao nezavršen.","Switches to [notebook] - all further operations will happen within this notebook.":"Switches to [notebook] - all further operations will happen within this notebook.","Displays version information":"Prikazuje verziju","%s %s (%s)":"%s %s (%s)","Enum":"Enumeracija","Type: %s.":"Vrsta: %s.","Possible values: %s.":"Moguće vrijednosti: %s.","Default: %s":"Default: %s","Possible keys/values:":"Mogući ključevi/vrijednosti:","Fatal error:":"Fatalna greška:","The application has been authorised - you may now close this browser tab.":"Aplikacija je autorizirana - smiješ zatvoriti karticu preglednika.","The application has been successfully authorised.":"Aplikacija je uspješno autorizirana.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Otvori sljedeći URL u pregledniku da bi ovjerio aplikaciju. Aplikacija će stvoriti direktorij u \"Apps/Joplin\" i koristiti će samo taj direktorij za čitanje i pisanje. Aplikacija neće imati pristup osobnim podacima niti ičemu izvan tog direktorija. Nijedan se podatak neće dijeliti s trećom stranom.","Search:":"Traži:","Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.":"Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.","File":"Datoteka","New note":"Nova bilješka","New to-do":"Novi zadatak","New notebook":"Nova bilježnica","Import Evernote notes":"Uvezi Evernote bilješke","Evernote Export Files":"Evernote izvozne datoteke","Quit":"Izađi","Edit":"Uredi","Copy":"Kopiraj","Cut":"Izreži","Paste":"Zalijepi","Search in all the notes":"Pretraži u svim bilješkama","Tools":"Alati","Synchronisation status":"Status sinkronizacije","Options":"Opcije","Help":"Pomoć","Website and documentation":"Website i dokumentacija","About Joplin":"O Joplinu","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"U redu","Cancel":"Odustani","Notes and settings are stored in: %s":"Bilješke i postavke su pohranjene u: %s","Save":"Spremi","Back":"Natrag","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"Nova bilježnica \"%s\" će biti stvorena i datoteka \"%s\" će biti uvezena u nju","Please create a notebook first.":"Prvo stvori bilježnicu.","Note title:":"Naslov bilješke:","Please create a notebook first":"Prvo stvori bilježnicu","To-do title:":"Naslov zadatka:","Notebook title:":"Naslov bilježnice:","Add or remove tags:":"Dodaj ili makni oznake:","Separate each tag by a comma.":"Odvoji oznake zarezom.","Rename notebook:":"Preimenuj bilježnicu:","Set alarm:":"Postavi upozorenje:","Layout":"Izgled","Some items cannot be synchronised.":"Neke stavke se ne mogu sinkronizirati.","View them now":"Pogledaj ih sada","Active":"","ID":"ID","Source":"Izvor","Created":"Stvoreno","Updated":"Ažurirano","Password":"","Password OK":"","Note: Only one master key is going to be used for encryption (the one marked as \"active\"). Any of the keys might be used for decryption, depending on how the notes or notebooks were originally encrypted.":"","Add or remove tags":"Dodaj ili makni oznake","Switch between note and to-do type":"Zamijeni bilješku i zadatak","Delete":"Obriši","Delete notes?":"Obriši bilješke?","No notes in here. Create one by clicking on \"New note\".":"Ovdje nema bilješki. Stvori novu pritiskom na \"Nova bilješka\".","There is currently no notebook. Create one by clicking on \"New notebook\".":"Ovdje nema bilježnica. Stvori novu pritiskom na \"Nova bilježnica\".","Unsupported link or message: %s":"Nepodržana poveznica ili poruka: %s","Attach file":"Priloži datoteku","Set alarm":"Postavi upozorenje","Refresh":"Osvježi","Clear":"Očisti","OneDrive Login":"OneDrive Login","Import":"Uvoz","Synchronisation Status":"Status Sinkronizacije","Remove this tag from all the notes?":"Makni ovu oznaku iz svih bilješki?","Remove this search from the sidebar?":"Makni ovu pretragu iz izbornika?","Rename":"Preimenuj","Synchronise":"Sinkroniziraj","Notebooks":"Bilježnice","Tags":"Oznake","Searches":"Pretraživanja","Please select where the sync status should be exported to":"Odaberi lokaciju za izvoz statusa sinkronizacije","Usage: %s":"Korištenje: %s","Unknown flag: %s":"Nepoznata zastavica: %s","File system":"Datotečni sustav","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dev (Samo za testiranje)","Unknown log level: %s":"Nepoznata razina logiranja: %s","Unknown level ID: %s":"Nepoznat ID razine: %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"Nedostaju podaci za ovjeru. Pokušaj ponovo započeti sinkronizaciju.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"Ne mogu sinkronizirati OneDrive.\n\nOva greška se često javlja pri korištenju usluge OneDrive for Business koja nije podržana.\n\nMolimo da koristite obični OneDrive korisnički račun.","Cannot access %s":"Ne mogu pristupiti %s","Created local items: %d.":"Stvorene lokalne stavke: %d.","Updated local items: %d.":"Ažurirane lokalne stavke: %d.","Created remote items: %d.":"Stvorene udaljene stavke: %d.","Updated remote items: %d.":"Ažurirane udaljene stavke: %d.","Deleted local items: %d.":"Obrisane lokalne stavke: %d.","Deleted remote items: %d.":"Obrisane udaljene stavke: %d.","State: \"%s\".":"Stanje: \"%s\".","Cancelling...":"Prekidam...","Completed: %s":"Dovršeno: %s","Synchronisation is already in progress. State: %s":"Sinkronizacija je već u toku. Stanje: %s","Conflicts":"Sukobi","A notebook with this title already exists: \"%s\"":"Bilježnica s ovim naslovom već postoji: \"%s\"","Notebooks cannot be named \"%s\", which is a reserved title.":"Naslov \"%s\" je rezerviran i ne može se koristiti.","Untitled":"Nenaslovljen","This note does not have geolocation information.":"Ova bilješka nema geolokacijske informacije.","Cannot copy note to \"%s\" notebook":"Ne mogu kopirati bilješku u bilježnicu %s","Cannot move note to \"%s\" notebook":"Ne mogu premjestiti bilješku u bilježnicu %s","Text editor":"Uređivač teksta","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"Program za uređivanje koji će biti korišten za uređivanje bilješki. Ako ni jedan nije odabran, pokušati će se sa default programom.","Language":"Jezik","Date format":"Format datuma","Time format":"Format vremena","Theme":"Tema","Light":"Svijetla","Dark":"Tamna","Show uncompleted todos on top of the lists":"Prikaži nezavršene zadatke na vrhu liste","Save geo-location with notes":"Spremi geolokacijske podatke sa bilješkama","Synchronisation interval":"Interval sinkronizacije","Disabled":"Onemogućeno","%d minutes":"%d minuta","%d hour":"%d sat","%d hours":"%d sati","Automatically update the application":"Automatsko instaliranje nove verzije","Show advanced options":"Prikaži napredne opcije","Synchronisation target":"Sinkroniziraj sa","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"Meta sinkronizacije. U slučaju sinkroniziranja s vlastitim datotečnim sustavom, postavi `sync.2.path` na ciljani direktorij.","Directory to synchronise with (absolute path)":"Direktorij za sinkroniziranje (apsolutna putanja)","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"Putanja do direktorija za sinkronizaciju u slučaju kad je sinkronizacija sa datotečnim sustavom omogućena. Vidi `sync.target`.","Invalid option value: \"%s\". Possible values are: %s.":"Nevažeća vrijednost: \"%s\". Moguće vrijednosti su: %s.","Items that cannot be synchronised":"Stavke koje se ne mogu sinkronizirati","\"%s\": \"%s\"":"\"%s\": \"%s\"","Sync status (synced items / total items)":"Status (sinkronizirane stavke / ukupni broj stavki)","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Ukupno: %d/%d","Conflicted: %d":"U sukobu: %d","To delete: %d":"Za brisanje: %d","Folders":"Mape","%s: %d notes":"%s: %d notes","Coming alarms":"Nadolazeća upozorenja","On %s: %s":"On %s: %s","There are currently no notes. Create one by clicking on the (+) button.":"Trenutno nema bilješki. Stvori novu klikom na (+) gumb.","Delete these notes?":"Obriši ove bilješke?","Log":"Log","Status":"Status","Export Debug Report":"Izvezi Debug izvještaj","Configuration":"Konfiguracija","Move to notebook...":"Premjesti u bilježnicu...","Move %d notes to notebook \"%s\"?":"Premjesti %d bilješke u bilježnicu \"%s\"?","Select date":"Odaberi datum","Confirm":"Potvrdi","Cancel synchronisation":"Prekini sinkronizaciju","The notebook could not be saved: %s":"Bilježnicu nije moguće snimiti: %s","Edit notebook":"Uredi bilježnicu","This note has been modified:":"Bilješka je promijenjena:","Save changes":"Spremi promjene","Discard changes":"Odbaci promjene","Unsupported image type: %s":"Nepodržana vrsta slike: %s","Attach photo":"Priloži sliku","Attach any file":"Priloži datoteku","Convert to note":"Pretvori u bilješku","Convert to todo":"Pretvori u zadatak","Hide metadata":"Sakrij metapodatke","Show metadata":"Prikaži metapodatke","View on map":"Vidi na karti","Delete notebook":"Obriši bilježnicu","Login with OneDrive":"Prijavi se u OneDrive","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Klikni (+) gumb za dodavanje nove bilješke ili bilježnice ili odaberi postojeću bilježnicu iz izbornika.","You currently have no notebook. Create one by clicking on (+) button.":"Trenutno nemaš nijednu bilježnicu. Stvori novu klikom na (+) gumb.","Welcome":"Dobro došli"} \ No newline at end of file diff --git a/ElectronClient/app/locales/index.js b/ElectronClient/app/locales/index.js index af272ad8b..4bf15478e 100644 --- a/ElectronClient/app/locales/index.js +++ b/ElectronClient/app/locales/index.js @@ -2,5 +2,10 @@ var locales = {}; locales['en_GB'] = require('./en_GB.json'); locales['de_DE'] = require('./de_DE.json'); locales['es_CR'] = require('./es_CR.json'); +locales['es_ES'] = require('./es_ES.json'); locales['fr_FR'] = require('./fr_FR.json'); +locales['hr_HR'] = require('./hr_HR.json'); +locales['it_IT'] = require('./it_IT.json'); +locales['pt_BR'] = require('./pt_BR.json'); +locales['ru_RU'] = require('./ru_RU.json'); module.exports = { locales: locales }; \ No newline at end of file diff --git a/ElectronClient/app/locales/it_IT.json b/ElectronClient/app/locales/it_IT.json new file mode 100644 index 000000000..c6a151703 --- /dev/null +++ b/ElectronClient/app/locales/it_IT.json @@ -0,0 +1 @@ +{"Give focus to next pane":"Pannello successivo","Give focus to previous pane":"Pannello precedente","Enter command line mode":"Accedi alla modalità linea di comando","Exit command line mode":"Esci dalla modalità linea di comando","Edit the selected note":"Modifica la nota selezionata","Cancel the current command.":"Cancella il comando corrente.","Exit the application.":"Esci dall'applicazione.","Delete the currently selected note or notebook.":"Elimina la nota o il blocco note selezionato.","To delete a tag, untag the associated notes.":"Elimina un'etichetta, togli l'etichetta associata alle note.","Please select the note or notebook to be deleted first.":"Per favore seleziona la nota o il blocco note da eliminare.","Set a to-do as completed / not completed":"Imposta un'attività come completata / non completata","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"Scegli lo s[t]ato della [c]onsole: massimizzato/minimizzato/nascosto/visibile.","Search":"Cerca","[t]oggle note [m]etadata.":"mos[t]ra/nascondi i [m]etadata nelle note.","[M]ake a new [n]ote":"Crea ([M]ake) una nuova [n]ota","[M]ake a new [t]odo":"Crea ([M]ake) una nuova at[t]ività","[M]ake a new note[b]ook":"Crea ([M]ake) un nuovo [b]locco note","Copy ([Y]ank) the [n]ote to a notebook.":"Copia ([Y]) la [n]ota in un blocco note.","Move the note to a notebook.":"Sposta la nota in un blocco note.","Press Ctrl+D or type \"exit\" to exit the application":"Premi Ctrl+D o digita \"exit\" per uscire dall'applicazione","More than one item match \"%s\". Please narrow down your query.":"Più di un elemento corrisponde a \"%s\". Per favore restringi la ricerca.","No notebook selected.":"Nessun blocco note selezionato.","No notebook has been specified.":"Nessun blocco note è statoi specificato.","Y":"S","n":"n","N":"N","y":"s","Cancelling background synchronisation... Please wait.":"Cancellazione della sincronizzazione in background... Attendere prego.","No such command: %s":"Nessun comando: %s","The command \"%s\" is only available in GUI mode":"Il comando \"%s\" è disponibile solo nella modalità grafica","Missing required argument: %s":"Argomento richiesto mancante: %s","%s: %s":"%s: %s","Your choice: ":"La tua scelta: ","Invalid answer: %s":"Risposta non valida: %s","Attaches the given file to the note.":"Allega il seguente file alla nota.","Cannot find \"%s\".":"Non posso trovare \"%s\".","Displays the given note.":"Mostra la seguente nota.","Displays the complete information about note.":"Mostra le informazioni complete sulla nota.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Ricevi o imposta un valore di configurazione. se [value] non è impostato, verrà mostrato il valore del [name]. Se sia [name] che [valore] sono impostati, verrà mostrata la configurazione corrente.","Also displays unset and hidden config variables.":"Mostra anche le variabili di configurazione non impostate o nascoste.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Duplica le note che corrispondono a nel [notebook]. Se nessun blocco note è specificato, la nota viene duplicata nel blocco note corrente.","Marks a to-do as done.":"Segna un'attività come completata.","Note is not a to-do: \"%s\"":"La nota non è un'attività: \"%s\"","Edit note.":"Modifica nota.","No text editor is defined. Please set it using `config editor `":"Non è definito nessun editor di testo. Per favore impostalo usando `config editor `","No active notebook.":"Nessun blocco note attivo.","Note does not exist: \"%s\". Create it?":"Non esiste la nota: \"%s\". Desideri crearla?","Starting to edit note. Close the editor to get back to the prompt.":"Comincia a modificare la nota. Chiudi l'editor per tornare al prompt.","Note has been saved.":"La nota è stata salvata.","Exits the application.":"Esci dall'applicazione.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Esporta i dati da Joplin nella directory selezionata. Come impostazione predefinita verrà esportato il database completo, inclusi blocchi note, note, etichette e risorse.","Exports only the given note.":"Esporta solo la seguente nota.","Exports only the given notebook.":"Esporta solo il seguente blocco note.","Displays a geolocation URL for the note.":"Mostra l'URL di geolocalizzazione per la nota.","Displays usage information.":"Mostra le informazioni di utilizzo.","Shortcuts are not available in CLI mode.":"Le scorciatoie non sono disponibili nella modalità CLI.","Type `help [command]` for more information about a command; or type `help all` for the complete usage information.":"Type `help [command]` for more information about a command; or type `help all` for the complete usage information.","The possible commands are:":"I possibili comandi sono:","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"In ciascun comando, si deve necessariamente definire una nota o un blocco note usando un titolo, un ID o usando le scorciatoie `$n` or `$b` per , rispettivamente, la nota o il blocco note selezionato `$c` può essere usato per fare riferimento all'elemento selezionato.","To move from one pane to another, press Tab or Shift+Tab.":"Per passare da un pannello all'altro, premi Tab o Shift+Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Usa le frecce e pagina su/giù per scorrere le liste e le aree di testo (compresa questa console).","To maximise/minimise the console, press \"TC\".":"Per massimizzare/minimizzare la console, premi \"TC\".","To enter command line mode, press \":\"":"Per entrare nella modalità command line, premi \":\"","To exit command line mode, press ESCAPE":"Per uscire dalla modalità command line, premi ESC","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Per la lista completa delle scorciatoie disponibili, digita `help shortcuts`","Imports an Evernote notebook file (.enex file).":"Importa un file blocco note di Evernote (.enex file).","Do not ask for confirmation.":"Non chiedere conferma.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"Il file \"%s\" sarà importato nel blocco note esistente \"%s\". Continuare?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"Un nuovo blocco note \"%s\" sarà creato e al suo interno verrà importato il file \"%s\" . Continuare?","Found: %d.":"Trovato: %d.","Created: %d.":"Creato: %d.","Updated: %d.":"Aggiornato: %d.","Skipped: %d.":"Saltato: %d.","Resources: %d.":"Risorse: %d.","Tagged: %d.":"Etichettato: %d.","Importing notes...":"Importazione delle note...","The notes have been imported: %s":"Le note sono state importate: %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Mostra le note nel seguente blocco note. Usa `ls /` per mostrare la lista dei blocchi note.","Displays only the first top notes.":"Mostra solo le prima note.","Sorts the item by (eg. title, updated_time, created_time).":"Ordina per (es. titolo, ultimo aggiornamento, creazione).","Reverses the sorting order.":"Inverti l'ordine.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Mostra solo gli elementi del tipo specificato. Possono essere `n` per le note, `t` per le attività o `nt` per note e attività. (es. `-tt` mostrerà solo le attività, mentre `-ttd` mostrerà sia note che attività.","Either \"text\" or \"json\"":"Sia \"testo\" che \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"Usa un formato lungo di lista. Il formato è ID, NOTE_COUNT (per i blocchi note), DATE, TODO_CHECKED (per le attività), TITLE","Please select a notebook first.":"Per favore prima seleziona un blocco note.","Creates a new notebook.":"Crea un nuovo blocco note.","Creates a new note.":"Crea una nuova nota.","Notes can only be created within a notebook.":"Le note possono essere create all'interno de blocco note.","Creates a new to-do.":"Crea una nuova attività.","Moves the notes matching to [notebook].":"Sposta le note che corrispondono a in [notebook].","Renames the given (note or notebook) to .":"Rinomina (nota o blocco note) in .","Deletes the given notebook.":"Elimina il seguente blocco note.","Deletes the notebook without asking for confirmation.":"Elimina il blocco note senza richiedere una conferma.","Delete notebook? All notes within this notebook will also be deleted.":"","Deletes the notes matching .":"Elimina le note che corrispondono a .","Deletes the notes without asking for confirmation.":"Elimina le note senza chiedere conferma.","%d notes match this pattern. Delete them?":"%d note corrispondono. Eliminarle?","Delete note?":"Eliminare la nota?","Searches for the given in all the notes.":"Cerca in tutte le note.","Sets the property of the given to the given [value]. Possible properties are:\n\n%s":"Sets the property of the given to the given [value]. Possible properties are:\n\n%s","Displays summary about the notes and notebooks.":"Mostra un sommario delle note e dei blocchi note.","Synchronises with remote storage.":"Sincronizza con l'archivio remoto.","Sync to provided target (defaults to sync.target config value)":"Sincronizza con l'obiettivo fornito (come predefinito il valore di configurazione sync.target)","Synchronisation is already in progress.":"La sincronizzazione è in corso.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"Trovato un file di blocco. Se si è certi che non è in corso alcuna sincronizzazione, è possibile eliminare il file di blocco in \"% s\" e riprendere l'operazione.","Authentication was not completed (did not receive an authentication token).":"Autenticazione non completata (non è stato ricevuto alcun token di autenticazione).","Synchronisation target: %s (%s)":"Posizione di sincronizzazione: %s (%s)","Cannot initialize synchroniser.":"Non è possibile inizializzare il sincronizzatore.","Starting synchronisation...":"Inizio sincronizzazione...","Cancelling... Please wait.":"Cancellazione... Attendere per favore."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" può essere \"add\", \"remove\" or \"list\" per assegnare o rimuovere [tag] da [note], o per mostrare le note associate a [tag]. Il comando `tag list` può essere usato per mostrare tutte le etichette.","Invalid command: \"%s\"":"Comando non valido: \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":" può essere \"toggle\" or \"clear\". Usa \"toggle\" per cambiare lo stato dell'attività tra completata/non completata (se l'oggetto è una normale nota, questa verrà convertita in un'attività). Usa \"clear\" convertire le attività in normali note.","Marks a to-do as non-completed.":"Marca un'attività come non completata.","Switches to [notebook] - all further operations will happen within this notebook.":"Passa tra [notebook] - tutte le ulteriori operazioni interesseranno il seguente blocco note.","Displays version information":"Mostra le informazioni sulla versione","%s %s (%s)":"%s %s (%s)","Enum":"Enumerare","Type: %s.":"Tipo: %s.","Possible values: %s.":"Valori possibili: %s.","Default: %s":"Predefinito: %s","Possible keys/values:":"Chiave/valore possibili:","Fatal error:":"Errore fatale:","The application has been authorised - you may now close this browser tab.":"L'applicazione è stata autorizzata - puoi chiudere questo tab del tuo browser.","The application has been successfully authorised.":"L'applicazione è stata autorizzata con successo.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Per favore apri il seguente URL nel tuo browser per autenticare l'applicazione. L'applicazione creerà una directory in \"Apps/Joplin\" e leggerà/scriverà file solo in questa directory. Non avrà accesso a nessun file all'esterno di questa directory o ad alcun dato personale. Nessun dato verrà condiviso con terze parti.","Search:":"Cerca:","Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.":"","File":"File","New note":"Nuova nota","New to-do":"Nuova attività","New notebook":"Nuovo blocco note","Import Evernote notes":"Importa le note da Evernote","Evernote Export Files":"Esposta i files di Evernote","Quit":"Esci","Edit":"Modifica","Copy":"Copia","Cut":"Taglia","Paste":"Incolla","Search in all the notes":"Cerca in tutte le note","Tools":"Strumenti","Synchronisation status":"Stato di sincronizzazione","Options":"Opzioni","Help":"Aiuto","Website and documentation":"Sito web e documentazione","About Joplin":"Informazione si Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"OK","Cancel":"Cancella","Notes and settings are stored in: %s":"","Save":"","Back":"Indietro","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"Il nuovo blocco note \"%s\" verrà creato e \"%s\" vi verrà importato","Please create a notebook first.":"Per favore prima crea un blocco note.","Note title:":"Titolo della Nota:","Please create a notebook first":"Per favore prima crea un blocco note","To-do title:":"Titolo dell'attività:","Notebook title:":"Titolo del blocco note:","Add or remove tags:":"Aggiungi or rimuovi etichetta:","Separate each tag by a comma.":"Separa ogni etichetta da una virgola.","Rename notebook:":"Rinomina il blocco note:","Set alarm:":"Imposta allarme:","Layout":"Disposizione","Some items cannot be synchronised.":"Alcuni elementi non possono essere sincronizzati.","View them now":"Mostrali ora","Active":"","ID":"","Source":"","Created":"Created","Updated":"Updated","Password":"","Password OK":"","Note: Only one master key is going to be used for encryption (the one marked as \"active\"). Any of the keys might be used for decryption, depending on how the notes or notebooks were originally encrypted.":"","Add or remove tags":"Aggiungi o rimuovi etichetta","Switch between note and to-do type":"Passa da un tipo di nota a un elenco di attività","Delete":"Elimina","Delete notes?":"Eliminare le note?","No notes in here. Create one by clicking on \"New note\".":"Non è presente nessuna nota. Creane una cliccando \"Nuova nota\".","There is currently no notebook. Create one by clicking on \"New notebook\".":"There is currently no notebook. Create one by clicking on \"New notebook\".","Unsupported link or message: %s":"Collegamento o messaggio non supportato: %s","Attach file":"Allega file","Set alarm":"Imposta allarme","Refresh":"Aggiorna","Clear":"Pulisci","OneDrive Login":"Login OneDrive","Import":"Importa","Synchronisation Status":"Stato della Sincronizzazione","Remove this tag from all the notes?":"Rimuovere questa etichetta da tutte le note?","Remove this search from the sidebar?":"Rimuovere questa ricerca dalla barra laterale?","Rename":"Rinomina","Synchronise":"Sincronizza","Notebooks":"Blocchi note","Tags":"Etichette","Searches":"Ricerche","Please select where the sync status should be exported to":"Please select where the sync status should be exported to","Usage: %s":"Uso: %s","Unknown flag: %s":"Etichetta sconosciuta: %s","File system":"File system","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dev (solo per test)","Unknown log level: %s":"Livello di log sconosciuto: %s","Unknown level ID: %s":"Livello ID sconosciuto: %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"Non è possibile aggiornare il token. mancano i dati di autenticazione. Ricominciare la sincronizzazione da capo potrebbe risolvere il problema.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"Impossibile sincronizzare con OneDrive.\n\nQuesto errore spesso accade quando si utilizza OneDrive for Business, che purtroppo non può essere supportato.\n\nSi prega di considerare l'idea di utilizzare un account OneDrive normale.","Cannot access %s":"Non è possibile accedere a %s","Created local items: %d.":"Elementi locali creati: %d.","Updated local items: %d.":"Elementi locali aggiornati: %d.","Created remote items: %d.":"Elementi remoti creati: %d.","Updated remote items: %d.":"Elementi remoti aggiornati: %d.","Deleted local items: %d.":"Elementi locali eliminati: %d.","Deleted remote items: %d.":"Elementi remoti eliminati: %d.","State: \"%s\".":"Stato: \"%s\".","Cancelling...":"Cancellazione...","Completed: %s":"Completata: %s","Synchronisation is already in progress. State: %s":"La sincronizzazione è già in corso. Stato: %s","Conflicts":"Conflitti","A notebook with this title already exists: \"%s\"":"Esiste già un blocco note col titolo \"%s\"","Notebooks cannot be named \"%s\", which is a reserved title.":"I blocchi non possono essere chiamati \"%s\". È un titolo riservato.","Untitled":"Senza titolo","This note does not have geolocation information.":"Questa nota non ha informazione sulla geolocalizzazione.","Cannot copy note to \"%s\" notebook":"Non posso copiare la nota nel blocco note \"%s\"","Cannot move note to \"%s\" notebook":"Non posso spostare la nota nel blocco note \"%s\"","Text editor":"Editor di testo","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"L'editor che sarà usato per aprire la nota. Se nessun editor è specificato si cercherà di individuare automaticamente l'editor predefinito.","Language":"Linguaggio","Date format":"Formato della data","Time format":"Formato dell'orario","Theme":"Tema","Light":"Chiaro","Dark":"Scuro","Show uncompleted todos on top of the lists":"Mostra todo inclompleti in cima alla lista","Save geo-location with notes":"Salva geo-localizzazione con le note","Synchronisation interval":"Intervallo di sincronizzazione","Disabled":"Disabilitato","%d minutes":"%d minuti","%d hour":"%d ora","%d hours":"%d ore","Automatically update the application":"Aggiorna automaticamente l'applicazione","Show advanced options":"Mostra opzioni avanzate","Synchronisation target":"Destinazione di sincronizzazione","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"La destinazione della sincronizzazione. Se si sincronizza con il file system, impostare ' Sync. 2. Path ' per specificare la directory di destinazione.","Directory to synchronise with (absolute path)":"","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"Il percorso di sincronizzazione quando la sincronizzazione è abilitata. Vedi `sync.target`.","Invalid option value: \"%s\". Possible values are: %s.":"Oprione non valida: \"%s\". I valori possibili sono: %s.","Items that cannot be synchronised":"Elementi che non possono essere sincronizzati","\"%s\": \"%s\"":"\"%s\": \"%s\"","Sync status (synced items / total items)":"Stato di sincronizzazione (Elementi sincronizzati / Elementi totali)","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Totale: %d %d","Conflicted: %d":"In conflitto: %d","To delete: %d":"Da cancellare: %d","Folders":"Cartelle","%s: %d notes":"%s: %d note","Coming alarms":"Avviso imminente","On %s: %s":"Su %s: %s","There are currently no notes. Create one by clicking on the (+) button.":"Al momento non ci sono note. Creane una cliccando sul bottone (+).","Delete these notes?":"Cancellare queste note?","Log":"Log","Status":"Stato","Export Debug Report":"Esporta il Report di Debug","Configuration":"Configurazione","Move to notebook...":"Sposta sul blocco note...","Move %d notes to notebook \"%s\"?":"Spostare le note %d sul blocco note \"%s\"?","Select date":"Seleziona la data","Confirm":"Conferma","Cancel synchronisation":"Cancella la sincronizzazione","The notebook could not be saved: %s":"Il blocco note non può essere salvato: %s","Edit notebook":"Modifica blocco note","This note has been modified:":"Questa note è stata modificata:","Save changes":"Salva i cambiamenti","Discard changes":"Ignora modifiche","Unsupported image type: %s":"Tipo di immagine non supportata: %s","Attach photo":"Allega foto","Attach any file":"Allega qualsiasi file","Convert to note":"Converti in nota","Convert to todo":"Converti in Todo","Hide metadata":"Nascondi i Metadati","Show metadata":"Mostra i metadati","View on map":"Guarda sulla mappa","Delete notebook":"Cancella blocco note","Login with OneDrive":"Accedi a OneDrive","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Fare clic sul pulsante (+) per creare una nuova nota o un nuovo blocco note. Fare clic sul menu laterale per accedere ai tuoi blocchi note esistenti.","You currently have no notebook. Create one by clicking on (+) button.":"Attualmente non hai nessun blocco note. Crearne uno cliccando sul pulsante (+).","Welcome":"Benvenuto"} \ No newline at end of file diff --git a/ElectronClient/app/locales/pt_BR.json b/ElectronClient/app/locales/pt_BR.json new file mode 100644 index 000000000..bc92f40e8 --- /dev/null +++ b/ElectronClient/app/locales/pt_BR.json @@ -0,0 +1 @@ +{"Give focus to next pane":"Dar o foco para o próximo painel","Give focus to previous pane":"Dar o foco para o painel anterior","Enter command line mode":"Entrar no modo de linha de comando","Exit command line mode":"Sair do modo de linha de comando","Edit the selected note":"Editar nota selecionada","Cancel the current command.":"Cancelar comando atual.","Exit the application.":"Sair da aplicação.","Delete the currently selected note or notebook.":"Excluir nota selecionada ou notebook.","To delete a tag, untag the associated notes.":"Para eliminar uma tag, remova a tag das notas associadas a ela.","Please select the note or notebook to be deleted first.":"Por favor, primeiro, selecione a nota ou caderno a excluir.","Set a to-do as completed / not completed":"Marcar uma tarefa como completada / não completada","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"al[t]ernar [c]onsole entre maximizado / minimizado / oculto / visível.","Search":"Procurar","[t]oggle note [m]etadata.":"al[t]ernar [m]etadados de notas.","[M]ake a new [n]ote":"Criar ([M]ake) uma nova [n]ota","[M]ake a new [t]odo":"Criar ([M]ake) nova [t]arefa","[M]ake a new note[b]ook":"Criar ([M]ake) novo caderno (note[b]ook)","Copy ([Y]ank) the [n]ote to a notebook.":"Copiar ([Y]ank) a [n]ota a um caderno.","Move the note to a notebook.":"Mover nota para um caderno.","Press Ctrl+D or type \"exit\" to exit the application":"Digite Ctrl+D ou \"exit\" para sair da aplicação","More than one item match \"%s\". Please narrow down your query.":"Mais que um item combinam com \"%s\". Por favor, refine sua pesquisa.","No notebook selected.":"Nenhum caderno selecionado.","No notebook has been specified.":"Nenhum caderno foi especificado.","Y":"S","n":"n","N":"N","y":"s","Cancelling background synchronisation... Please wait.":"Cancelando sincronização em segundo plano... Por favor, aguarde.","No such command: %s":"No such command: %s","The command \"%s\" is only available in GUI mode":"O comando \"%s\" está disponível somente em modo gráfico","Missing required argument: %s":"Argumento requerido faltando: %s","%s: %s":"%s: %s","Your choice: ":"Sua escolha: ","Invalid answer: %s":"Resposta inválida: %s","Attaches the given file to the note.":"Anexa o arquivo dado à nota.","Cannot find \"%s\".":"Não posso encontrar \"%s\".","Displays the given note.":"Exibe a nota informada.","Displays the complete information about note.":"Exibe a informação completa sobre a nota.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Obtém ou define um valor de configuração. Se [valor] não for fornecido, ele mostrará o valor de [nome]. Se nem [nome] nem [valor] forem fornecidos, ele listará a configuração atual.","Also displays unset and hidden config variables.":"Também exibe variáveis de configuração não definidas e ocultas.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Duplica as notas que correspondem a para o [caderno]. Se nenhum caderno for especificado, a nota será duplicada no caderno atual.","Marks a to-do as done.":"Marca uma tarefa como feita.","Note is not a to-do: \"%s\"":"Nota não é uma tarefa: \"%s\"","Edit note.":"Editar nota.","No text editor is defined. Please set it using `config editor `":"Nenhum editor de texto está definido. Defina-o usando o comando `config edit `","No active notebook.":"Nenhum caderno ativo.","Note does not exist: \"%s\". Create it?":"A nota não existe: \"%s\". Criar?","Starting to edit note. Close the editor to get back to the prompt.":"Começando a editar a nota. Feche o editor para voltar ao prompt.","Note has been saved.":"Nota gravada.","Exits the application.":"Sai da aplicação.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Exporta os dados do Joplin para o diretório informado. Por padrão, ele exportará o banco de dados completo, incluindo cadernos, notas, tags e recursos.","Exports only the given note.":"Exporta apenas a nota fornecida.","Exports only the given notebook.":"Exporta apenas o caderno fornecido.","Displays a geolocation URL for the note.":"Exibe uma URL de geolocalização para a nota.","Displays usage information.":"Exibe informações de uso.","Shortcuts are not available in CLI mode.":"Os atalhos não estão disponíveis no modo CLI.","Type `help [command]` for more information about a command; or type `help all` for the complete usage information.":"Type `help [command]` for more information about a command; or type `help all` for the complete usage information.","The possible commands are:":"Os comandos possíveis são:","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"Em qualquer comando, uma nota ou caderno pode ser referenciado por título ou ID, ou usando os atalhos `$n` ou` $b` para, respectivamente, a nota ou caderno selecionado. `$c` pode ser usado para se referenciar ao item atualmente selecionado.","To move from one pane to another, press Tab or Shift+Tab.":"Para mover de um painel para outro, pressione Tab ou Shift + Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Use as setas e a Page Up/Page Down para rolar as listas e áreas de texto (incluindo este console).","To maximise/minimise the console, press \"TC\".":"Para maximizar / minimizar o console, pressione \"TC\".","To enter command line mode, press \":\"":"Para entrar no modo de linha de comando, pressione \":\"","To exit command line mode, press ESCAPE":"Para sair do modo de linha de comando, pressione o ESC","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Para a lista completa de atalhos de teclado disponíveis, digite `help shortcuts`","Imports an Evernote notebook file (.enex file).":"Importa um arquivo de caderno do Evernote (arquivo .enex).","Do not ask for confirmation.":"Não pedir confirmação.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"O arquivo \"%s\" será importado para o caderno existente \"%s\". Continuar?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"O novo caderno \"%s\" será criado e o arquivo \"%s\" será importado para ele. Continuar?","Found: %d.":"Encontrado: %d.","Created: %d.":"Criado: %d.","Updated: %d.":"Atualizado: %d.","Skipped: %d.":"Ignorado: %d.","Resources: %d.":"Recursos: %d.","Tagged: %d.":"Tag adicionada: %d.","Importing notes...":"Importando notas ...","The notes have been imported: %s":"As notas foram importadas: %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Exibe as notas no caderno atual. Use `ls /` para exibir a lista de cadernos.","Displays only the first top notes.":"Exibe apenas as primeiras notas.","Sorts the item by (eg. title, updated_time, created_time).":"Classifica o item por (ex.: title, update_time, created_time).","Reverses the sorting order.":"Inverte a ordem de classificação.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Exibe apenas os itens do(s) tipo(s) específico(s). Pode ser `n` para notas,` t` para tarefas, ou `nt` para notas e tarefas (por exemplo.` -tt` exibiria apenas os itens pendentes, enquanto `-ttd` exibiria notas e tarefas .","Either \"text\" or \"json\"":"Ou \"text\" ou \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"Use o formato da lista longa. O formato é ID, NOTE_COUNT (para caderno), DATE, TODO_CHECKED (para tarefas), TITLE","Please select a notebook first.":"Por favor, selecione um caderno primeiro.","Creates a new notebook.":"Cria um novo caderno.","Creates a new note.":"Cria uma nova nota.","Notes can only be created within a notebook.":"As notas só podem ser criadas dentro de um caderno.","Creates a new to-do.":"Cria uma nova tarefa.","Moves the notes matching to [notebook].":"Move as notas correspondentes para [caderno].","Renames the given (note or notebook) to .":"Renomeia o dado (nota ou caderno) para .","Deletes the given notebook.":"Exclui o caderno informado.","Deletes the notebook without asking for confirmation.":"Exclui o caderno sem pedir confirmação.","Delete notebook? All notes within this notebook will also be deleted.":"","Deletes the notes matching .":"Exclui as notas correspondentes ao padrão .","Deletes the notes without asking for confirmation.":"Exclui as notas sem pedir confirmação.","%d notes match this pattern. Delete them?":"%d notas correspondem a este padrão. Apagar todos?","Delete note?":"Apagar nota?","Searches for the given in all the notes.":"Procura o padrão em todas as notas.","Sets the property of the given to the given [value]. Possible properties are:\n\n%s":"Sets the property of the given to the given [value]. Possible properties are:\n\n%s","Displays summary about the notes and notebooks.":"Exibe sumário sobre as notas e cadernos.","Synchronises with remote storage.":"Sincroniza com o armazenamento remoto.","Sync to provided target (defaults to sync.target config value)":"Sincronizar para destino fornecido (p padrão é o valor de configuração sync.target)","Synchronisation is already in progress.":"A sincronização já está em andamento.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"O arquivo de bloqueio já está ativo. Se você sabe que nenhuma sincronização está ocorrendo, você pode excluir o arquivo de bloqueio em \"%s\" e retomar a operação.","Authentication was not completed (did not receive an authentication token).":"A autenticação não foi concluída (não recebeu um token de autenticação).","Synchronisation target: %s (%s)":"Alvo de sincronização: %s (%s)","Cannot initialize synchroniser.":"Não é possível inicializar o sincronizador.","Starting synchronisation...":"Iniciando sincronização...","Cancelling... Please wait.":"Cancelando... Aguarde."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" pode ser \"add\", \"remove\" ou \"list\" para atribuir ou remover [tag] de [nota], ou para listar as notas associadas a [tag]. O comando `taglist` pode ser usado para listar todas as tags.","Invalid command: \"%s\"":"Comando inválido: \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":" pode ser \"toggle\" ou \"clear\". Use \"toggle\" para alternar entre as tarefas entre o estado completo e incompleto (se o alvo for uma nota comum, ele será convertido em uma tarefa a fazer). Use \"clear\" para converter a tarefa em uma nota normal.","Marks a to-do as non-completed.":"Marca uma tarefa como não completada.","Switches to [notebook] - all further operations will happen within this notebook.":"Alterna para [caderno] - todas as operações adicionais acontecerão dentro deste caderno.","Displays version information":"Exibe informações da versão","%s %s (%s)":"%s %s (%s)","Enum":"Enum","Type: %s.":"Tipo: %s.","Possible values: %s.":"Valores possíveis: %s.","Default: %s":"Padrão: %s","Possible keys/values:":"Possíveis chaves/valores:","Fatal error:":"Erro fatal:","The application has been authorised - you may now close this browser tab.":"O aplicativo foi autorizado - agora você pode fechar esta guia do navegador.","The application has been successfully authorised.":"O aplicativo foi autorizado com sucesso.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Abra a seguinte URL no seu navegador para autenticar o aplicativo. O aplicativo criará um diretório em \"Apps/Joplin\" e somente lerá e gravará arquivos neste diretório. Não terá acesso a nenhum arquivo fora deste diretório nem a nenhum outro dado pessoal. Nenhum dado será compartilhado com terceiros.","Search:":"Procurar:","Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.":"","File":"Arquivo","New note":"Nova nota","New to-do":"Nova tarefa","New notebook":"Novo caderno","Import Evernote notes":"Importar notas do Evernote","Evernote Export Files":"Arquivos de Exportação do Evernote","Quit":"Sair","Edit":"Editar","Copy":"Copiar","Cut":"Cortar","Paste":"Colar","Search in all the notes":"Pesquisar em todas as notas","Tools":"Ferramentas","Synchronisation status":"Synchronisation status","Options":"Opções","Help":"Ajuda","Website and documentation":"Website e documentação","About Joplin":"Sobre o Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"OK","Cancel":"Cancelar","Notes and settings are stored in: %s":"","Save":"","Back":"Voltar","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"O novo caderno \"%s\" será criado e o arquivo \"%s\" será importado para ele","Please create a notebook first.":"Primeiro, crie um caderno.","Note title:":"Título da nota:","Please create a notebook first":"Primeiro, crie um caderno","To-do title:":"Título da tarefa:","Notebook title:":"Título do caderno:","Add or remove tags:":"Adicionar ou remover tags:","Separate each tag by a comma.":"Separe cada tag por vírgula.","Rename notebook:":"Renomear caderno:","Set alarm:":"Definir alarme:","Layout":"Layout","Some items cannot be synchronised.":"Some items cannot be synchronised.","View them now":"","Active":"","ID":"","Source":"","Created":"Created","Updated":"Updated","Password":"","Password OK":"","Note: Only one master key is going to be used for encryption (the one marked as \"active\"). Any of the keys might be used for decryption, depending on how the notes or notebooks were originally encrypted.":"","Add or remove tags":"Adicionar ou remover tags","Switch between note and to-do type":"Alternar entre os tipos Nota e Tarefa","Delete":"Excluir","Delete notes?":"Excluir notas?","No notes in here. Create one by clicking on \"New note\".":"Não há notas aqui. Crie uma, clicando em \"Nova nota\".","There is currently no notebook. Create one by clicking on \"New notebook\".":"There is currently no notebook. Create one by clicking on \"New notebook\".","Unsupported link or message: %s":"Link ou mensagem não suportada: %s","Attach file":"Anexar arquivo","Set alarm":"Definir alarme","Refresh":"Atualizar","Clear":"Limpar (clear)","OneDrive Login":"Login no OneDrive","Import":"Importar","Synchronisation Status":"Synchronisation Status","Remove this tag from all the notes?":"Remover esta tag de todas as notas?","Remove this search from the sidebar?":"Remover essa pesquisa da barra lateral?","Rename":"Renomear","Synchronise":"Sincronizar","Notebooks":"Cadernos","Tags":"Tags","Searches":"Pesquisas","Please select where the sync status should be exported to":"Please select where the sync status should be exported to","Usage: %s":"Uso: %s","Unknown flag: %s":"Flag desconhecido: %s","File system":"Sistema de arquivos","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dev (apenas para testes)","Unknown log level: %s":"Nível de log desconhecido: %s","Unknown level ID: %s":"Nível ID desconhecido: %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"Não é possível atualizar token: faltam dados de autenticação. Iniciar a sincronização novamente pode corrigir o problema.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"Não foi possível sincronizar com o OneDrive.\n\nEste erro geralmente acontece ao usar o OneDrive for Business, que infelizmente não pode ser suportado.\n\nConsidere usar uma conta regular do OneDrive.","Cannot access %s":"Não é possível acessar %s","Created local items: %d.":"Itens locais criados: %d.","Updated local items: %d.":"Itens locais atualizados: %d.","Created remote items: %d.":"Itens remotos criados: %d.","Updated remote items: %d.":"Itens remotos atualizados: %d.","Deleted local items: %d.":"Itens locais excluídos: %d.","Deleted remote items: %d.":"Itens remotos excluídos: %d.","State: \"%s\".":"Estado: \"%s\".","Cancelling...":"Cancelando...","Completed: %s":"Completado: %s","Synchronisation is already in progress. State: %s":"Sincronização já em andamento. Estado: %s","Conflicts":"Conflitos","A notebook with this title already exists: \"%s\"":"Já existe caderno com este título: \"%s\"","Notebooks cannot be named \"%s\", which is a reserved title.":"Os cadernos não podem ser nomeados como\"%s\", que é um título reservado.","Untitled":"Sem título","This note does not have geolocation information.":"Esta nota não possui informações de geolocalização.","Cannot copy note to \"%s\" notebook":"Não é possível copiar a nota para o caderno \"%s\" ","Cannot move note to \"%s\" notebook":"Não é possível mover a nota para o caderno \"%s\"","Text editor":"Editor de texto","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"O editor que será usado para abrir uma nota. Se nenhum for indicado, ele tentará detectar automaticamente o editor padrão.","Language":"Idioma","Date format":"Formato de data","Time format":"Formato de hora","Theme":"Tema","Light":"Light","Dark":"Dark","Show uncompleted todos on top of the lists":"Mostrar tarefas incompletas no topo das listas","Save geo-location with notes":"Salvar geolocalização com notas","Synchronisation interval":"Intervalo de sincronização","Disabled":"Desabilitado","%d minutes":"%d minutos","%d hour":"%d hora","%d hours":"%d horas","Automatically update the application":"Atualizar automaticamente o aplicativo","Show advanced options":"Mostrar opções avançadas","Synchronisation target":"Alvo de sincronização","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"O alvo para sincronizar. Se estiver sincronizando com o sistema de arquivos, configure `sync.2.path` para especificar o diretório de destino.","Directory to synchronise with (absolute path)":"","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"O caminho para sincronizar, quando a sincronização do sistema de arquivos está habilitada. Veja `sync.target`.","Invalid option value: \"%s\". Possible values are: %s.":"Valor da opção inválida: \"%s\". Os valores possíveis são: %s.","Items that cannot be synchronised":"","\"%s\": \"%s\"":"","Sync status (synced items / total items)":"Status de sincronização (sincronizados / totais)","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Total: %d/%d","Conflicted: %d":"Em conflito: %d","To delete: %d":"Para excluir: %d","Folders":"Pastas","%s: %d notes":"%s: %d notas","Coming alarms":"Próximos alarmes","On %s: %s":"Em %s: %s","There are currently no notes. Create one by clicking on the (+) button.":"Atualmente, não há notas. Crie uma, clicando no botão (+).","Delete these notes?":"Excluir estas notas?","Log":"Log","Status":"Status","Export Debug Report":"Exportar Relatório de Debug","Configuration":"Configuração","Move to notebook...":"Mover para o caderno...","Move %d notes to notebook \"%s\"?":"Mover %d notas para o caderno \"%s\"?","Select date":"Selecionar data","Confirm":"Confirmar","Cancel synchronisation":"Cancelar sincronização","The notebook could not be saved: %s":"O caderno não pôde ser salvo: %s","Edit notebook":"Editar caderno","This note has been modified:":"Esta nota foi modificada:","Save changes":"Gravar alterações","Discard changes":"Descartar alterações","Unsupported image type: %s":"Tipo de imagem não suportada: %s","Attach photo":"Anexar foto","Attach any file":"Anexar qualquer arquivo","Convert to note":"Converter para nota","Convert to todo":"Converter para tarefa","Hide metadata":"Ocultar metadados","Show metadata":"Exibir metadados","View on map":"Ver no mapa","Delete notebook":"Excluir caderno","Login with OneDrive":"Login com OneDrive","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Clique no botão (+) para criar uma nova nota ou caderno. Clique no menu lateral para acessar seus cadernos existentes.","You currently have no notebook. Create one by clicking on (+) button.":"Você não possui cadernos. Crie um clicando no botão (+).","Welcome":"Bem-vindo"} \ No newline at end of file diff --git a/ElectronClient/app/locales/ru_RU.json b/ElectronClient/app/locales/ru_RU.json new file mode 100644 index 000000000..e80a26835 --- /dev/null +++ b/ElectronClient/app/locales/ru_RU.json @@ -0,0 +1 @@ +{"Give focus to next pane":"Переключиться на следующую панель","Give focus to previous pane":"Переключиться на предыдущую панель","Enter command line mode":"Войти в режим командной строки","Exit command line mode":"Выйти из режима командной строки","Edit the selected note":"Редактировать выбранную заметку","Cancel the current command.":"Отменить текущую команду.","Exit the application.":"Выйти из приложения.","Delete the currently selected note or notebook.":"Удалить текущую выбранную заметку или блокнот.","To delete a tag, untag the associated notes.":"Чтобы удалить тег, уберите его с ассоциированных с ним заметок.","Please select the note or notebook to be deleted first.":"Сначала выберите заметку или блокнот, которые должны быть удалены.","Set a to-do as completed / not completed":"Отметить задачу как завершённую/незавершённую","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"[tc] переключить консоль между развёрнутой/свёрнутой/скрытой/видимой.","Search":"Поиск","[t]oggle note [m]etadata.":"[tm] переключить отображение метаданных заметки.","[M]ake a new [n]ote":"[mn] создать новую заметку","[M]ake a new [t]odo":"[mt] создать новую задачу","[M]ake a new note[b]ook":"[mb] создать новый блокнот","Copy ([Y]ank) the [n]ote to a notebook.":"[yn] копировать заметку в блокнот.","Move the note to a notebook.":"Переместить заметку в блокнот.","Press Ctrl+D or type \"exit\" to exit the application":"Для выхода из приложения нажмите Ctrl+D или введите «exit»","More than one item match \"%s\". Please narrow down your query.":"Более одного элемента соответствуют «%s». Уточните ваш запрос, пожалуйста.","No notebook selected.":"Не выбран блокнот.","No notebook has been specified.":"Не был указан блокнот.","Y":"Y","n":"n","N":"N","y":"y","Cancelling background synchronisation... Please wait.":"Отмена фоновой синхронизации... Пожалуйста, ожидайте.","No such command: %s":"Нет такой команды: %s","The command \"%s\" is only available in GUI mode":"Команда «%s» доступна только в режиме GUI","Missing required argument: %s":"Отсутствует требуемый аргумент: %s","%s: %s":"%s: %s","Your choice: ":"Ваш выбор:","Invalid answer: %s":"Неверный ответ: %s","Attaches the given file to the note.":"Прикрепляет заданный файл к заметке.","Cannot find \"%s\".":"Не удалось найти «%s».","Displays the given note.":"Отображает заданную заметку.","Displays the complete information about note.":"Отображает полную информацию о заметке.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Выводит или задаёт параметр конфигурации. Если [value] не указано, выведет значение [name]. Если не указаны ни [name], ни [value], выведет текущую конфигурацию.","Also displays unset and hidden config variables.":"Также выводит неустановленные или скрытые переменные конфигурации.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Дублирует заметки, содержащие , в [notebook]. Если блокнот не указан, заметки продублируются в текущем.","Marks a to-do as done.":"Отмечает задачу как завершённую.","Note is not a to-do: \"%s\"":"Заметка не является задачей: «%s»","Edit note.":"Редактировать заметку.","No text editor is defined. Please set it using `config editor `":"Текстовый редактор не определён. Задайте его, используя `config editor `","No active notebook.":"Нет активного блокнота.","Note does not exist: \"%s\". Create it?":"Заметки не существует: «%s». Создать?","Starting to edit note. Close the editor to get back to the prompt.":"Запуск редактирования заметки. Закройте редактор, чтобы вернуться к командной строке.","Note has been saved.":"Заметка сохранена.","Exits the application.":"Выход из приложения.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Экспортирует данные Joplin в заданный каталог. По умолчанию экспортируется полная база данных, включая блокноты, заметки, теги и ресурсы.","Exports only the given note.":"Экспортирует только заданную заметку.","Exports only the given notebook.":"Экспортирует только заданный блокнот.","Displays a geolocation URL for the note.":"Выводит URL геолокации для заметки.","Displays usage information.":"Выводит информацию об использовании.","Shortcuts are not available in CLI mode.":"Ярлыки недоступны в режиме командной строки.","Type `help [command]` for more information about a command; or type `help all` for the complete usage information.":"Введите `help [команда]` для получения информации о команде или `help all` для получения полной информации по использованию.","The possible commands are:":"Доступные команды:","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"В любой команде можно ссылаться на заметку или блокнот по названию или ID, либо используя ярлыки `$n` или `$b`, указывающие на текущую заметку или блокнот соответственно. С помощью `$c` можно ссылаться на текущий выбранный элемент.","To move from one pane to another, press Tab or Shift+Tab.":"Чтобы переключаться между панелями, нажимайте Tab или Shift+Tab","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Используйте стрелки и клавиши перелистывания страницы вверх/вниз для прокрутки списков и текстовых областей (включая эту консоль).","To maximise/minimise the console, press \"TC\".":"Чтобы развернуть/свернуть консоль, нажимайте «TC».","To enter command line mode, press \":\"":"Чтобы войти в режим командной строки, нажмите «:»","To exit command line mode, press ESCAPE":"Чтобы выйти из режима командной строки, нажмите ESCAPE","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Для просмотра списка доступных клавиатурных сочетаний введите `help shortcuts`.","Imports an Evernote notebook file (.enex file).":"Импортирует файл блокнотов Evernote (.enex-файл).","Do not ask for confirmation.":"Не запрашивать подтверждение.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"Файл «%s» будет импортирован в существующий блокнот «%s». Продолжить?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"Будет создан новый блокнот «%s» и в него будет импортирован файл «%s». Продолжить?","Found: %d.":"Найдено: %d.","Created: %d.":"Создано: %d.","Updated: %d.":"Обновлено: %d.","Skipped: %d.":"Пропущено: %d.","Resources: %d.":"Ресурсов: %d.","Tagged: %d.":"С тегами: %d.","Importing notes...":"Импорт заметок...","The notes have been imported: %s":"Импортировано заметок: %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Выводит заметки текущего блокнота. Используйте `ls /` для вывода списка блокнотов.","Displays only the first top notes.":"Выводит только первые заметок.","Sorts the item by (eg. title, updated_time, created_time).":"Сортирует элементы по (например, title, updated_time, created_time).","Reverses the sorting order.":"Обращает порядок сортировки.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Выводит только элементы указанного типа. Может быть `n` для заметок, `t` для задач или `nt` для заметок и задач (например, `-tt` выведет только задачи, в то время как `-ttd` выведет заметки и задачи).","Either \"text\" or \"json\"":"«text» или «json»","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"Использовать формат длинного списка. Форматом является ID, NOTE_COUNT (для блокнотов), DATE, TODO_CHECKED (для задач), TITLE","Please select a notebook first.":"Сначала выберите блокнот.","Creates a new notebook.":"Создаёт новый блокнот.","Creates a new note.":"Создаёт новую заметку.","Notes can only be created within a notebook.":"Заметки могут быть созданы только в блокноте.","Creates a new to-do.":"Создаёт новую задачу.","Moves the notes matching to [notebook].":"Перемещает заметки, содержащие в [notebook].","Renames the given (note or notebook) to .":"Переименовывает заданный (заметку или блокнот) в .","Deletes the given notebook.":"Удаляет заданный блокнот.","Deletes the notebook without asking for confirmation.":"Удаляет блокнот без запроса подтверждения.","Delete notebook? All notes within this notebook will also be deleted.":"Удалить блокнот? Все заметки в этом блокноте также будут удалены.","Deletes the notes matching .":"Удаляет заметки, соответствующие .","Deletes the notes without asking for confirmation.":"Удаляет заметки без запроса подтверждения.","%d notes match this pattern. Delete them?":"%d заметок соответствуют этому шаблону. Удалить их?","Delete note?":"Удалить заметку?","Searches for the given in all the notes.":"Запросы для заданного во всех заметках.","Sets the property of the given to the given [value]. Possible properties are:\n\n%s":"Устанавливает для свойства заданной заданное [value]. Возможные свойства:\n\n%s","Displays summary about the notes and notebooks.":"Выводит общую информацию о заметках и блокнотах.","Synchronises with remote storage.":"Синхронизирует с удалённым хранилищем.","Sync to provided target (defaults to sync.target config value)":"Синхронизация с заданной целью (по умолчанию — значение конфигурации sync.target)","Synchronisation is already in progress.":"Синхронизация уже выполняется.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"Файл блокировки уже установлен. Если вам известно, что синхронизация не производится, вы можете удалить файл блокировки в «%s» и возобновить операцию.","Authentication was not completed (did not receive an authentication token).":"Аутентификация не была завершена (не получен токен аутентификации).","Synchronisation target: %s (%s)":"Цель синхронизации: %s (%s)","Cannot initialize synchroniser.":"Не удалось инициировать синхронизацию.","Starting synchronisation...":"Начало синхронизации...","Cancelling... Please wait.":"Отмена... Пожалуйста, ожидайте."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" может быть «add», «remove» или «list», чтобы назначить или убрать [tag] с [note], или чтобы вывести список заметок, ассоциированых с [tag]. Команда `tag list` может быть использована для вывода списка всех тегов.","Invalid command: \"%s\"":"Неверная команда: «%s»"," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":" может быть «toggle» или «clear». «toggle» используется для переключения статуса заданной задачи на завершённую или незавершённую (если применить к обычной заметке, она будет преобразована в задачу). «clear» используется для преобразования задачи обратно в обычную заметку.","Marks a to-do as non-completed.":"Отмечает задачу как незавершённую.","Switches to [notebook] - all further operations will happen within this notebook.":"Переключает на [блокнот] — все дальнейшие операции будут происходить в этом блокноте.","Displays version information":"Выводит информацию о версии","%s %s (%s)":"%s %s (%s)","Enum":"Enum","Type: %s.":"Тип: %s.","Possible values: %s.":"Возможные значения: %s.","Default: %s":"По умолчанию: %s","Possible keys/values:":"Возможные ключи/значения:","Fatal error:":"Фатальная ошибка:","The application has been authorised - you may now close this browser tab.":"Приложение авторизовано — можно закрыть вкладку браузера.","The application has been successfully authorised.":"Приложение успешно авторизовано.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Откройте следующую ссылку в вашем браузере для аутентификации приложения. Приложением будет создан каталог «Apps/Joplin». Чтение и запись файлов будет осуществляться только в его пределах. У приложения не будет доступа к каким-либо файлам за пределами этого каталога и другим личным данным. Никакая информация не будет передана третьим лицам.","Search:":"Поиск:","Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.":"Добро пожаловать в Joplin!\n\nВведите `:help shortcuts` для просмотра списка клавиатурных сочетаний или просто `:help` для просмотра информации об использовании.\n\nНапример, для создания блокнота нужно ввести `mb`, для создания заметки — `mn`.","File":"Файл","New note":"Новая заметка","New to-do":"Новая задача","New notebook":"Новый блокнот","Import Evernote notes":"Импортировать заметки из Evernote","Evernote Export Files":"Файлы экспорта Evernote","Quit":"Выход","Edit":"Редактировать","Copy":"Копировать","Cut":"Вырезать","Paste":"Вставить","Search in all the notes":"Поиск во всех заметках","Tools":"Инструменты","Synchronisation status":"Статус синхронизации","Options":"Настройки","Help":"Помощь","Website and documentation":"Сайт и документация","About Joplin":"О Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"OK","Cancel":"Отмена","Notes and settings are stored in: %s":"Заметки и настройки сохранены в: %s","Save":"Сохранить","Back":"Назад","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"Будет создан новый блокнот «%s» и в него будет импортирован файл «%s»","Please create a notebook first.":"Сначала создайте блокнот.","Note title:":"Название заметки:","Please create a notebook first":"Сначала создайте блокнот","To-do title:":"Название задачи:","Notebook title:":"Название блокнота:","Add or remove tags:":"Добавить или удалить теги:","Separate each tag by a comma.":"Каждый тег отделяется запятой.","Rename notebook:":"Переименовать блокнот:","Set alarm:":"Установить напоминание:","Layout":"Вид","Some items cannot be synchronised.":"Некоторые элементы не могут быть синхронизированы.","View them now":"Просмотреть их сейчас","Active":"","ID":"ID","Source":"Источник","Created":"Создана","Updated":"Обновлена","Password":"","Password OK":"","Note: Only one master key is going to be used for encryption (the one marked as \"active\"). Any of the keys might be used for decryption, depending on how the notes or notebooks were originally encrypted.":"","Add or remove tags":"Добавить или удалить теги","Switch between note and to-do type":"Переключить тип между заметкой и задачей","Delete":"Удалить","Delete notes?":"Удалить заметки?","No notes in here. Create one by clicking on \"New note\".":"Здесь нет заметок. Создайте новую нажатием на «Новая заметка».","There is currently no notebook. Create one by clicking on \"New notebook\".":"Сейчас здесь нет блокнотов. Создайте новый нажав «Новый блокнот».","Unsupported link or message: %s":"Неподдерживаемая ссыка или сообщение: %s","Attach file":"Прикрепить файл","Set alarm":"Установить напоминание","Refresh":"Обновить","Clear":"Очистить","OneDrive Login":"Вход в OneDrive","Import":"Импорт","Synchronisation Status":"Статус синхронизации","Remove this tag from all the notes?":"Убрать этот тег со всех заметок?","Remove this search from the sidebar?":"Убрать этот запрос с боковой панели?","Rename":"Переименовать","Synchronise":"Синхронизировать","Notebooks":"Блокноты","Tags":"Теги","Searches":"Запросы","Please select where the sync status should be exported to":"Выберите, куда должен быть экспортирован статус синхронизации","Usage: %s":"Использование: %s","Unknown flag: %s":"Неизвестный флаг: %s","File system":"Файловая система","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dev (только для тестирования)","Unknown log level: %s":"Неизвестный уровень лога: %s","Unknown level ID: %s":"Неизвестный ID уровня: %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"Не удалось обновить токен: отсутствуют данные аутентификации. Повторный запуск синхронизации может решить проблему.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"Не удалось синхронизироваться с OneDrive.\n\nТакая ошибка часто возникает при использовании OneDrive для бизнеса, который, к сожалению, не поддерживается.\n\nПожалуйста, рассмотрите возможность использования обычного аккаунта OneDrive.","Cannot access %s":"Не удалось получить доступ %s","Created local items: %d.":"Создано локальных элементов: %d.","Updated local items: %d.":"Обновлено локальных элементов: %d.","Created remote items: %d.":"Создано удалённых элементов: %d.","Updated remote items: %d.":"Обновлено удалённых элементов: %d.","Deleted local items: %d.":"Удалено локальных элементов: %d.","Deleted remote items: %d.":"Удалено удалённых элементов: %d.","State: \"%s\".":"Статус: «%s».","Cancelling...":"Отмена...","Completed: %s":"Завершено: %s","Synchronisation is already in progress. State: %s":"Синхронизация уже выполняется. Статус: %s","Conflicts":"Конфликты","A notebook with this title already exists: \"%s\"":"Блокнот с таким названием уже существует: «%s»","Notebooks cannot be named \"%s\", which is a reserved title.":"Блокнот не может быть назван «%s», это зарезервированное название.","Untitled":"Без имени","This note does not have geolocation information.":"Эта заметка не содержит информации о геолокации.","Cannot copy note to \"%s\" notebook":"Не удалось скопировать заметку в блокнот «%s»","Cannot move note to \"%s\" notebook":"Не удалось переместить заметку в блокнот «%s»","Text editor":"Текстовый редактор","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"Редактор, в котором будут открываться заметки. Если не задан, будет произведена попытка автоматического определения редактора по умолчанию.","Language":"Язык","Date format":"Формат даты","Time format":"Формат времени","Theme":"Тема","Light":"Светлая","Dark":"Тёмная","Show uncompleted todos on top of the lists":"Показывать незавершённые задачи вверху списков","Save geo-location with notes":"Сохранять информацию о геолокации в заметках","Synchronisation interval":"Интервал синхронизации","Disabled":"Отключена","%d minutes":"%d минут","%d hour":"%d час","%d hours":"%d часов","Automatically update the application":"Автоматически обновлять приложение","Show advanced options":"Показывать расширенные настройки","Synchronisation target":"Цель синхронизации","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"То, с чем будет осуществляться синхронизация. При синхронизации с файловой системой в `sync.2.path` указывается целевой каталог.","Directory to synchronise with (absolute path)":"Каталог синхронизации (абсолютный путь)","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"Путь для синхронизации при включённой синхронизации с файловой системой. См. `sync.target`.","Invalid option value: \"%s\". Possible values are: %s.":"Неверное значение параметра: «%s». Доступные значения: %s.","Items that cannot be synchronised":"Элементы, которые не могут быть синхронизированы","\"%s\": \"%s\"":"«%s»: «%s»","Sync status (synced items / total items)":"Статус синхронизации (элементов синхронизировано/всего)","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Всего: %d/%d","Conflicted: %d":"Конфликтующих: %d","To delete: %d":"К удалению: %d","Folders":"Папки","%s: %d notes":"%s: %d заметок","Coming alarms":"Грядущие напоминания","On %s: %s":"В %s: %s","There are currently no notes. Create one by clicking on the (+) button.":"Сейчас здесь нет заметок. Создаёте новую, нажав кнопку (+).","Delete these notes?":"Удалить эти заметки?","Log":"Лог","Status":"Статус","Export Debug Report":"Экспортировать отладочный отчёт","Configuration":"Конфигурация","Move to notebook...":"Переместить в блокнот...","Move %d notes to notebook \"%s\"?":"Переместить %d заметок в блокнот «%s»?","Select date":"Выбрать дату","Confirm":"Подтвердить","Cancel synchronisation":"Отменить синхронизацию","The notebook could not be saved: %s":"Не удалось сохранить блокнот: %s","Edit notebook":"Редактировать блокнот","This note has been modified:":"Эта заметка была изменена:","Save changes":"Сохранить изменения","Discard changes":"Отменить изменения","Unsupported image type: %s":"Неподдерживаемый формат изображения: %s","Attach photo":"Прикрепить фото","Attach any file":"Прикрепить любой файл","Convert to note":"Преобразовать в заметку","Convert to todo":"Преобразовать в задачу","Hide metadata":"Скрыть метаданные","Show metadata":"Показать метаданные","View on map":"Посмотреть на карте","Delete notebook":"Удалить блокнот","Login with OneDrive":"Войти в OneDrive","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Нажмите на кнопку (+) для создания новой заметки или нового блокнота. Нажмите на боковое меню для доступа к вашим существующим блокнотам.","You currently have no notebook. Create one by clicking on (+) button.":"У вас сейчас нет блокнота. Создайте его нажатием на кнопку (+).","Welcome":"Добро пожаловать"} \ No newline at end of file diff --git a/README.md b/README.md index fb09fedf6..261d0fa29 100644 --- a/README.md +++ b/README.md @@ -108,7 +108,7 @@ If for any reason the notifications do not work, please [open an issue](https:// # Localisation -Joplin is currently available in English, French and Spanish. If you would like to contribute a translation, it is quite straightforward, please follow these steps: +Joplin is currently available in English, French, Spanish, German, Portuguese and Italian. If you would like to contribute a translation, it is quite straightforward, please follow these steps: - [Download Poedit](https://poedit.net/), the translation editor, and install it. - [Download the file to be translated](https://raw.githubusercontent.com/laurent22/joplin/master/CliClient/locales/joplin.pot). diff --git a/README_debugging.md b/README_debugging.md new file mode 100644 index 000000000..cd174beb1 --- /dev/null +++ b/README_debugging.md @@ -0,0 +1,20 @@ +# How to enable debugging + +It is possible to get the apps to display or log more information that might help debug various issues. + +## Desktop application + +- Add a file named "flags.txt" in the config directory (should be `~/.config/joplin` or `c:\Users\YOUR_NAME\.config\joplin`) with the following content: `--open-dev-tools --log-level debug` +- Restart the application +- The development tools should now be opened. Click the "Console" tab +- Now repeat the action that was causing problem. The console might output warnings or errors - please add them to the GitHub issue. Also open log.txt in the config folder and if there is any error or warning, please also add them to the issue. + +## CLI application + +- Start the app with `joplin --log-level debug` +- Check the log.txt as specified above for the desktop application and attach the log to the GitHub issue (or just the warnings/errors if any) + +## Mobile application + +- In the options, enable Advanced Option +- Open the log in the top right hand corner menu and post a screenshot of any error/warning. diff --git a/ReactNativeClient/lib/joplin-database.js b/ReactNativeClient/lib/joplin-database.js index 1e93c0a5f..382cdcac4 100644 --- a/ReactNativeClient/lib/joplin-database.js +++ b/ReactNativeClient/lib/joplin-database.js @@ -205,10 +205,13 @@ class JoplinDatabase extends Database { const existingDatabaseVersions = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]; let currentVersionIndex = existingDatabaseVersions.indexOf(fromVersion); + + if (currentVersionIndex < 0) throw new Error('Unknown profile version. Most likely this is an old version of Joplin, while the profile was created by a newer version. Please upgrade Joplin at http://joplin.cozic.net and try again.'); + // currentVersionIndex < 0 if for the case where an old version of Joplin used with a newer // version of the database, so that migration is not run in this case. - if (currentVersionIndex == existingDatabaseVersions.length - 1 || currentVersionIndex < 0) return false; - + if (currentVersionIndex == existingDatabaseVersions.length - 1) return false; + while (currentVersionIndex < existingDatabaseVersions.length - 1) { const targetVersion = existingDatabaseVersions[currentVersionIndex + 1]; this.logger().info("Converting database to version " + targetVersion); diff --git a/ReactNativeClient/lib/locale.js b/ReactNativeClient/lib/locale.js index 407fba8f4..6a94aa096 100644 --- a/ReactNativeClient/lib/locale.js +++ b/ReactNativeClient/lib/locale.js @@ -172,6 +172,7 @@ codeToLanguage_["hu"] = "Magyar"; let codeToCountry_ = {}; codeToCountry_["BR"] = "Brasil"; +codeToCountry_["CR"] = "Costa Rica"; codeToCountry_["CN"] = "中国"; let supportedLocales_ = null; diff --git a/ReactNativeClient/locales/de_DE.json b/ReactNativeClient/locales/de_DE.json index 86d382fd2..40b43139d 100644 --- a/ReactNativeClient/locales/de_DE.json +++ b/ReactNativeClient/locales/de_DE.json @@ -1 +1 @@ -{"Give focus to next pane":"Fokussiere das nächste Fenster","Give focus to previous pane":"Fokussiere das vorherige Fenster","Enter command line mode":"Wechsle zum Terminal-Modus","Exit command line mode":"Verlasse den Terminal-Modus","Edit the selected note":"Bearbeite die ausgewählte Notiz","Cancel the current command.":"Breche den momentanen Befehl ab.","Exit the application.":"Verlasse das Programm.","Delete the currently selected note or notebook.":"Lösche die momentan ausgewählte Notiz oder das momentan ausgewählte Notizbuch.","To delete a tag, untag the associated notes.":"Um eine Markierung zu löschen, habe die Markierungen zugehöriger Notizen auf.","Please select the note or notebook to be deleted first.":"Bitte wählen Sie zuert eine Notiz oder ein Notizbuch aus, das gelöscht werden soll.","Set a to-do as completed / not completed":"Markiere ein ToDo as abgeschlossen / nicht abgeschlossen","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"Schal[t]e das Terminal zwischen maximiert/minimiert/versteckt/sichtbar um.","Search":"Suche","[t]oggle note [m]etadata.":"Schal[t]e Notiz-[M]etadata ein.","[M]ake a new [n]ote":"Erstelle eine neue Notiz","[M]ake a new [t]odo":"Erstelle ein neues To-Do","[M]ake a new note[b]ook":"Erstelle ein neues Notiz[b]uch","Copy ([Y]ank) the [n]ote to a notebook.":"Copy ([Y]ank) the [n]ote to a notebook.","Move the note to a notebook.":"Verschiebe die Notiz zu einem Notizbuch.","Press Ctrl+D or type \"exit\" to exit the application":"Drücke Strg+D oder schreibe \"exit\", um das Programm zu verlassen","More than one item match \"%s\". Please narrow down your query.":"Mehr als eine Notiz stimmt mit \"%s\" überein. Bitte schränke deine Suche ein.","No notebook selected.":"Kein Notizbuch ausgewählt.","No notebook has been specified.":"Kein Notizbuch wurde angegeben.","Y":"J","n":"n","N":"N","y":"j","Cancelling background synchronisation... Please wait.":"Breche Hintergrund-Synchronisations ab....Bitte warten.","No such command: %s":"No such command: %s","The command \"%s\" is only available in GUI mode":"Der Befehl \"%s\" ist nur im GUI Modus verfügbar","Missing required argument: %s":"Fehlender benötigtes Argument: %s","%s: %s":"%s: %s","Your choice: ":"Deine Auswahl: ","Invalid answer: %s":"Ungültige Antwort: %s","Attaches the given file to the note.":"Hängt die ausgewählte Datei an die Notiz an.","Cannot find \"%s\".":"Kann \"%s\" nicht finden.","Displays the given note.":"Zeigt die jeweilige Notiz an.","Displays the complete information about note.":"Zeigt alle Informationen über die Notiz an.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Zeigt an oder stellt einen Optionswert. Wenn kein [Wert] angegeben ist, wird der Wert vom gegebenenen [Namen] angezeigt. Wenn weder [Name] noch [Wert] gegeben sind, wird eine Liste der momentanen Konfiguration angezeigt.","Also displays unset and hidden config variables.":"Zeige auch nicht angegebene oder versteckte Konfigurationsvariablen an.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Vervielfältigt die Notizen die mit übereinstimmen zu [Notizbuch]. Wenn kein Notizbuch angegeben ist, wird die Notiz in das momentane Notizbuch kopiert.","Marks a to-do as done.":"Markiert ein ToDo als abgeschlossen.","Note is not a to-do: \"%s\"":"Notiz ist kein Todo: \"%s\"","Edit note.":"Bearbeite Notiz.","No text editor is defined. Please set it using `config editor `":"Kein Textbearbeitungsprogramm angegeben. Bitte lege eines mit `config editor ` fest","No active notebook.":"Kein aktives Notizbuch.","Note does not exist: \"%s\". Create it?":"Notiz \"%s\" existiert nicht. Soll sie erstellt werden?","Starting to edit note. Close the editor to get back to the prompt.":"Beginne die Notiz zu bearbeiten. Schließ das Textbearbeitungsprogramm um zurück zum Terminal zu kommen.","Note has been saved.":"Die Notiz wurde gespeichert.","Exits the application.":"Schließt das Programm.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Exportiert Joplins Datein zu dem angegebenen Pfad. Standardmäßig wird die komplette Datenbank inklusive Notizbüchern, Notizen, Markierungen usw. exportiert.","Exports only the given note.":"Exportiert nur die angegebene Notiz.","Exports only the given notebook.":"Exportiert nur das angegebene Notizbuch.","Displays a geolocation URL for the note.":"Zeigt die Standort-URL der Notiz an.","Displays usage information.":"Zeigt die Benutzungsstatistik an.","Shortcuts are not available in CLI mode.":"","Type `help [command]` for more information about a command.":"Tippe `help [Befehl]` ein, um mehr Informationen über einen Befehl zu erhalten.","The possible commands are:":"Mögliche Befehle sind:","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"In jedem Befehl können Notizen oder Notizbücher durch ihren Titel oder ihre ID spezifiziert werden, oder durch die Abkürzung `$n` oder `$b` um entweder das momentan augewählte Notizbuch oder die momentan ausgewählte Notiz zu wählen. `$c` kann benutzt werden, um die momentane Auswahl zu verweisen.","To move from one pane to another, press Tab or Shift+Tab.":"Um ein von einem Fenster zu einem anderen zu wechseln, drücke Tab oder Shift+Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Benutze die Pfeiltasten und Bild hoch/runter um durch Listen und Texte zu scrollen ( inklusive diesem Terminal ).","To maximise/minimise the console, press \"TC\".":"Um das Terminal zu maximieren/minimieren, drücke \"TC\".","To enter command line mode, press \":\"":"","To exit command line mode, press ESCAPE":"","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Um die komplette Liste von verfügbaren Tastenkürzeln anzuzeigen, tippe `help shortcuts` ein","Imports an Evernote notebook file (.enex file).":"Importiert eine Evernote Notizbuch-Datei (.enex Datei).","Do not ask for confirmation.":"Nicht nach einer Bestätigung fragen.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"Datei \"%s\" wird importiert in das existierende Notizbuch \"%s\". Fortfahren?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"Ein neues Notizbuch \"%s\" wird erstellt und die Datei \"%s\" wird in es importiert. Fortfahren?","Found: %d.":"Gefunden: %d.","Created: %d.":"Erstellt: %d.","Updated: %d.":"Aktualisiert: %d.","Skipped: %d.":"Übersprungen: %d.","Resources: %d.":"","Tagged: %d.":"Markiert: %d.","Importing notes...":"Importiere Notizen...","The notes have been imported: %s":"Die Notizen wurden importiert: %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Zeigt die Notizen im momentanen Notizbuch an. Benutze `ls /` um eine Liste aller Notizbücher anzuzeigen.","Displays only the first top notes.":"Zeigt nur die Top- Notizen an.","Sorts the item by (eg. title, updated_time, created_time).":"Sorts the item by (eg. title, updated_time, created_time).","Reverses the sorting order.":"Dreht die Sortierreihenfolge um.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Zeige nur bestimmt Typen an. Kann `n` für Notizen sein, `t` für To-Dos, oder `nt` für Notizen und To-Dos ( z.B. würde `-tt` nur To-Dos anzeigen, während `-ttd` Notizen und To-Dos anzeigen würde ).","Either \"text\" or \"json\"":"Entweder \"text\" oder \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"","Please select a notebook first.":"Bitte wähle erst ein Notizbuch aus.","Creates a new notebook.":"Erstellt ein neues Notizbuch.","Creates a new note.":"Erstellt eine neue Notiz.","Notes can only be created within a notebook.":"Notizen können nur in einem Notizbuch erstellt werden.","Creates a new to-do.":"Erstellt ein neues To-Do.","Moves the notes matching to [notebook].":"Verschiebt die Notizen, die mit übereinstimmen, zu [Notizbuch]","Renames the given (note or notebook) to .":"Benennt das gegebene ( Notiz oder Notizbuch ) zu um.","Deletes the given notebook.":"Löscht das gegebene Notizbuch.","Deletes the notebook without asking for confirmation.":"Löscht das Notizbuch, ohne nach einer Bestätigung zu fragen.","Delete notebook \"%s\"?":"Notizbuch \"%s\" löschen?","Deletes the notes matching .":"Löscht die Notizen, die mit übereinstimmen.","Deletes the notes without asking for confirmation.":"Löscht die Notizen, ohne nach einer Bestätigung zu fragen.","%d notes match this pattern. Delete them?":"%d Notizen stimmen mit diesem Muster überein. Sollen sie gelöscht werden?","Delete note?":"Lösche Notiz?","Searches for the given in all the notes.":"Sucht nach dem gegebenen in allen Notizen.","Sets the property of the given to the given [value].":"Setzt die Eigenschaft der gegebenen zu dem gegebenen [Wert].","Displays summary about the notes and notebooks.":"Zeigt eine Zusammenfassung über die Notizen und Notizbücher an.","Synchronises with remote storage.":"Synchronises with remote storage.","Sync to provided target (defaults to sync.target config value)":"Synchronisiere mit dem gegebenen Ziel ( voreingestellt auf den sync.target Optionswert)","Synchronisation is already in progress.":"Synchronisation ist bereits im Gange.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"Eine Sperrdatei ist vorhanden. Wenn du dir sicher bist, dass keine Synchronisation im Gange ist, kannst du die Sperrdatei \"%s\" löschen und vortfahren.","Authentication was not completed (did not receive an authentication token).":"Authentikation wurde nicht abgeschlossen (keinen Authentikations-Token erhalten).","Synchronisation target: %s (%s)":"Synchronisationsziel: %s (%s)","Cannot initialize synchroniser.":"Kann Synchronisierer nicht initialisieren.","Starting synchronisation...":"Starte Synchronisation...","Cancelling... Please wait.":"Breche ab... Bitte warten."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.","Invalid command: \"%s\"":"Ungültiger Befehl: \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":" can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.","Marks a to-do as non-completed.":"Makiert ein To-Do als nicht-abgeschlossen.","Switches to [notebook] - all further operations will happen within this notebook.":"Wechselt zu [Notizbuch] - alle weiteren Tätigkeiten werden in diesem Notizbuch verrichtet.","Displays version information":"","%s %s (%s)":"%s %s (%s)","Enum":"","Type: %s.":"Typ: %s.","Possible values: %s.":"Mögliche Werte: %s.","Default: %s":"Standard: %s","Possible keys/values:":"Mögliche Werte:","Fatal error:":"Schwerwiegender Fehler:","The application has been authorised - you may now close this browser tab.":"Das Programm wurde authorisiert - Du kannst nun diesen Browsertab schließen.","The application has been successfully authorised.":"Das Programm wurde erfolgreich authorisiert.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Bitte öffne die folgende URL in deinem Browser, um das Programm zu authentifizieren. Das Programm wird einen Ordner in \"Apps/Joplin\" erstellen und wird nur in diesem Ordner schreiben und lesen. Es wird keinen Zugriff auf Dateien außerhalb dieses Ordners haben, noch auf persönliche Daten. Es werden keine Daten mit Dritten geteilt.","Search:":"Suchen:","File":"Datei","New note":"Neue Notiz","New to-do":"Neues To-Do","New notebook":"Neues Notizbuch","Import Evernote notes":"Importiere Evernote Notizen","Evernote Export Files":"","Quit":"Verlassen","Edit":"Bearbeiten","Copy":"Kopieren","Cut":"Ausschneiden","Paste":"Einfügen","Search in all the notes":"Alle Notizen durchsuchen","Tools":"Werkzeuge","Synchronisation status":"Synchronisation status","Options":"Optionen","Help":"Hilfe","Website and documentation":"Webseite und Dokumentation","About Joplin":"Über Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"OK","Cancel":"Abbrechen","Back":"Zurück","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"Ein neues Notizbuch \"%s\" wird erstellt und die Datei \"%s\" wird in es importiert","Please create a notebook first.":"Bitte erstelle zuerst ein Notizbuch.","Note title:":"Notiz titel:","Please create a notebook first":"Bitte erstelle zuerst ein Notizbuch","To-do title:":"To-Do Titel:","Notebook title:":"Notizbuch Titel:","Add or remove tags:":"Füge hinzu oder entferne Markierungen:","Separate each tag by a comma.":"Trenne jede Markierung mit einem Komma.","Rename notebook:":"Benne Notizbuch um:","Set alarm:":"Set alarm:","Layout":"Layout","Some items cannot be synchronised.":"Some items cannot be synchronised.","View them now":"","Add or remove tags":"Füge hinzu oder entferne Markierungen","Switch between note and to-do type":"Wechsel zwischen Notiz und To-Do Typ","Delete":"Löschen","Delete notes?":"Notizen löschen?","No notes in here. Create one by clicking on \"New note\".":"Hier sind keine Notizen. Erstelle eine indem zu auf \"Neue Notiz\" drückst.","Unsupported link or message: %s":"Nicht unterstützter Link oder Nachricht: %s","Attach file":"Hänge Datei an","Set alarm":"Erstelle Alarm","Refresh":"Aktualisieren","Clear":"","OneDrive Login":"OneDrive login","Import":"Importieren","Synchronisation Status":"Synchronisation Status","Delete notebook?":"Notizbuch löschen?","Remove this tag from all the notes?":"Diese Markierung von allen Notizen löschen?","Remove this search from the sidebar?":"Diese Suche von der Seitenleiste entfernen?","Rename":"Umbenennen","Synchronise":"Synchronisieren","Notebooks":"Notizbücher","Tags":"Markierungen","Searches":"Sucht","Usage: %s":"","Unknown flag: %s":"","File system":"Dateisystem","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dev ( Nur für Tests )","Unknown log level: %s":"Unbekanntes Loglevel: %s","Unknown level ID: %s":"Unbekannte Level-ID: %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"Kann Token nicht erneuern: Authentikationsdaten nicht vorhanden. Ein Neustart der Synchronisation behebt das Problem vielleicht.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"","Cannot access %s":"Kann nicht auf %s zugreifen","Created local items: %d.":"","Updated local items: %d.":"","Created remote items: %d.":"","Updated remote items: %d.":"","Deleted local items: %d.":"","Deleted remote items: %d.":"","State: \"%s\".":"Status: \"%s\".","Cancelling...":"Breche ab...","Completed: %s":"Abgeschlossen: %s","Synchronisation is already in progress. State: %s":"Synchronisation ist bereits im Gange. Status: %s","Conflicts":"Konflikte","A notebook with this title already exists: \"%s\"":"Ein Notizbuch mit diesem Titel existiert bereits : \"%s\"","Notebooks cannot be named \"%s\", which is a reserved title.":"Notizbuch kann nicht \"%s\" genannt werden. Dies ist ein reservierter Titel.","Untitled":"Unbenannt","This note does not have geolocation information.":"Diese Notiz hat keine Standort-Informationen.","Cannot copy note to \"%s\" notebook":"Kann Notiz nicht zu Notizbuch \"%s\" kopieren","Cannot move note to \"%s\" notebook":"Kann Notiz nicht zu Notizbuch \"%s\" verschieben","File system synchronisation target directory":"Dateisystem-Synchronisation Zielpfad","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"Der Pfad, mit dem synchronisiert wird, wenn Dateisystem-Synchronisation aktiviert ist. Siehe `sync.target`.","Text editor":"Textbearbeitungsprogramm","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"Das Textbearbeitungsprogramm, mit dem Notizen geöffnet werden. Wenn keines ausgewählt wurde, wird Joplin versuchen das standard-Textbearbeitungsprogramm zu erkennen.","Language":"Sprache","Date format":"Datumsformat","Time format":"Zeitformat","Theme":"Thema","Light":"Hell","Dark":"Dunkel","Show uncompleted todos on top of the lists":"Zeige unvollständige ToDos oben in der Liste an","Save geo-location with notes":"Speicher momentanen Standort zusammen mit Notizen","Synchronisation interval":"Synchronisationsinterval","Disabled":"Deaktiviert","%d minutes":"%d Minuten","%d hour":"%d Stunde","%d hours":"%d Stunden","Automatically update the application":"Halte die Applikation automatisch auf den neusten Stand","Show advanced options":"Zeige erweiterte Optionen an","Synchronisation target":"Synchronisationsziel","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"Das Synchronisationsziel, mit dem synchronisiert werden soll. Wenn mit dem Dateisystem synchronisiert werden soll, setzen Sie den Wert zu `sync.2.path`, um den Zielpfad zu spezifizieren.","Invalid option value: \"%s\". Possible values are: %s.":"Ungültiger Optionswert: \"%s\". Mögliche Werte sind: %s.","Items that cannot be synchronised":"","\"%s\": \"%s\"":"","Sync status (synced items / total items)":"Synchronisations status (synchronisierte Notizen / insgesamt )","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Insgesamt: %d/%d","Conflicted: %d":"","To delete: %d":"To delete: %d","Folders":"Ordner","%s: %d notes":"%s: %d Notizen","Coming alarms":"Anstehender Alarm","On %s: %s":"Auf %s: %s","There are currently no notes. Create one by clicking on the (+) button.":"Momentan existieren noch keine Notizen. Erstelle eine indem Sie auf den (+) Knopf drücken.","Delete these notes?":"Sollen diese Notizen gelöscht werden?","Log":"Log","Status":"Status","Export Debug Report":"Fehlerbreicht exportieren","Configuration":"Konfiguration","Move to notebook...":"Verschiebe zu Notizbuch...","Move %d notes to notebook \"%s\"?":"Verschiebe %d Notizen zu dem Notizbuch \"%s\"?","Select date":"Datum ausswählen","Confirm":"Bestätigen","Cancel synchronisation":"Synchronisation abbrechen","The notebook could not be saved: %s":"Dieses Notizbuch konnte nicht gespeichert werden: %s","Edit notebook":"Notizbuch bearbeiten","This note has been modified:":"Diese Notiz wurde verändert:","Save changes":"Änderungen speichern","Discard changes":"Änderungen verwerfen","Unsupported image type: %s":"Nicht unterstütztes Fotoformat: %s","Attach photo":"Foto anhängen","Attach any file":"Beliebige Datei anhängen","Convert to note":"Zu einer Notiz umwandeln","Convert to todo":"Zu einem ToDo umwandeln","Hide metadata":"Metadaten verstecken","Show metadata":"Metadaten anzeigen","View on map":"Auf der Karte anzeigen","Delete notebook":"Notizbuch löschen","Login with OneDrive":"Mit OneDrive anmelden","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Drücken Sie auf den (+) Knopf, um eine neue Notiz oder ein neues Notizbuch zu erstellen.","You currently have no notebook. Create one by clicking on (+) button.":"Du habst noch kein Notizbuch. Sie können eines erstellen, indem Sie auf den (+) Knopf drücken.","Welcome":"Wilkommen"} \ No newline at end of file +{"Give focus to next pane":"Das nächste Fenster fokussieren","Give focus to previous pane":"Das vorherige Fenster fokussieren","Enter command line mode":"Zum Terminal-Modus wechseln","Exit command line mode":"Den Terminal-Modus verlassen","Edit the selected note":"Die ausgewählte Notiz bearbeiten","Cancel the current command.":"Den momentanen Befehl abbrechen.","Exit the application.":"Das Programm verlassen.","Delete the currently selected note or notebook.":"Die momentan ausgewählte Notiz(-buch) löschen.","To delete a tag, untag the associated notes.":"Hebe die Markierungen zugehöriger Notizen auf, um eine Markierung zu löschen.","Please select the note or notebook to be deleted first.":"Wähle bitte zuerst eine Notiz oder ein Notizbuch aus, das gelöscht werden soll.","Set a to-do as completed / not completed":"Ein To-Do as abgeschlossen / nicht abgeschlossen markieren","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"[t]oggle [c]onsole between maximized/minimized/hidden/visible.","Search":"Suchen","[t]oggle note [m]etadata.":"Notiz-[M]etadata einschal[t]en.","[M]ake a new [n]ote":"Eine neue [N]otiz [m]achen","[M]ake a new [t]odo":"Ein neues [T]o-Do [m]achen","[M]ake a new note[b]ook":"Ein neues Notiz[b]uch [m]achen","Copy ([Y]ank) the [n]ote to a notebook.":"Die Notiz zu einem Notizbuch kopieren.","Move the note to a notebook.":"Die Notiz zu einem Notizbuch verschieben.","Press Ctrl+D or type \"exit\" to exit the application":"Drücke Strg+D oder schreibe \"exit\", um das Programm zu verlassen","More than one item match \"%s\". Please narrow down your query.":"Mehr als eine Notiz stimmt mit \"%s\" überein. Bitte schränke deine Suche ein.","No notebook selected.":"Kein Notizbuch ausgewählt.","No notebook has been specified.":"Kein Notizbuch wurde angegeben.","Y":"J","n":"n","N":"N","y":"j","Cancelling background synchronisation... Please wait.":"Breche Hintergrund-Synchronisations ab....Bitte warten.","No such command: %s":"No such command: %s","The command \"%s\" is only available in GUI mode":"Der Befehl \"%s\" ist nur im GUI Modus verfügbar","Missing required argument: %s":"Fehlendes benötigtes Argument: %s","%s: %s":"%s: %s","Your choice: ":"Deine Auswahl: ","Invalid answer: %s":"Ungültige Antwort: %s","Attaches the given file to the note.":"Hängt die ausgewählte Datei an die Notiz an.","Cannot find \"%s\".":"Kann \"%s\" nicht finden.","Displays the given note.":"Zeigt die jeweilige Notiz an.","Displays the complete information about note.":"Zeigt alle Informationen über die Notiz an.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Zeigt an oder stellt einen Optionswert. Wenn kein [Wert] angegeben ist, wird der Wert vom gegebenenen [Namen] angezeigt. Wenn weder [Name] noch [Wert] gegeben sind, wird eine Liste der momentanen Konfiguration angezeigt.","Also displays unset and hidden config variables.":"Zeige auch nicht angegebene oder versteckte Konfigurationsvariablen an.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Vervielfältigt die Notizen die mit übereinstimmen zu [Notizbuch]. Wenn kein Notizbuch angegeben ist, wird die Notiz in das momentane Notizbuch kopiert.","Marks a to-do as done.":"Markiert ein To-Do als abgeschlossen.","Note is not a to-do: \"%s\"":"Notiz ist kein To-Do: \"%s\"","Edit note.":"Notiz bearbeiten.","No text editor is defined. Please set it using `config editor `":"Kein Textbearbeitungsprogramm angegeben. Bitte lege eines mit `config editor ` fest","No active notebook.":"Kein aktives Notizbuch.","Note does not exist: \"%s\". Create it?":"Notiz \"%s\" existiert nicht. Soll sie erstellt werden?","Starting to edit note. Close the editor to get back to the prompt.":"Beginne die Notiz zu bearbeiten. Schließ das Textbearbeitungsprogramm, um zurück zum Terminal zu kommen.","Note has been saved.":"Die Notiz wurde gespeichert.","Exits the application.":"Schließt das Programm.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Exportiert Joplins Datein zu dem angegebenen Pfad. Standardmäßig wird die komplette Datenbank inklusive Notizbüchern, Notizen, Markierungen usw. exportiert.","Exports only the given note.":"Exportiert nur die angegebene Notiz.","Exports only the given notebook.":"Exportiert nur das angegebene Notizbuch.","Displays a geolocation URL for the note.":"Zeigt die Standort-URL der Notiz an.","Displays usage information.":"Zeigt die Benutzungsstatistik an.","Shortcuts are not available in CLI mode.":"","Type `help [command]` for more information about a command; or type `help all` for the complete usage information.":"Type `help [command]` for more information about a command; or type `help all` for the complete usage information.","The possible commands are:":"Mögliche Befehle sind:","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"In jedem Befehl können Notizen oder Notizbücher durch ihren Titel oder ihre ID spezifiziert werden, oder durch die Abkürzung `$n` oder `$b` um entweder das momentan augewählte Notizbuch oder die momentan ausgewählte Notiz zu wählen. `$c` kann benutzt werden, um die momentane Auswahl zu verweisen.","To move from one pane to another, press Tab or Shift+Tab.":"Um ein von einem Fenster zu einem anderen zu wechseln, drücke Tab oder Shift+Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Benutze die Pfeiltasten und Bild hoch/runter um durch Listen und Texte zu scrollen ( inklusive diesem Terminal ).","To maximise/minimise the console, press \"TC\".":"Um das Terminal zu maximieren/minimieren, drücke \"TC\".","To enter command line mode, press \":\"":"","To exit command line mode, press ESCAPE":"","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Um die komplette Liste von verfügbaren Tastenkürzeln anzuzeigen, tippe `help shortcuts` ein","Imports an Evernote notebook file (.enex file).":"Importiert eine Evernote Notizbuch-Datei (.enex Datei).","Do not ask for confirmation.":"Nicht nach einer Bestätigung fragen.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"Datei \"%s\" wird importiert in das existierende Notizbuch \"%s\". Fortfahren?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"Ein neues Notizbuch \"%s\" wird erstellt und die Datei \"%s\" wird in es importiert. Fortfahren?","Found: %d.":"Gefunden: %d.","Created: %d.":"Erstellt: %d.","Updated: %d.":"Aktualisiert: %d.","Skipped: %d.":"Übersprungen: %d.","Resources: %d.":"","Tagged: %d.":"Markiert: %d.","Importing notes...":"Importiere Notizen...","The notes have been imported: %s":"Die Notizen wurden importiert: %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Zeigt die Notizen im momentanen Notizbuch an. Benutze `ls /` um eine Liste aller Notizbücher anzuzeigen.","Displays only the first top notes.":"Zeigt nur die Top- Notizen an.","Sorts the item by (eg. title, updated_time, created_time).":"Sorts the item by (eg. title, updated_time, created_time).","Reverses the sorting order.":"Dreht die Sortierreihenfolge um.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Zeige nur bestimmt Typen an. Kann `n` für Notizen sein, `t` für To-Dos, oder `nt` für Notizen und To-Dos ( z.B. würde `-tt` nur To-Dos anzeigen, während `-ttd` Notizen und To-Dos anzeigen würde ).","Either \"text\" or \"json\"":"Entweder \"text\" oder \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"","Please select a notebook first.":"Bitte wähle erst ein Notizbuch aus.","Creates a new notebook.":"Erstellt ein neues Notizbuch.","Creates a new note.":"Erstellt eine neue Notiz.","Notes can only be created within a notebook.":"Notizen können nur in einem Notizbuch erstellt werden.","Creates a new to-do.":"Erstellt ein neues To-Do.","Moves the notes matching to [notebook].":"Verschiebt die Notizen, die mit übereinstimmen, zu [Notizbuch]","Renames the given (note or notebook) to .":"Benennt das gegebene ( Notiz oder Notizbuch ) zu um.","Deletes the given notebook.":"Löscht das gegebene Notizbuch.","Deletes the notebook without asking for confirmation.":"Löscht das Notizbuch, ohne nach einer Bestätigung zu fragen.","Delete notebook? All notes within this notebook will also be deleted.":"","Deletes the notes matching .":"Löscht die Notizen, die mit übereinstimmen.","Deletes the notes without asking for confirmation.":"Löscht die Notizen, ohne nach einer Bestätigung zu fragen.","%d notes match this pattern. Delete them?":"%d Notizen stimmen mit diesem Muster überein. Sollen sie gelöscht werden?","Delete note?":"Notiz löschen?","Searches for the given in all the notes.":"Sucht nach dem gegebenen in allen Notizen.","Sets the property of the given to the given [value]. Possible properties are:\n\n%s":"Sets the property of the given to the given [value]. Possible properties are:\n\n%s","Displays summary about the notes and notebooks.":"Zeigt eine Zusammenfassung über die Notizen und Notizbücher an.","Synchronises with remote storage.":"Synchronises with remote storage.","Sync to provided target (defaults to sync.target config value)":"Mit dem gegebenen Ziel synchronisieren ( voreingestellt auf den sync.target Optionswert)","Synchronisation is already in progress.":"Synchronisation ist bereits im Gange.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"Eine Sperrdatei ist vorhanden. Wenn du dir sicher bist, dass keine Synchronisation im Gange ist, kannst du die Sperrdatei \"%s\" löschen und vortfahren.","Authentication was not completed (did not receive an authentication token).":"Authentikation wurde nicht abgeschlossen (keinen Authentikations-Token erhalten).","Synchronisation target: %s (%s)":"Synchronisationsziel: %s (%s)","Cannot initialize synchroniser.":"Kann Synchronisierer nicht initialisieren.","Starting synchronisation...":"Starte Synchronisation...","Cancelling... Please wait.":"Breche ab... Bitte warten."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.","Invalid command: \"%s\"":"Ungültiger Befehl: \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":" can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.","Marks a to-do as non-completed.":"Makiert ein To-Do als nicht-abgeschlossen.","Switches to [notebook] - all further operations will happen within this notebook.":"Wechselt zu [Notizbuch] - alle weiteren Tätigkeiten werden in diesem Notizbuch verrichtet.","Displays version information":"Zeigt die Versionsnummer an","%s %s (%s)":"%s %s (%s)","Enum":"","Type: %s.":"Typ: %s.","Possible values: %s.":"Mögliche Werte: %s.","Default: %s":"Standard: %s","Possible keys/values:":"Mögliche Werte:","Fatal error:":"Schwerwiegender Fehler:","The application has been authorised - you may now close this browser tab.":"Das Programm wurde authorisiert - Du kannst nun diesen Browsertab schließen.","The application has been successfully authorised.":"Das Programm wurde erfolgreich authorisiert.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Bitte öffne die folgende URL in deinem Browser, um das Programm zu authentifizieren. Das Programm wird einen Ordner in \"Apps/Joplin\" erstellen und wird nur in diesem Ordner schreiben und lesen. Es wird weder Zugriff auf Dateien außerhalb dieses Ordners haben, noch auf persönliche Daten. Es werden keine Daten mit Dritten geteilt.","Search:":"Suchen:","Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.":"","File":"Datei","New note":"Neue Notiz","New to-do":"Neues To-Do","New notebook":"Neues Notizbuch","Import Evernote notes":"Evernote Notizen importieren","Evernote Export Files":"","Quit":"Verlassen","Edit":"Bearbeiten","Copy":"Kopieren","Cut":"Ausschneiden","Paste":"Einfügen","Search in all the notes":"Alle Notizen durchsuchen","Tools":"Werkzeuge","Synchronisation status":"Synchronisation status","Options":"Optionen","Help":"Hilfe","Website and documentation":"Webseite und Dokumentation","About Joplin":"Über Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"OK","Cancel":"Abbrechen","Notes and settings are stored in: %s":"","Save":"","Back":"Zurück","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"Ein neues Notizbuch \"%s\" wird erstellt und die Datei \"%s\" wird in es importiert","Please create a notebook first.":"Bitte erstelle zuerst ein Notizbuch.","Note title:":"Notiz Titel:","Please create a notebook first":"Bitte erstelle zuerst ein Notizbuch","To-do title:":"To-Do Titel:","Notebook title:":"Notizbuch Titel:","Add or remove tags:":"Füge hinzu oder entferne Markierungen:","Separate each tag by a comma.":"Trenne jede Markierung mit einem Komma.","Rename notebook:":"Benne Notizbuch um:","Set alarm:":"Alarm erstellen:","Layout":"Layout","Some items cannot be synchronised.":"Some items cannot be synchronised.","View them now":"","Active":"","ID":"","Source":"","Created":"Created","Updated":"Updated","Password":"","Password OK":"","Note: Only one master key is going to be used for encryption (the one marked as \"active\"). Any of the keys might be used for decryption, depending on how the notes or notebooks were originally encrypted.":"","Add or remove tags":"Markierungen hinzufügen oder entfernen","Switch between note and to-do type":"Zwischen Notiz und To-Do Typ wechseln","Delete":"Löschen","Delete notes?":"Notizen löschen?","No notes in here. Create one by clicking on \"New note\".":"Hier sind noch keine Notizen. Erstelle eine, indem du auf \"Neue Notiz\" drückst.","There is currently no notebook. Create one by clicking on \"New notebook\".":"There is currently no notebook. Create one by clicking on \"New notebook\".","Unsupported link or message: %s":"Nicht unterstützter Link oder Nachricht: %s","Attach file":"Datei anhängen","Set alarm":"Alarm erstellen","Refresh":"Aktualisieren","Clear":"","OneDrive Login":"OneDrive login","Import":"Importieren","Synchronisation Status":"Synchronisation Status","Remove this tag from all the notes?":"Diese Markierung von allen Notizen löschen?","Remove this search from the sidebar?":"Diese Suche von der Seitenleiste entfernen?","Rename":"Umbenennen","Synchronise":"Synchronisieren","Notebooks":"Notizbücher","Tags":"Markierungen","Searches":"Suchen","Please select where the sync status should be exported to":"Please select where the sync status should be exported to","Usage: %s":"Usage: %s","Unknown flag: %s":"Unbekanntes Argument: %s","File system":"Dateisystem","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dev ( Nur für Tests )","Unknown log level: %s":"Unbekanntes Loglevel: %s","Unknown level ID: %s":"Unbekannte Level-ID: %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"Kann Token nicht erneuern: Authentikationsdaten nicht vorhanden. Ein Neustart der Synchronisation behebt das Problem vielleicht.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"Konnte nicht mit OneDrive synchronisieren.\n\nDieser Fehler kommt oft vor, wenn OneDrive Business benutzt wird, das leider nicht unterstützt wird.\n\nBitte benutze stattdessen einen normalen OneDrive account.","Cannot access %s":"Kann nicht auf %s zugreifen","Created local items: %d.":"","Updated local items: %d.":"","Created remote items: %d.":"","Updated remote items: %d.":"","Deleted local items: %d.":"","Deleted remote items: %d.":"","State: \"%s\".":"Status: \"%s\".","Cancelling...":"Breche ab...","Completed: %s":"Abgeschlossen: %s","Synchronisation is already in progress. State: %s":"Synchronisation ist bereits im Gange. Status: %s","Conflicts":"Konflikte","A notebook with this title already exists: \"%s\"":"Ein Notizbuch mit diesem Titel existiert bereits : \"%s\"","Notebooks cannot be named \"%s\", which is a reserved title.":"Notizbuch kann nicht \"%s\" genannt werden. Dies ist ein reservierter Titel.","Untitled":"Unbenannt","This note does not have geolocation information.":"Diese Notiz hat keine Standort-Informationen.","Cannot copy note to \"%s\" notebook":"Kann Notiz nicht zu Notizbuch \"%s\" kopieren","Cannot move note to \"%s\" notebook":"Kann Notiz nicht zu Notizbuch \"%s\" verschieben","Text editor":"Textbearbeitungsprogramm","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"Das Textbearbeitungsprogramm, mit dem Notizen geöffnet werden. Wenn keines ausgewählt wurde, wird Joplin versuchen das standard-Textbearbeitungsprogramm zu erkennen.","Language":"Sprache","Date format":"Datumsformat","Time format":"Zeitformat","Theme":"Thema","Light":"Hell","Dark":"Dunkel","Show uncompleted todos on top of the lists":"Unvollständige To-Dos oben in der Liste anzeigen","Save geo-location with notes":"Momentanen Standort zusammen mit Notizen speichern","Synchronisation interval":"Synchronisationsinterval","Disabled":"Deaktiviert","%d minutes":"%d Minuten","%d hour":"%d Stunde","%d hours":"%d Stunden","Automatically update the application":"Die Applikation automatisch aktualisieren","Show advanced options":"Erweiterte Optionen anzeigen","Synchronisation target":"Synchronisationsziel","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"Das Synchronisationsziel, mit dem synchronisiert werden soll. Wenn mit dem Dateisystem synchronisiert werden soll, setz den Wert zu `sync.2.path`, um den Zielpfad zu spezifizieren.","Directory to synchronise with (absolute path)":"","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"Der Pfad, mit dem synchronisiert wird, wenn Dateisystem-Synchronisation aktiviert ist. Siehe `sync.target`.","Invalid option value: \"%s\". Possible values are: %s.":"Ungültiger Optionswert: \"%s\". Mögliche Werte sind: %s.","Items that cannot be synchronised":"","\"%s\": \"%s\"":"\"%s\": \"%s\"","Sync status (synced items / total items)":"Synchronisationsstatus (synchronisierte Notizen / vorhandenen Notizen )","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Insgesamt: %d/%d","Conflicted: %d":"","To delete: %d":"To delete: %d","Folders":"Ordner","%s: %d notes":"%s: %d Notizen","Coming alarms":"Anstehende Alarme","On %s: %s":"Auf %s: %s","There are currently no notes. Create one by clicking on the (+) button.":"Momentan existieren noch keine Notizen. Erstelle eine, indem du auf den (+) Knopf drückst.","Delete these notes?":"Sollen diese Notizen gelöscht werden?","Log":"Log","Status":"Status","Export Debug Report":"Fehlerbreicht exportieren","Configuration":"Konfiguration","Move to notebook...":"Zu Notizbuch verschieben...","Move %d notes to notebook \"%s\"?":"%d Notizen zu dem Notizbuch \"%s\" verschieben?","Select date":"Datum ausswählen","Confirm":"Bestätigen","Cancel synchronisation":"Synchronisation abbrechen","The notebook could not be saved: %s":"Dieses Notizbuch konnte nicht gespeichert werden: %s","Edit notebook":"Notizbuch bearbeiten","This note has been modified:":"Diese Notiz wurde verändert:","Save changes":"Änderungen speichern","Discard changes":"Änderungen verwerfen","Unsupported image type: %s":"Nicht unterstütztes Fotoformat: %s","Attach photo":"Foto anhängen","Attach any file":"Beliebige Datei anhängen","Convert to note":"Zu einer Notiz umwandeln","Convert to todo":"Zu einem To-Do umwandeln","Hide metadata":"Metadaten verstecken","Show metadata":"Metadaten anzeigen","View on map":"Auf der Karte anzeigen","Delete notebook":"Notizbuch löschen","Login with OneDrive":"Mit OneDrive anmelden","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Drücke auf den (+) Knopf, um eine neue Notiz oder ein neues Notizbuch zu erstellen.","You currently have no notebook. Create one by clicking on (+) button.":"Du hast noch kein Notizbuch. Du kannst eines erstellen, indem du auf den (+) Knopf drückst.","Welcome":"Wilkommen"} \ No newline at end of file diff --git a/ReactNativeClient/locales/en_GB.json b/ReactNativeClient/locales/en_GB.json index deb79ef90..ed4aee8f9 100644 --- a/ReactNativeClient/locales/en_GB.json +++ b/ReactNativeClient/locales/en_GB.json @@ -1 +1 @@ -{"Give focus to next pane":"","Give focus to previous pane":"","Enter command line mode":"","Exit command line mode":"","Edit the selected note":"","Cancel the current command.":"","Exit the application.":"","Delete the currently selected note or notebook.":"","To delete a tag, untag the associated notes.":"","Please select the note or notebook to be deleted first.":"","Set a to-do as completed / not completed":"","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"","Search":"","[t]oggle note [m]etadata.":"","[M]ake a new [n]ote":"","[M]ake a new [t]odo":"","[M]ake a new note[b]ook":"","Copy ([Y]ank) the [n]ote to a notebook.":"","Move the note to a notebook.":"","Press Ctrl+D or type \"exit\" to exit the application":"","More than one item match \"%s\". Please narrow down your query.":"","No notebook selected.":"","No notebook has been specified.":"","Y":"","n":"","N":"","y":"","Cancelling background synchronisation... Please wait.":"","No such command: %s":"","The command \"%s\" is only available in GUI mode":"","Missing required argument: %s":"","%s: %s":"","Your choice: ":"","Invalid answer: %s":"","Attaches the given file to the note.":"","Cannot find \"%s\".":"","Displays the given note.":"","Displays the complete information about note.":"","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"","Also displays unset and hidden config variables.":"","%s = %s (%s)":"","%s = %s":"","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"","Marks a to-do as done.":"","Note is not a to-do: \"%s\"":"","Edit note.":"","No text editor is defined. Please set it using `config editor `":"","No active notebook.":"","Note does not exist: \"%s\". Create it?":"","Starting to edit note. Close the editor to get back to the prompt.":"","Note has been saved.":"","Exits the application.":"","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"","Exports only the given note.":"","Exports only the given notebook.":"","Displays a geolocation URL for the note.":"","Displays usage information.":"","Shortcuts are not available in CLI mode.":"","Type `help [command]` for more information about a command.":"","The possible commands are:":"","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"","To move from one pane to another, press Tab or Shift+Tab.":"","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"","To maximise/minimise the console, press \"TC\".":"","To enter command line mode, press \":\"":"","To exit command line mode, press ESCAPE":"","For the complete list of available keyboard shortcuts, type `help shortcuts`":"","Imports an Evernote notebook file (.enex file).":"","Do not ask for confirmation.":"","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"","Found: %d.":"","Created: %d.":"","Updated: %d.":"","Skipped: %d.":"","Resources: %d.":"","Tagged: %d.":"","Importing notes...":"","The notes have been imported: %s":"","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"","Displays only the first top notes.":"","Sorts the item by (eg. title, updated_time, created_time).":"","Reverses the sorting order.":"","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"","Either \"text\" or \"json\"":"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"","Please select a notebook first.":"","Creates a new notebook.":"","Creates a new note.":"","Notes can only be created within a notebook.":"","Creates a new to-do.":"","Moves the notes matching to [notebook].":"","Renames the given (note or notebook) to .":"","Deletes the given notebook.":"","Deletes the notebook without asking for confirmation.":"","Delete notebook \"%s\"?":"","Deletes the notes matching .":"","Deletes the notes without asking for confirmation.":"","%d notes match this pattern. Delete them?":"","Delete note?":"","Searches for the given in all the notes.":"","Sets the property of the given to the given [value].":"","Displays summary about the notes and notebooks.":"","Synchronises with remote storage.":"","Sync to provided target (defaults to sync.target config value)":"","Synchronisation is already in progress.":"","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"","Authentication was not completed (did not receive an authentication token).":"","Synchronisation target: %s (%s)":"","Cannot initialize synchroniser.":"","Starting synchronisation...":"","Cancelling... Please wait.":""," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":"","Invalid command: \"%s\"":""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":"","Marks a to-do as non-completed.":"","Switches to [notebook] - all further operations will happen within this notebook.":"","Displays version information":"","%s %s (%s)":"","Enum":"","Type: %s.":"","Possible values: %s.":"","Default: %s":"","Possible keys/values:":"","Fatal error:":"","The application has been authorised - you may now close this browser tab.":"","The application has been successfully authorised.":"","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"","Search:":"","File":"","New note":"","New to-do":"","New notebook":"","Import Evernote notes":"","Evernote Export Files":"","Quit":"","Edit":"","Copy":"","Cut":"","Paste":"","Search in all the notes":"","Tools":"","Synchronisation status":"","Options":"","Help":"","Website and documentation":"","About Joplin":"","%s %s (%s, %s)":"","OK":"","Cancel":"","Back":"","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"","Please create a notebook first.":"","Note title:":"","Please create a notebook first":"","To-do title:":"","Notebook title:":"","Add or remove tags:":"","Separate each tag by a comma.":"","Rename notebook:":"","Set alarm:":"","Layout":"","Some items cannot be synchronised.":"","View them now":"","Add or remove tags":"","Switch between note and to-do type":"","Delete":"","Delete notes?":"","No notes in here. Create one by clicking on \"New note\".":"","Unsupported link or message: %s":"","Attach file":"","Set alarm":"","Refresh":"","Clear":"","OneDrive Login":"","Import":"","Synchronisation Status":"","Delete notebook?":"","Remove this tag from all the notes?":"","Remove this search from the sidebar?":"","Rename":"","Synchronise":"","Notebooks":"","Tags":"","Searches":"","Usage: %s":"","Unknown flag: %s":"","File system":"","OneDrive":"","OneDrive Dev (For testing only)":"","Unknown log level: %s":"","Unknown level ID: %s":"","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"","Cannot access %s":"","Created local items: %d.":"","Updated local items: %d.":"","Created remote items: %d.":"","Updated remote items: %d.":"","Deleted local items: %d.":"","Deleted remote items: %d.":"","State: \"%s\".":"","Cancelling...":"","Completed: %s":"","Synchronisation is already in progress. State: %s":"","Conflicts":"","A notebook with this title already exists: \"%s\"":"","Notebooks cannot be named \"%s\", which is a reserved title.":"","Untitled":"","This note does not have geolocation information.":"","Cannot copy note to \"%s\" notebook":"","Cannot move note to \"%s\" notebook":"","File system synchronisation target directory":"","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"","Text editor":"","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"","Language":"","Date format":"","Time format":"","Theme":"","Light":"","Dark":"","Show uncompleted todos on top of the lists":"","Save geo-location with notes":"","Synchronisation interval":"","Disabled":"","%d minutes":"","%d hour":"","%d hours":"","Automatically update the application":"","Show advanced options":"","Synchronisation target":"","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"","Invalid option value: \"%s\". Possible values are: %s.":"","Items that cannot be synchronised":"","\"%s\": \"%s\"":"","Sync status (synced items / total items)":"","%s: %d/%d":"","Total: %d/%d":"","Conflicted: %d":"","To delete: %d":"","Folders":"","%s: %d notes":"","Coming alarms":"","On %s: %s":"","There are currently no notes. Create one by clicking on the (+) button.":"","Delete these notes?":"","Log":"","Status":"","Export Debug Report":"","Configuration":"","Move to notebook...":"","Move %d notes to notebook \"%s\"?":"","Select date":"","Confirm":"","Cancel synchronisation":"","The notebook could not be saved: %s":"","Edit notebook":"","This note has been modified:":"","Save changes":"","Discard changes":"","Unsupported image type: %s":"","Attach photo":"","Attach any file":"","Convert to note":"","Convert to todo":"","Hide metadata":"","Show metadata":"","View on map":"","Delete notebook":"","Login with OneDrive":"","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"","You currently have no notebook. Create one by clicking on (+) button.":"","Welcome":""} \ No newline at end of file +{"Give focus to next pane":"","Give focus to previous pane":"","Enter command line mode":"","Exit command line mode":"","Edit the selected note":"","Cancel the current command.":"","Exit the application.":"","Delete the currently selected note or notebook.":"","To delete a tag, untag the associated notes.":"","Please select the note or notebook to be deleted first.":"","Set a to-do as completed / not completed":"","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"","Search":"","[t]oggle note [m]etadata.":"","[M]ake a new [n]ote":"","[M]ake a new [t]odo":"","[M]ake a new note[b]ook":"","Copy ([Y]ank) the [n]ote to a notebook.":"","Move the note to a notebook.":"","Press Ctrl+D or type \"exit\" to exit the application":"","More than one item match \"%s\". Please narrow down your query.":"","No notebook selected.":"","No notebook has been specified.":"","Y":"","n":"","N":"","y":"","Cancelling background synchronisation... Please wait.":"","No such command: %s":"","The command \"%s\" is only available in GUI mode":"","Missing required argument: %s":"","%s: %s":"","Your choice: ":"","Invalid answer: %s":"","Attaches the given file to the note.":"","Cannot find \"%s\".":"","Displays the given note.":"","Displays the complete information about note.":"","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"","Also displays unset and hidden config variables.":"","%s = %s (%s)":"","%s = %s":"","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"","Marks a to-do as done.":"","Note is not a to-do: \"%s\"":"","Edit note.":"","No text editor is defined. Please set it using `config editor `":"","No active notebook.":"","Note does not exist: \"%s\". Create it?":"","Starting to edit note. Close the editor to get back to the prompt.":"","Note has been saved.":"","Exits the application.":"","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"","Exports only the given note.":"","Exports only the given notebook.":"","Displays a geolocation URL for the note.":"","Displays usage information.":"","Shortcuts are not available in CLI mode.":"","Type `help [command]` for more information about a command; or type `help all` for the complete usage information.":"","The possible commands are:":"","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"","To move from one pane to another, press Tab or Shift+Tab.":"","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"","To maximise/minimise the console, press \"TC\".":"","To enter command line mode, press \":\"":"","To exit command line mode, press ESCAPE":"","For the complete list of available keyboard shortcuts, type `help shortcuts`":"","Imports an Evernote notebook file (.enex file).":"","Do not ask for confirmation.":"","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"","Found: %d.":"","Created: %d.":"","Updated: %d.":"","Skipped: %d.":"","Resources: %d.":"","Tagged: %d.":"","Importing notes...":"","The notes have been imported: %s":"","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"","Displays only the first top notes.":"","Sorts the item by (eg. title, updated_time, created_time).":"","Reverses the sorting order.":"","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"","Either \"text\" or \"json\"":"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"","Please select a notebook first.":"","Creates a new notebook.":"","Creates a new note.":"","Notes can only be created within a notebook.":"","Creates a new to-do.":"","Moves the notes matching to [notebook].":"","Renames the given (note or notebook) to .":"","Deletes the given notebook.":"","Deletes the notebook without asking for confirmation.":"","Delete notebook? All notes within this notebook will also be deleted.":"","Deletes the notes matching .":"","Deletes the notes without asking for confirmation.":"","%d notes match this pattern. Delete them?":"","Delete note?":"","Searches for the given in all the notes.":"","Sets the property of the given to the given [value]. Possible properties are:\n\n%s":"","Displays summary about the notes and notebooks.":"","Synchronises with remote storage.":"","Sync to provided target (defaults to sync.target config value)":"","Synchronisation is already in progress.":"","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"","Authentication was not completed (did not receive an authentication token).":"","Synchronisation target: %s (%s)":"","Cannot initialize synchroniser.":"","Starting synchronisation...":"","Cancelling... Please wait.":""," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":"","Invalid command: \"%s\"":""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":"","Marks a to-do as non-completed.":"","Switches to [notebook] - all further operations will happen within this notebook.":"","Displays version information":"","%s %s (%s)":"","Enum":"","Type: %s.":"","Possible values: %s.":"","Default: %s":"","Possible keys/values:":"","Fatal error:":"","The application has been authorised - you may now close this browser tab.":"","The application has been successfully authorised.":"","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"","Search:":"","Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.":"","File":"","New note":"","New to-do":"","New notebook":"","Import Evernote notes":"","Evernote Export Files":"","Quit":"","Edit":"","Copy":"","Cut":"","Paste":"","Search in all the notes":"","Tools":"","Synchronisation status":"","Options":"","Help":"","Website and documentation":"","About Joplin":"","%s %s (%s, %s)":"","OK":"","Cancel":"","Notes and settings are stored in: %s":"","Save":"","Back":"","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"","Please create a notebook first.":"","Note title:":"","Please create a notebook first":"","To-do title:":"","Notebook title:":"","Add or remove tags:":"","Separate each tag by a comma.":"","Rename notebook:":"","Set alarm:":"","Layout":"","Some items cannot be synchronised.":"","View them now":"","Active":"","ID":"","Source":"","Created":"","Updated":"","Password":"","Password OK":"","Note: Only one master key is going to be used for encryption (the one marked as \"active\"). Any of the keys might be used for decryption, depending on how the notes or notebooks were originally encrypted.":"","Add or remove tags":"","Switch between note and to-do type":"","Delete":"","Delete notes?":"","No notes in here. Create one by clicking on \"New note\".":"","There is currently no notebook. Create one by clicking on \"New notebook\".":"","Unsupported link or message: %s":"","Attach file":"","Set alarm":"","Refresh":"","Clear":"","OneDrive Login":"","Import":"","Synchronisation Status":"","Remove this tag from all the notes?":"","Remove this search from the sidebar?":"","Rename":"","Synchronise":"","Notebooks":"","Tags":"","Searches":"","Please select where the sync status should be exported to":"","Usage: %s":"","Unknown flag: %s":"","File system":"","OneDrive":"","OneDrive Dev (For testing only)":"","Unknown log level: %s":"","Unknown level ID: %s":"","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"","Cannot access %s":"","Created local items: %d.":"","Updated local items: %d.":"","Created remote items: %d.":"","Updated remote items: %d.":"","Deleted local items: %d.":"","Deleted remote items: %d.":"","State: \"%s\".":"","Cancelling...":"","Completed: %s":"","Synchronisation is already in progress. State: %s":"","Conflicts":"","A notebook with this title already exists: \"%s\"":"","Notebooks cannot be named \"%s\", which is a reserved title.":"","Untitled":"","This note does not have geolocation information.":"","Cannot copy note to \"%s\" notebook":"","Cannot move note to \"%s\" notebook":"","Text editor":"","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"","Language":"","Date format":"","Time format":"","Theme":"","Light":"","Dark":"","Show uncompleted todos on top of the lists":"","Save geo-location with notes":"","Synchronisation interval":"","Disabled":"","%d minutes":"","%d hour":"","%d hours":"","Automatically update the application":"","Show advanced options":"","Synchronisation target":"","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"","Directory to synchronise with (absolute path)":"","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"","Invalid option value: \"%s\". Possible values are: %s.":"","Items that cannot be synchronised":"","\"%s\": \"%s\"":"","Sync status (synced items / total items)":"","%s: %d/%d":"","Total: %d/%d":"","Conflicted: %d":"","To delete: %d":"","Folders":"","%s: %d notes":"","Coming alarms":"","On %s: %s":"","There are currently no notes. Create one by clicking on the (+) button.":"","Delete these notes?":"","Log":"","Status":"","Export Debug Report":"","Configuration":"","Move to notebook...":"","Move %d notes to notebook \"%s\"?":"","Select date":"","Confirm":"","Cancel synchronisation":"","The notebook could not be saved: %s":"","Edit notebook":"","This note has been modified:":"","Save changes":"","Discard changes":"","Unsupported image type: %s":"","Attach photo":"","Attach any file":"","Convert to note":"","Convert to todo":"","Hide metadata":"","Show metadata":"","View on map":"","Delete notebook":"","Login with OneDrive":"","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"","You currently have no notebook. Create one by clicking on (+) button.":"","Welcome":""} \ No newline at end of file diff --git a/ReactNativeClient/locales/es_CR.json b/ReactNativeClient/locales/es_CR.json index f4ff11612..ad6c91d41 100644 --- a/ReactNativeClient/locales/es_CR.json +++ b/ReactNativeClient/locales/es_CR.json @@ -1 +1 @@ -{"Give focus to next pane":"Enfocar panel siguiente","Give focus to previous pane":"Enfocar panel anterior","Enter command line mode":"Entrar en modo de línea de comandos","Exit command line mode":"Salir del modo de línea de comandos","Edit the selected note":"Editar la nota siguiente","Cancel the current command.":"Cancelar el comando actual.","Exit the application.":"Salir de la aplicación.","Delete the currently selected note or notebook.":"Eliminar la nota o el cuaderno activo.","To delete a tag, untag the associated notes.":"Para eliminar una etiqueta, desetiquete las notas asociadas.","Please select the note or notebook to be deleted first.":"Por favor seleccione la nota o el cuaderno a eliminar primero.","Set a to-do as completed / not completed":"Cambiar un quehacer a completado / no completado","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"Al[t]ernar [c]onsla entre maximizado/minimizado/oculto/visible.","Search":"Buscar","[t]oggle note [m]etadata.":"Al[t]ernar [m]etadatos de la nota.","[M]ake a new [n]ote":"[M]ake a new [n]ote","[M]ake a new [t]odo":"[M]ake a new [t]odo","[M]ake a new note[b]ook":"[M]ake a new note[b]ook","Copy ([Y]ank) the [n]ote to a notebook.":"","Move the note to a notebook.":"Mover nota a un cuaderno.","Press Ctrl+D or type \"exit\" to exit the application":"Presione Ctrl+D o escriba \"exit\" para salir de la aplicación","More than one item match \"%s\". Please narrow down your query.":"Más de un elemento coinciden con \"%s\". Por favor haga una búsqueda más específica.","No notebook selected.":"No hay ningún cuaderno seleccionado.","No notebook has been specified.":"Ningún cuaderno ha sido especificado.","Y":"","n":"","N":"","y":"","Cancelling background synchronisation... Please wait.":"Cancelando sincronización en segundo plano... Por favor espere.","No such command: %s":"No such command: %s","The command \"%s\" is only available in GUI mode":"El comando \"%s\" solo está disponible en el modo gráfico (GUI)","Missing required argument: %s":"Falta argumento necesario: %s","%s: %s":"%s: %s","Your choice: ":"Su elección: ","Invalid answer: %s":"Respuesta inválida: %s","Attaches the given file to the note.":"Adjunta el archivo a la nota.","Cannot find \"%s\".":"No se puede encontrar \"%s\".","Displays the given note.":"Muestra la nota.","Displays the complete information about note.":"Muestra la información completa acerca de la nota.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"","Also displays unset and hidden config variables.":"También muestra variables configuradas no establecidas y ocultas.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Duplica las notas coincidentes con a [noteboom]. Si ningún cuaderno es especificado la nota es duplicada en el uaderno actual.","Marks a to-do as done.":"Marca el quehacer como hecho.","Note is not a to-do: \"%s\"":"La nota no es un quehacer: \"%s\"","Edit note.":"Editar nota.","No text editor is defined. Please set it using `config editor `":"No hay texto definido. Por favor establézcalo con `config editor `","No active notebook.":"No hay cuaderno activo.","Note does not exist: \"%s\". Create it?":"La nota no existe: \"%s\". ¿Crearlo?","Starting to edit note. Close the editor to get back to the prompt.":"","Note has been saved.":"La nota ha sido guardada.","Exits the application.":"Cierra la aplicación.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Exporta la información de Joplin al directorio. Por defecto, exportará la base de datos completa incluyendo cuadernos, notas, etiquetas y recursos.","Exports only the given note.":"Exporta solo la nota especificado.","Exports only the given notebook.":"Exporta solo el cuaderno especificado.","Displays a geolocation URL for the note.":"Muestra la URL de geolocalización de la nota.","Displays usage information.":"Muestra información de uso.","Shortcuts are not available in CLI mode.":"Los atajos no están disponibles en mod de línea de comandos (CLI).","Type `help [command]` for more information about a command.":"Escriba `help [comando]` para más información acerca del comando.","The possible commands are:":"Los comandos posibles son:","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"En cualquier comando, una nota o cuaderno puede ser referido por su título o ID, o usando los atajos `$n` o `$b` para la nota o cuaderno seleccionado, respectivamente. `$c` puede ser utilizado para referirse al elemento seleccionado.","To move from one pane to another, press Tab or Shift+Tab.":"Para moverse de un panel a otro, presione Tab o Shift+Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Use las flechas y RePág/AvPág para deslizar las listas y áreas de texto (incluyendo esta consola).","To maximise/minimise the console, press \"TC\".":"Para minimizar/mazimizar la consola, presione \"TC\".","To enter command line mode, press \":\"":"Para entrar en modo de línea de comandos (CLI), presione \":\"","To exit command line mode, press ESCAPE":"Para salir del modo de línea de comandos (CLI), presione Esc","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Para la lista completa de atajos de teclado disponibles, escriba `help shortcuts`","Imports an Evernote notebook file (.enex file).":"Importa un archivo de cuaderno de Evernote (.enex).","Do not ask for confirmation.":"No preguntar por confirmación.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"El archivo \"%s\" será importado al cuaderno \"%s\". ¿Continuar?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"El nuevo cuaderno \"%s\" será cread y el archivo \"%s\" será importado en él. ¿Continuar?","Found: %d.":"Encontrado: %d.","Created: %d.":"Creado: %d.","Updated: %d.":"Actualizado: %d.","Skipped: %d.":"Saltado: %d.","Resources: %d.":"Recursos: %d.","Tagged: %d.":"Etiquetado: %d.","Importing notes...":"Importando notas...","The notes have been imported: %s":"Las notas han sido importadas: %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Muestra las notas en el cuaderno actual. Use `ls /` para mostrar la lista de cuadernos.","Displays only the first top notes.":"Muestra las primeras notas.","Sorts the item by (eg. title, updated_time, created_time).":"Sorts the item by (eg. title, updated_time, created_time).","Reverses the sorting order.":"Invierte el orden.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Muestra solo los elementos del tipo específico. Puede ser `n` para notas, `t` para quehaceres, o `nt` para notas y quehaceres (ej. `-tt` mostraría solo los quehaceres, mientras que `-ttd` mostraría las notas y los quehaceres.","Either \"text\" or \"json\"":"Either \"text\" or \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"Usar formato de lista largo. El formato es ID, NOTE_COUNT (para cuaderno), DATE, TODO_CHECKED (para quehaceres), TITLE","Please select a notebook first.":"Por favor seleccione un cuaderno primero.","Creates a new notebook.":"Crea un nuevo cuaderno.","Creates a new note.":"Crea una nueva nota.","Notes can only be created within a notebook.":"Las notas solo pueden ser creadas dentro de un cuaderno.","Creates a new to-do.":"Crea un nuevo quehacer.","Moves the notes matching to [notebook].":"Moves the notes matching to [notebook].","Renames the given (note or notebook) to .":"Renombra el (nota o cuaderno) a .","Deletes the given notebook.":"Elimina el cuaderno.","Deletes the notebook without asking for confirmation.":"Elimina el cuaderno sin preguntar por confirmación.","Delete notebook \"%s\"?":"¿Eliminar el cuaderno \"%s\"?","Deletes the notes matching .":"Elimina las notas coincidentes con .","Deletes the notes without asking for confirmation.":"Elimina las notas sin preguntar por confirmación.","%d notes match this pattern. Delete them?":"%d notas coinciden con este patrón. ¿Eliminarlas?","Delete note?":"¿Elimnar la nota?","Searches for the given in all the notes.":"Busca el en todas las notas.","Sets the property of the given to the given [value].":"Establece la propiedad de la al [value].","Displays summary about the notes and notebooks.":"Muestra un resumen acerca de las notas y los cuadernos.","Synchronises with remote storage.":"Sincroniza con el almacenamiento remoto.","Sync to provided target (defaults to sync.target config value)":"Sync to provided target (defaults to sync.target config value)","Synchronisation is already in progress.":"La sincronización ya está en progreso.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"","Authentication was not completed (did not receive an authentication token).":"","Synchronisation target: %s (%s)":"Objetivo de sincronización: %s (%s)","Cannot initialize synchroniser.":"No se puede iniciar la sincronización.","Starting synchronisation...":"Iniciando la sincronización...","Cancelling... Please wait.":"Cancelando... por favor espere."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":"","Invalid command: \"%s\"":"Comando inválido: \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":"","Marks a to-do as non-completed.":"Marca los quehaceres como incompletos.","Switches to [notebook] - all further operations will happen within this notebook.":"Switches to [notebook] - all further operations will happen within this notebook.","Displays version information":"Muestra la información de la versión","%s %s (%s)":"%s %s (%s)","Enum":"","Type: %s.":"Tipo: %s.","Possible values: %s.":"Valores posibles: %s.","Default: %s":"","Possible keys/values:":"Possible keys/values:","Fatal error:":"Error fatal:","The application has been authorised - you may now close this browser tab.":"La aplicación ha sido autorizada. Ya puede cerrar esta pestaña.","The application has been successfully authorised.":"La aplicación fue autorizada exitosamente.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Por favor abra el siguiente URL en su explorador para autenticar la aplciación. La aplicación creará un directorio en \"Apps/Joplin\" y solo leerá y escribirá los archivos en este directorio. No tendrá acceso a ningún archivo fuera de este directorio ni a información personal. Ninguna información será compartida con terceros.","Search:":"Buscar:","File":"Archivo","New note":"Nueva nota","New to-do":"Nuevo quehacer","New notebook":"Nuevo cuaderno","Import Evernote notes":"Importar notas de Evernote","Evernote Export Files":"Evernote Export Files","Quit":"Abortar","Edit":"Editar","Copy":"Copiar","Cut":"Cortar","Paste":"Pegar","Search in all the notes":"Buscar en todas la notas","Tools":"Herramientas","Synchronisation status":"Synchronisation status","Options":"Opciones","Help":"Ayuda","Website and documentation":"Sitio web y documentación","About Joplin":"Acerca de Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"Aceptar","Cancel":"Cancelar","Back":"Atrás","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"El nuevo cuaderno \"%s\" será cread y el archivo \"%s\" será importado en él","Please create a notebook first.":"Por favor cree un cuaderno primero.","Note title:":"Título de la nota:","Please create a notebook first":"Por favor cree un cuaderno primero","To-do title:":"Nombre del quehacer:","Notebook title:":"Título del cuaderno:","Add or remove tags:":"Añadir o eliminar etiquetas:","Separate each tag by a comma.":"Separar cada etiqueta con una coma.","Rename notebook:":"Renombrar cuaderno:","Set alarm:":"Set alarm:","Layout":"Layout","Some items cannot be synchronised.":"Some items cannot be synchronised.","View them now":"","Add or remove tags":"Añadir o eliminar etiquetas","Switch between note and to-do type":"Cambie entre nota y quehacer","Delete":"Eliminar","Delete notes?":"¿Eliminar notas?","No notes in here. Create one by clicking on \"New note\".":"No hay notas aquí. Cree una presionando \"Nota nueva\".","Unsupported link or message: %s":"Enlace o mensaje no soportado: %s","Attach file":"Adjuntar archivo","Set alarm":"Establecer alarma","Refresh":"Actualizar","Clear":"Clear","OneDrive Login":"Inicio de sesión de OneDrive","Import":"Importar","Synchronisation Status":"Synchronisation Status","Delete notebook?":"¿Eliminar cuaderno?","Remove this tag from all the notes?":"¿Eliminar esta etiqueta de todas las notas?","Remove this search from the sidebar?":"¿Eliminar esta búsqueda de la barra lateral?","Rename":"Renombrar","Synchronise":"Sincronizar","Notebooks":"Cuadernos","Tags":"Etiquetas","Searches":"Búsquedas","Usage: %s":"Uso: %s","Unknown flag: %s":"","File system":"Sistema de archivos","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"Desarrollo de OneDrive (solo para pruebas)","Unknown log level: %s":"","Unknown level ID: %s":"","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"","Cannot access %s":"Cannot access %s","Created local items: %d.":"Elementos locales creados: %d.","Updated local items: %d.":"Elementos locales actualizados: %d.","Created remote items: %d.":"Elementos remotos creados: %d.","Updated remote items: %d.":"Elementos remotos actualizados: %d.","Deleted local items: %d.":"Elementos locales eliminados: %d.","Deleted remote items: %d.":"Elementos remotos eliminados: %d.","State: \"%s\".":"Estado: \"%s\".","Cancelling...":"Cancelando...","Completed: %s":"Completado: %s","Synchronisation is already in progress. State: %s":"La sincronización ya está en progreso. Estado: %s","Conflicts":"Conflictos","A notebook with this title already exists: \"%s\"":"Ya existe un cuaderno con este título: \"%s\"","Notebooks cannot be named \"%s\", which is a reserved title.":"Notebooks cannot be named \"%s\", which is a reserved title.","Untitled":"Sin título","This note does not have geolocation information.":"Esta nota no tiene datos de localización geográfica.","Cannot copy note to \"%s\" notebook":"Cannot copy note to \"%s\" notebook","Cannot move note to \"%s\" notebook":"Cannot move note to \"%s\" notebook","File system synchronisation target directory":"Directorio objetivo del sistema de sincronización de archivos","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"La ruta para sincronizar cuando el sistema de sincronización de archivos de es activado. Ver `sync.target`.","Text editor":"Editor de texto","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"El editor que va a ser utilizado para abrir notas. Si no hay ninguno seleccionado va a intentar detectar el editor por defecto.","Language":"Idioma","Date format":"Formato de fecha","Time format":"Formato de hora","Theme":"Tema","Light":"Claro","Dark":"Oscuro","Show uncompleted todos on top of the lists":"Mostrar quehaceres incompletos arriba de las listas","Save geo-location with notes":"Guardar localización geográfica con notas","Synchronisation interval":"Intervalo de sincronización","Disabled":"Desactivado","%d minutes":"%d minutos","%d hour":"%d hour","%d hours":"%d horas","Automatically update the application":"Actualizar la aplicación automáticamente","Show advanced options":"Mostrar opciones avanzadas","Synchronisation target":"Objetivo de sincronización","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"El objetivo a sincronizar. Si está sincronizando con el sistema de archivos, establezca `sync.2.path` para especificar el directorio objetivo.","Invalid option value: \"%s\". Possible values are: %s.":"Valor inválido: \"%s\". Posibles valores: %s.","Items that cannot be synchronised":"","\"%s\": \"%s\"":"","Sync status (synced items / total items)":"Estado de sincronización (elementos sincronizados / total de elementos)","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Total: %d/%d","Conflicted: %d":"Conflicto: %d","To delete: %d":"A eliminar: %d","Folders":"Carpetas","%s: %d notes":"","Coming alarms":"Alarmas pendientes","On %s: %s":"","There are currently no notes. Create one by clicking on the (+) button.":"Actualmente no hay notas. Cree una presionando el botón (+).","Delete these notes?":"¿Eliminar estas notas?","Log":"Historial","Status":"Estado","Export Debug Report":"Exportar reporte de fallos","Configuration":"Configuración","Move to notebook...":"Mover a cuaderno...","Move %d notes to notebook \"%s\"?":"Move %d notes to notebook \"%s\"?","Select date":"Seleccionar fecha","Confirm":"Aceptar","Cancel synchronisation":"Cancelar sincronización","The notebook could not be saved: %s":"El cuaderno no pudo ser guardado: %s","Edit notebook":"Editar cuaderno","This note has been modified:":"Esta nota ha sido modificada:","Save changes":"Guardar cambios","Discard changes":"Descartar cambios","Unsupported image type: %s":"Tipo de imagen no soportado: %s","Attach photo":"Adjuntar foto","Attach any file":"Adjuntar un archivo","Convert to note":"Convertir a nota","Convert to todo":"Convertir a quehacer","Hide metadata":"Ocultar metadatos","Show metadata":"Mostrar metadatos","View on map":"Ver en el mapa","Delete notebook":"Eliminar un cuaderno","Login with OneDrive":"Iniciar sesión con OneDrive","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Presione el botón (+) para crear una nueva nota o un nuevo cuaderno. Presione el menú lateral para acceder a uno de sus cuadernos.","You currently have no notebook. Create one by clicking on (+) button.":"Actualmente no tiene cuadernos. Cree uno presionando el botón (+).","Welcome":"Bienvenido"} \ No newline at end of file +{"Give focus to next pane":"Dar enfoque al siguiente panel","Give focus to previous pane":"Dar enfoque al panel anterior","Enter command line mode":"Entrar modo linea de comandos","Exit command line mode":"Salir modo linea de comandos","Edit the selected note":"Editar la nota seleccionada","Cancel the current command.":"Cancelar el comando actual.","Exit the application.":"Salir de la aplicación.","Delete the currently selected note or notebook.":"Eliminar la nota o libreta seleccionada.","To delete a tag, untag the associated notes.":"Para eliminar una etiqueta, desmarca las notas asociadas.","Please select the note or notebook to be deleted first.":"Por favor selecciona la nota o libreta a elliminar.","Set a to-do as completed / not completed":"Set a to-do as completed / not completed","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"[c]ambia la [c]onsola entre maximizado/minimizado/oculto/visible.","Search":"Buscar","[t]oggle note [m]etadata.":"[c]ambia los [m]etadatos de una nota.","[M]ake a new [n]ote":"[H]acer una [n]ota nueva","[M]ake a new [t]odo":"[H]acer una nueva [t]area","[M]ake a new note[b]ook":"[H]acer una nueva [l]ibreta","Copy ([Y]ank) the [n]ote to a notebook.":"Copiar ([Y]ank) la [n]ota a una libreta.","Move the note to a notebook.":"Mover la nota a una libreta.","Press Ctrl+D or type \"exit\" to exit the application":"Presiona Ctrl+D o escribe \"salir\" para salir de la aplicación","More than one item match \"%s\". Please narrow down your query.":"Más de un artículo coincide con \"%s\". Por favor acortar tu consulta.","No notebook selected.":"Ninguna libreta seleccionada","No notebook has been specified.":"Ninguna libre fue especificada","Y":"Y","n":"n","N":"N","y":"y","Cancelling background synchronisation... Please wait.":"Cancelando sincronización de segundo plano... Por favor espere.","No such command: %s":"No such command: %s","The command \"%s\" is only available in GUI mode":"The command \"%s\" is only available in GUI mode","Missing required argument: %s":"Falta un argumento requerido: %s","%s: %s":"%s: %s","Your choice: ":"Tu elección: ","Invalid answer: %s":"Respuesta inválida: %s","Attaches the given file to the note.":"Adjuntar archivo a la nota.","Cannot find \"%s\".":"No se encuentra \"%s\".","Displays the given note.":"Mostrar la nota dada.","Displays the complete information about note.":"Mostrar la información completa acerca de la nota.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Obtener o configurar un valor. Si no se provee el [valor], se mostrará el valor de [nombre]. Si no se provee [nombre] ni [valor], se listara la configuración actual.","Also displays unset and hidden config variables.":"También muestra variables ocultas o no configuradas.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Duplica las notas que coincidan con en la libreta. Si no se especifica una libreta la nota se duplica en la libreta actual.","Marks a to-do as done.":"Marca una tarea como hecha.","Note is not a to-do: \"%s\"":"Una nota no es una tarea: \"%s\"","Edit note.":"Editar una nota.","No text editor is defined. Please set it using `config editor `":"No hay editor de texto definido. Por favor configure uno usando `config editor `","No active notebook.":"No hay libreta activa.","Note does not exist: \"%s\". Create it?":"La nota no existe: \"%s\". Crearla?","Starting to edit note. Close the editor to get back to the prompt.":"Iniciando a editar una nota. Cierra el editor para regresar al prompt.","Note has been saved.":"La nota a sido guardada.","Exits the application.":"Sale de la aplicación.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Exportar datos de Joplin al directorio indicado. Por defecto, se exportará la base de datos completa incluyendo libretas, notas, etiquetas y recursos.","Exports only the given note.":"Exportar unicamente la nota indicada.","Exports only the given notebook.":"Exportar unicamente la libreta indicada.","Displays a geolocation URL for the note.":"Mostrar geolocalización de la URL para la nota.","Displays usage information.":"Muestra información de uso.","Shortcuts are not available in CLI mode.":"Atajos no disponibles en modo CLI.","Type `help [command]` for more information about a command; or type `help all` for the complete usage information.":"Type `help [command]` for more information about a command; or type `help all` for the complete usage information.","The possible commands are:":"Los posibles comandos son:","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"Con cualquier comando, una nota o libreta puede ser referida por titulo o ID, o utilizando atajos `$n` o `$b`, respectivamente, para la nota o libreta seleccionada se puede usar `$c` para hacer referencia al artículo seleccionado.","To move from one pane to another, press Tab or Shift+Tab.":"Para mover desde un panel a otro, presiona Tab o Shift+Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Para desplazar en las listas y areas de texto ( incluyendo la consola ) utilice las flechas y re pág/av pág.","To maximise/minimise the console, press \"TC\".":"Para maximizar/minimizar la consola, presiona \"TC\".","To enter command line mode, press \":\"":"Para entrar a modo linea de comando, presiona \":\"","To exit command line mode, press ESCAPE":"Para salir de modo linea de comando, presiona ESCAPE","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Para una lista completa de los atajos de teclado disponibles, escribe `help shortcuts`","Imports an Evernote notebook file (.enex file).":"Importar una libreta de Evernote (archivo .enex).","Do not ask for confirmation.":"No preguntar por confirmación.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"El archivo \"%s\" será importado dentro de la libreta existente \"%s\". Continuar?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"Nueva libreta \"%s\" será creada y el archivo \"%s\" será importado dentro de ella. Continuar?","Found: %d.":"Encontrado: %d.","Created: %d.":"Creado: %d.","Updated: %d.":"Actualizado: %d.","Skipped: %d.":"Omitido: %d.","Resources: %d.":"Recursos: %d.","Tagged: %d.":"Etiquetado: %d.","Importing notes...":"Importando notas...","The notes have been imported: %s":"Las notas han sido importadas: %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Muestra las notas en la libreta actual. Usa `ls /` para mostrar la lista de libretas.","Displays only the first top notes.":"Muestra las primeras notas.","Sorts the item by (eg. title, updated_time, created_time).":"Ordena los artículos por campo ( ej. título, fecha de actualización, fecha de creación).","Reverses the sorting order.":"Invierte el orden.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Muestra unicamente los artículos de los tipos especificados. Pueden ser `n` para notas, `t` para tareas, o `nt` para libretas y tareas (ej. `-tt` mostrará unicamente las tareas, mientras `-ttd` mostrará notas y tareas).","Either \"text\" or \"json\"":"Puede ser \"text\" o \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"Usar formato largo de lista. El formato es ID, NOTE_COUNT ( para libretas), DATE,TODO_CHECKED ( para tareas), TITLE","Please select a notebook first.":"Por favor selecciona la libreta.","Creates a new notebook.":"Crea una nueva libreta.","Creates a new note.":"Crea una nueva nota.","Notes can only be created within a notebook.":"Notas solamente pueden ser creadas dentro de una libreta.","Creates a new to-do.":"Crea una nueva lista de tareas.","Moves the notes matching to [notebook].":"Mueve las notas que coincidan con para la [libreta].","Renames the given (note or notebook) to .":"Renombre el artículo dado (nota o libreta) a .","Deletes the given notebook.":"Elimina la libreta dada.","Deletes the notebook without asking for confirmation.":"Elimina una libreta sin pedir confirmación.","Delete notebook? All notes within this notebook will also be deleted.":"","Deletes the notes matching .":"Elimina las notas que coinciden con .","Deletes the notes without asking for confirmation.":"Elimina las notas sin pedir confirmación.","%d notes match this pattern. Delete them?":"%d notas coinciden con el patron. Eliminarlas?","Delete note?":"Eliminar nota?","Searches for the given in all the notes.":"Buscar el patron en todas las notas.","Sets the property of the given to the given [value]. Possible properties are:\n\n%s":"Sets the property of the given to the given [value]. Possible properties are:\n\n%s","Displays summary about the notes and notebooks.":"Muestra un resumen acerca de las notas y las libretas.","Synchronises with remote storage.":"Sincronizar con almacenamiento remoto.","Sync to provided target (defaults to sync.target config value)":"Sincronizar con objetivo proveído ( por defecto al valor de configuración sync.target)","Synchronisation is already in progress.":"Sincronzación en progreso.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.","Authentication was not completed (did not receive an authentication token).":"Autenticación no completada (no se recibió token de autenticación).","Synchronisation target: %s (%s)":"Objetivo de sincronización: %s (%s)","Cannot initialize synchroniser.":"No se puede inicializar sincronizador.","Starting synchronisation...":"Iniciando sincronización...","Cancelling... Please wait.":"Cancelando... Por favor espere."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" puede ser \"add\", \"remove\" o \"list\" para asignar o eliminar [tag] de [note], o para listar las notas asociadas con [tag]. El comando `tag list` puede ser usado para listar todas las etiquetas.","Invalid command: \"%s\"":"Comando inválido: \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":" puede ser \"toggle\" o \"clear\". Usa \"toggle\" para cambiar la tarea dada entre estado completado y sin completar. ( Si el objetivo es una nota regular se convertirá en una tarea). Usa \"clear\" para convertir la tarea a una nota regular. ","Marks a to-do as non-completed.":"Marcar una tarea como no completada.","Switches to [notebook] - all further operations will happen within this notebook.":"Cambia una [libreta] - todas las demás operaciones se realizan en ésta libreta.","Displays version information":"Muestra información de la versión","%s %s (%s)":"%s %s (%s)","Enum":"Enumerar","Type: %s.":"Tipo: %s.","Possible values: %s.":"Posibles valores: %s.","Default: %s":"Por defecto: %s","Possible keys/values:":"Teclas/valores posbiles:","Fatal error:":"Error fatal:","The application has been authorised - you may now close this browser tab.":"La aplicación ha sido autorizada - ahora puedes cerrar esta pestaña de tu navegador.","The application has been successfully authorised.":"La aplicacion ha sido autorizada exitosamente.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.","Search:":"Bucar:","Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.":"","File":"Archivo","New note":"Nueva nota","New to-do":"Nueva lista de tareas","New notebook":"Nueva libreta","Import Evernote notes":"Importar notas de Evernote","Evernote Export Files":"Exportar archivos de Evernote","Quit":"Salir","Edit":"Editar","Copy":"Copiar","Cut":"Cortar","Paste":"Pegar","Search in all the notes":"Buscar en todas las notas","Tools":"Herramientas","Synchronisation status":"Synchronisation status","Options":"Opciones","Help":"Ayuda","Website and documentation":"Sitio web y documentacion","About Joplin":"Acerca de Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"Ok","Cancel":"Cancelar","Notes and settings are stored in: %s":"","Save":"","Back":"Back","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"New notebook \"%s\" will be created and file \"%s\" will be imported into it","Please create a notebook first.":"Por favor crea una libreta primero.","Note title:":"Título de nota:","Please create a notebook first":"Por favor crea una libreta primero","To-do title:":"Títuto de lista de tareas:","Notebook title:":"Título de libreta:","Add or remove tags:":"Agregar o borrar etiquetas: ","Separate each tag by a comma.":"Separar cada etiqueta por una coma.","Rename notebook:":"Renombrar libreta:","Set alarm:":"Ajustar alarma:","Layout":"Diseño","Some items cannot be synchronised.":"Some items cannot be synchronised.","View them now":"","Active":"","ID":"","Source":"","Created":"Created","Updated":"Updated","Password":"","Password OK":"","Note: Only one master key is going to be used for encryption (the one marked as \"active\"). Any of the keys might be used for decryption, depending on how the notes or notebooks were originally encrypted.":"","Add or remove tags":"Agregar o borrar etiquetas","Switch between note and to-do type":"Switch between note and to-do type","Delete":"Eliminar","Delete notes?":"Eliminar notas?","No notes in here. Create one by clicking on \"New note\".":"No hay notas aqui. Crea una dando click en \"Nueva nota\".","There is currently no notebook. Create one by clicking on \"New notebook\".":"There is currently no notebook. Create one by clicking on \"New notebook\".","Unsupported link or message: %s":"Enlace o mensaje sin soporte: %s","Attach file":"Adjuntar archivo","Set alarm":"Ajustar alarma","Refresh":"Refrescar","Clear":"Limpiar","OneDrive Login":"Inicio de sesión de OneDrive","Import":"Importar","Synchronisation Status":"Synchronisation Status","Remove this tag from all the notes?":"Remover esta etiqueta de todas las notas?","Remove this search from the sidebar?":"Remover esta busqueda de la barra lateral?","Rename":"Renombrar","Synchronise":"Sincronizar","Notebooks":"Libretas","Tags":"Etiquetas","Searches":"Busquedas","Please select where the sync status should be exported to":"Please select where the sync status should be exported to","Usage: %s":"Uso: %s","Unknown flag: %s":"Etiqueta desconocida: %s","File system":"Sistema de archivos","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dev (For testing only)","Unknown log level: %s":"Nivel de log desconocido: %s","Unknown level ID: %s":"Nivel de ID desconocido: %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.","Cannot access %s":"Cannot access %s","Created local items: %d.":"Artículos locales creados: %d.","Updated local items: %d.":"Artículos locales actualizados: %d.","Created remote items: %d.":"Artículos remotos creados: %d.","Updated remote items: %d.":"Artículos remotos actualizados: %d.","Deleted local items: %d.":"Artículos locales borrados: %d.","Deleted remote items: %d.":"Artículos remotos borrados: %d.","State: \"%s\".":"Estado: \"%s\".","Cancelling...":"Cancelando....","Completed: %s":"Completado: %s","Synchronisation is already in progress. State: %s":"La sincronizacion ya esta en progreso. Estod: %s","Conflicts":"Conflictos","A notebook with this title already exists: \"%s\"":"Ya existe una libreta con este nombre: \"%s\"","Notebooks cannot be named \"%s\", which is a reserved title.":"Notebooks cannot be named \"%s\", which is a reserved title.","Untitled":"Intitulado","This note does not have geolocation information.":"Esta nota no tiene informacion de geolocalización.","Cannot copy note to \"%s\" notebook":"Cannot copy note to \"%s\" notebook","Cannot move note to \"%s\" notebook":"Cannot move note to \"%s\" notebook","Text editor":"Editor de texto","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.","Language":"Lenguaje","Date format":"Formato de fecha","Time format":"Formato de hora","Theme":"Tema","Light":"Claro","Dark":"Oscuro","Show uncompleted todos on top of the lists":"Show uncompleted todos on top of the lists","Save geo-location with notes":"Guardar notas con geo-licalización","Synchronisation interval":"Intervalo de sincronización","Disabled":"Deshabilitado","%d minutes":"%d minutos","%d hour":"%d hora","%d hours":"%d horas","Automatically update the application":"Actualizacion automatica de la aplicación","Show advanced options":"Mostrar opciones ","Synchronisation target":"Sincronización de objetivo","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.","Directory to synchronise with (absolute path)":"","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"La ubicacion para sincronizar cuando el sistema de archivo tenga habilitada la sincronización. Ver `sync.target`.","Invalid option value: \"%s\". Possible values are: %s.":"Valor inválido de opción: \"%s\". Los válores inválidos son: %s.","Items that cannot be synchronised":"","\"%s\": \"%s\"":"","Sync status (synced items / total items)":"Estatus de sincronización (artículos sincronizados / total de artículos)","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Total: %d/%d","Conflicted: %d":"Conflictivo: %d","To delete: %d":"Borrar: %d","Folders":"Directorios","%s: %d notes":"%s: %d notas","Coming alarms":"Coming alarms","On %s: %s":"En %s: %s","There are currently no notes. Create one by clicking on the (+) button.":"There are currently no notes. Create one by clicking on the (+) button.","Delete these notes?":"Borrar estas notas?","Log":"Log","Status":"Estatus","Export Debug Report":"Export Debug Report","Configuration":"Configuracion","Move to notebook...":"Mover a libreta....","Move %d notes to notebook \"%s\"?":"Mover %d notas a libreta \"%s\"?","Select date":"Seleccionar fecha","Confirm":"Confirmar","Cancel synchronisation":"Sincronizacion cancelada","The notebook could not be saved: %s":"Esta libreta no pudo ser guardada: %s","Edit notebook":"Editar libreta","This note has been modified:":"Esta nota ha sido modificada:","Save changes":"Guardar cambios","Discard changes":"Descartar cambios","Unsupported image type: %s":"Tipo de imagen no soportado: %s","Attach photo":"Adjuntar foto","Attach any file":"Adjuntar cualquier archivo","Convert to note":"Convertir a nota","Convert to todo":"Convertir a lista de tareas","Hide metadata":"Ocultar metadata","Show metadata":"Mostrar metadata","View on map":"Ver un mapa","Delete notebook":"Borrar libreta","Login with OneDrive":"Loguear con OneDrive","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.","You currently have no notebook. Create one by clicking on (+) button.":"You currently have no notebook. Create one by clicking on (+) button.","Welcome":"Bienvenido"} \ No newline at end of file diff --git a/ReactNativeClient/locales/es_ES.json b/ReactNativeClient/locales/es_ES.json new file mode 100644 index 000000000..28f826093 --- /dev/null +++ b/ReactNativeClient/locales/es_ES.json @@ -0,0 +1 @@ +{"Give focus to next pane":"Enfocar el siguiente panel","Give focus to previous pane":"Enfocar el panel anterior","Enter command line mode":"Entrar en modo línea de comandos","Exit command line mode":"Salir del modo línea de comandos","Edit the selected note":"Editar la nota seleccionada","Cancel the current command.":"Cancelar el comando actual.","Exit the application.":"Salir de la aplicación.","Delete the currently selected note or notebook.":"Eliminar la nota o libreta seleccionada.","To delete a tag, untag the associated notes.":"Desmarque las notas asociadas para eliminar una etiqueta.","Please select the note or notebook to be deleted first.":"Seleccione primero la nota o libreta que desea eliminar.","Set a to-do as completed / not completed":"Marca una tarea como completada/no completada","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"in[t]ercambia la [c]onsola entre maximizada/minimizada/oculta/visible.","Search":"Buscar","[t]oggle note [m]etadata.":"in[t]ercambia los [m]etadatos de una nota.","[M]ake a new [n]ote":"[C]rear una [n]ota nueva","[M]ake a new [t]odo":"[C]rear una [t]area nueva","[M]ake a new note[b]ook":"[C]rear una li[b]reta nueva","Copy ([Y]ank) the [n]ote to a notebook.":"Copiar ([Y]ank) la [n]ota a una libreta.","Move the note to a notebook.":"Mover la nota a una libreta.","Press Ctrl+D or type \"exit\" to exit the application":"Pulse Ctrl+D o escriba «salir» para salir de la aplicación","More than one item match \"%s\". Please narrow down your query.":"Hay más de un elemento que coincide con «%s», intente mejorar su consulta.","No notebook selected.":"No se ha seleccionado ninguna libreta.","No notebook has been specified.":"Ninguna libre fue especificada","Y":"Y","n":"n","N":"N","y":"y","Cancelling background synchronisation... Please wait.":"Cancelando sincronización de segundo plano... Por favor espere.","No such command: %s":"El comando no existe: %s","The command \"%s\" is only available in GUI mode":"El comando «%s» solamente está disponible en modo GUI","Missing required argument: %s":"Falta un argumento requerido: %s","%s: %s":"%s: %s","Your choice: ":"Tu elección: ","Invalid answer: %s":"Respuesta inválida: %s","Attaches the given file to the note.":"Adjuntar archivo a la nota.","Cannot find \"%s\".":"No se encuentra \"%s\".","Displays the given note.":"Mostrar la nota dada.","Displays the complete information about note.":"Mostrar la información completa acerca de la nota.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Obtener o configurar un valor. Si no se provee el [valor], se mostrará el valor de [nombre]. Si no se provee [nombre] ni [valor], se listara la configuración actual.","Also displays unset and hidden config variables.":"También muestra variables ocultas o no configuradas.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Duplica las notas que coincidan con en la libreta. Si no se especifica una libreta la nota se duplica en la libreta actual.","Marks a to-do as done.":"Marca una tarea como hecha.","Note is not a to-do: \"%s\"":"Una nota no es una tarea: \"%s\"","Edit note.":"Editar una nota.","No text editor is defined. Please set it using `config editor `":"No hay editor de texto definido. Por favor configure uno usando `config editor `","No active notebook.":"No hay libreta activa.","Note does not exist: \"%s\". Create it?":"La nota no existe: \"%s\". Crearla?","Starting to edit note. Close the editor to get back to the prompt.":"Iniciando a editar una nota. Cierra el editor para regresar al prompt.","Note has been saved.":"La nota a sido guardada.","Exits the application.":"Sale de la aplicación.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Exportar datos de Joplin al directorio indicado. Por defecto, se exportará la base de datos completa incluyendo libretas, notas, etiquetas y recursos.","Exports only the given note.":"Exportar unicamente la nota indicada.","Exports only the given notebook.":"Exportar unicamente la libreta indicada.","Displays a geolocation URL for the note.":"Mostrar geolocalización de la URL para la nota.","Displays usage information.":"Muestra información de uso.","Shortcuts are not available in CLI mode.":"Atajos no disponibles en modo CLI.","Type `help [command]` for more information about a command; or type `help all` for the complete usage information.":"Escriba `help [command]` para obtener más información sobre el comando, o escriba `help all` para obtener toda la información acerca del uso del programa.","The possible commands are:":"Los posibles comandos son:","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"Con cualquier comando, una nota o libreta puede ser referida por titulo o ID, o utilizando atajos `$n` o `$b`, respectivamente, para la nota o libreta seleccionada se puede usar `$c` para hacer referencia al artículo seleccionado.","To move from one pane to another, press Tab or Shift+Tab.":"Para mover desde un panel a otro, presiona Tab o Shift+Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Para desplazar en las listas y areas de texto ( incluyendo la consola ) utilice las flechas y re pág/av pág.","To maximise/minimise the console, press \"TC\".":"Para maximizar/minimizar la consola, presiona \"TC\".","To enter command line mode, press \":\"":"Para entrar a modo linea de comando, presiona \":\"","To exit command line mode, press ESCAPE":"Para salir de modo linea de comando, presiona ESCAPE","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Para una lista completa de los atajos de teclado disponibles, escribe `help shortcuts`","Imports an Evernote notebook file (.enex file).":"Importar una libreta de Evernote (archivo .enex).","Do not ask for confirmation.":"No preguntar por confirmación.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"El archivo \"%s\" será importado dentro de la libreta existente \"%s\". Continuar?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"Nueva libreta \"%s\" será creada y el archivo \"%s\" será importado dentro de ella. Continuar?","Found: %d.":"Encontrado: %d.","Created: %d.":"Creado: %d.","Updated: %d.":"Actualizado: %d.","Skipped: %d.":"Omitido: %d.","Resources: %d.":"Recursos: %d.","Tagged: %d.":"Etiquetado: %d.","Importing notes...":"Importando notas...","The notes have been imported: %s":"Las notas han sido importadas: %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Muestra las notas en la libreta actual. Usa `ls /` para mostrar la lista de libretas.","Displays only the first top notes.":"Muestra las primeras notas.","Sorts the item by (eg. title, updated_time, created_time).":"Ordena los artículos por campo ( ej. título, fecha de actualización, fecha de creación).","Reverses the sorting order.":"Invierte el orden.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Muestra unicamente los artículos de los tipos especificados. Pueden ser `n` para notas, `t` para tareas, o `nt` para libretas y tareas (ej. `-tt` mostrará unicamente las tareas, mientras `-ttd` mostrará notas y tareas).","Either \"text\" or \"json\"":"Puede ser \"text\" o \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"Usar formato largo de lista. El formato es ID, NOTE_COUNT ( para libretas), DATE,TODO_CHECKED ( para tareas), TITLE","Please select a notebook first.":"Por favor selecciona la libreta.","Creates a new notebook.":"Crea una nueva libreta.","Creates a new note.":"Crea una nueva nota.","Notes can only be created within a notebook.":"Notas solamente pueden ser creadas dentro de una libreta.","Creates a new to-do.":"Crea una nueva lista de tareas.","Moves the notes matching to [notebook].":"Mueve las notas que coincidan con para la [libreta].","Renames the given (note or notebook) to .":"Renombre el artículo dado (nota o libreta) a .","Deletes the given notebook.":"Elimina la libreta dada.","Deletes the notebook without asking for confirmation.":"Elimina una libreta sin pedir confirmación.","Delete notebook? All notes within this notebook will also be deleted.":"¿Desea eliminar la libreta? Todas las notas dentro de esta libreta también serán eliminadas.","Deletes the notes matching .":"Elimina las notas que coinciden con .","Deletes the notes without asking for confirmation.":"Elimina las notas sin pedir confirmación.","%d notes match this pattern. Delete them?":"%d notas coinciden con el patron. Eliminarlas?","Delete note?":"Eliminar nota?","Searches for the given in all the notes.":"Buscar el patron en todas las notas.","Sets the property of the given to the given [value]. Possible properties are:\n\n%s":"Asigna el valor [value] a la propiedad de la nota indicada . Propiedades disponibles:\n\n%s","Displays summary about the notes and notebooks.":"Muestra un resumen acerca de las notas y las libretas.","Synchronises with remote storage.":"Sincronizar con almacenamiento remoto.","Sync to provided target (defaults to sync.target config value)":"Sincronizar con objetivo proveído ( por defecto al valor de configuración sync.target)","Synchronisation is already in progress.":"Sincronzación en progreso.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"Ya hay un archivo de bloqueo. Si está seguro de que no hay una sincronización en curso puede eliminar el archivo de bloqueo «%s» y reanudar la operación.","Authentication was not completed (did not receive an authentication token).":"Autenticación no completada (no se recibió token de autenticación).","Synchronisation target: %s (%s)":"Objetivo de sincronización: %s (%s)","Cannot initialize synchroniser.":"No se puede inicializar sincronizador.","Starting synchronisation...":"Iniciando sincronización...","Cancelling... Please wait.":"Cancelando... Por favor espere."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" puede ser \"add\", \"remove\" o \"list\" para asignar o eliminar [tag] de [note], o para listar las notas asociadas con [tag]. El comando `tag list` puede ser usado para listar todas las etiquetas.","Invalid command: \"%s\"":"Comando inválido: \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":" puede ser \"toggle\" o \"clear\". Usa \"toggle\" para cambiar la tarea dada entre estado completado y sin completar. ( Si el objetivo es una nota regular se convertirá en una tarea). Usa \"clear\" para convertir la tarea a una nota regular. ","Marks a to-do as non-completed.":"Marcar una tarea como no completada.","Switches to [notebook] - all further operations will happen within this notebook.":"Cambia una [libreta] - todas las demás operaciones se realizan en ésta libreta.","Displays version information":"Muestra información de la versión","%s %s (%s)":"%s %s (%s)","Enum":"Enumerar","Type: %s.":"Tipo: %s.","Possible values: %s.":"Posibles valores: %s.","Default: %s":"Por defecto: %s","Possible keys/values:":"Teclas/valores posbiles:","Fatal error:":"Error fatal:","The application has been authorised - you may now close this browser tab.":"La aplicación ha sido autorizada - ahora puedes cerrar esta pestaña de tu navegador.","The application has been successfully authorised.":"La aplicacion ha sido autorizada exitosamente.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Abra la siguiente URL en su navegador para autenticar la aplicación. La aplicación creará un directorio en «Apps/Joplin» y solo leerá y escribirá archivos en este directorio. No tendrá acceso a ningún archivo fuera de este directorio ni a ningún otro archivo personal. No se compartirá información con terceros.","Search:":"Buscar:","Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.":"Bienvenido a Joplin.\n\nEscriba «:help shortcuts» para obtener una lista con los atajos de teclado, o simplemente «:help» para información general.\n\nPor ejemplo, para crear una libreta escriba «mb», para crear una nota escriba «mn».","File":"Archivo","New note":"Nota nueva","New to-do":"Lista de tareas nueva","New notebook":"Libreta nueva","Import Evernote notes":"Importar notas de Evernote","Evernote Export Files":"Archivos exportados de Evernote","Quit":"Salir","Edit":"Editar","Copy":"Copiar","Cut":"Cortar","Paste":"Pegar","Search in all the notes":"Buscar en todas las notas","Tools":"Herramientas","Synchronisation status":"Estado de la sincronización","Options":"Opciones","Help":"Ayuda","Website and documentation":"Sitio web y documentación","About Joplin":"Acerca de Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"OK","Cancel":"Cancelar","Notes and settings are stored in: %s":"Las notas y los ajustes se guardan en: %s","Save":"Guardar","Back":"Atrás","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"Se creará la nueva libreta «%s» y se importará en ella el archivo «%s»","Please create a notebook first.":"Cree primero una libreta.","Note title:":"Título de la nota:","Please create a notebook first":"Por favor crea una libreta primero","To-do title:":"Títuto de lista de tareas:","Notebook title:":"Título de libreta:","Add or remove tags:":"Agregar o borrar etiquetas: ","Separate each tag by a comma.":"Separar cada etiqueta por una coma.","Rename notebook:":"Renombrar libreta:","Set alarm:":"Ajustar alarma:","Layout":"Diseño","Some items cannot be synchronised.":"No se han podido sincronizar algunos de los elementos.","View them now":"Verlos ahora","Active":"","ID":"ID","Source":"Origen","Created":"Creado","Updated":"Actualizado","Password":"","Password OK":"","Note: Only one master key is going to be used for encryption (the one marked as \"active\"). Any of the keys might be used for decryption, depending on how the notes or notebooks were originally encrypted.":"","Add or remove tags":"Añadir o borrar etiquetas","Switch between note and to-do type":"Cambiar entre nota y lista de tareas","Delete":"Eliminar","Delete notes?":"¿Desea eliminar notas?","No notes in here. Create one by clicking on \"New note\".":"No hay ninguna nota. Cree una pulsando «Nota nueva».","There is currently no notebook. Create one by clicking on \"New notebook\".":"No hay ninguna libreta. Cree una pulsando en «Libreta nueva».","Unsupported link or message: %s":"Enlace o mensaje no soportado: %s","Attach file":"Adjuntar archivo","Set alarm":"Fijar alarma","Refresh":"Refrescar","Clear":"Limpiar","OneDrive Login":"Inicio de sesión de OneDrive","Import":"Importar","Synchronisation Status":"Estado de la sincronización","Remove this tag from all the notes?":"¿Desea eliminar esta etiqueta de todas las notas?","Remove this search from the sidebar?":"¿Desea eliminar esta búsqueda de la barra lateral?","Rename":"Renombrar","Synchronise":"Sincronizar","Notebooks":"Libretas","Tags":"Etiquetas","Searches":"Búsquedas","Please select where the sync status should be exported to":"Seleccione a dónde se debería exportar el estado de sincronización","Usage: %s":"Uso: %s","Unknown flag: %s":"Etiqueta desconocida: %s","File system":"Sistema de archivos","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dev (Solo para pruebas)","Unknown log level: %s":"Nivel de log desconocido: %s","Unknown level ID: %s":"ID de nivel desconocido: %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"No se ha podido actualizar token: faltan datos de autenticación. Reiniciar la sincronización podría solucionar el problema.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"No se ha podido sincronizar con OneDrive.\n\nEste error suele ocurrir al utilizar OneDrive for Business. Este producto no está soportado.\n\nPodría considerar utilizar una cuenta Personal de OneDrive.","Cannot access %s":"No se ha podido acceder a %s","Created local items: %d.":"Elementos locales creados: %d.","Updated local items: %d.":"Elementos locales actualizados: %d.","Created remote items: %d.":"Elementos remotos creados: %d.","Updated remote items: %d.":"Elementos remotos actualizados: %d.","Deleted local items: %d.":"Elementos locales borrados: %d.","Deleted remote items: %d.":"Elementos remotos borrados: %d.","State: \"%s\".":"Estado: «%s».","Cancelling...":"Cancelando...","Completed: %s":"Completado: %s","Synchronisation is already in progress. State: %s":"La sincronización ya está en progreso. Estado: %s","Conflicts":"Conflictos","A notebook with this title already exists: \"%s\"":"Ya existe una libreta con este nombre: «%s»","Notebooks cannot be named \"%s\", which is a reserved title.":"No se puede usar el nombre «%s» para una libreta; es un título reservado.","Untitled":"Sin título","This note does not have geolocation information.":"Esta nota no tiene informacion de geolocalización.","Cannot copy note to \"%s\" notebook":"No se ha podido copiar la nota a la libreta «%s»","Cannot move note to \"%s\" notebook":"No se ha podido mover la nota a la libreta «%s»","Text editor":"Editor de texto","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"El editor que se usará para abrir una nota. Se intentará auto-detectar el editor predeterminado si no se proporciona ninguno.","Language":"Idioma","Date format":"Formato de fecha","Time format":"Formato de hora","Theme":"Tema","Light":"Claro","Dark":"Oscuro","Show uncompleted todos on top of the lists":"Mostrar tareas incompletas al inicio de las listas","Save geo-location with notes":"Guardar geolocalización en las notas","Synchronisation interval":"Intervalo de sincronización","Disabled":"Deshabilitado","%d minutes":"%d minutos","%d hour":"%d hora","%d hours":"%d horas","Automatically update the application":"Actualizar la aplicación automáticamente","Show advanced options":"Mostrar opciones avanzadas","Synchronisation target":"Destino de sincronización","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"El destino de la sincronización. Si se sincroniza con el sistema de archivos, indique el directorio destino en «sync.2.path».","Directory to synchronise with (absolute path)":"Directorio con el que sincronizarse (ruta completa)","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"La ruta a la que sincronizar cuando se activa la sincronización con sistema de archivos. Vea «sync.target».","Invalid option value: \"%s\". Possible values are: %s.":"Opción inválida: «%s». Los valores posibles son: %s.","Items that cannot be synchronised":"Elementos que no se pueden sincronizar","\"%s\": \"%s\"":"«%s»: «%s»","Sync status (synced items / total items)":"Estado de sincronización (elementos sincronizados/elementos totales)","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Total: %d/%d","Conflicted: %d":"Conflictos: %d","To delete: %d":"Borrar: %d","Folders":"Directorios","%s: %d notes":"%s: %d notas","Coming alarms":"Alarmas inminentes","On %s: %s":"En %s: %s","There are currently no notes. Create one by clicking on the (+) button.":"No hay notas. Cree una pulsando en el botón (+).","Delete these notes?":"¿Desea borrar estas notas?","Log":"Log","Status":"Estado","Export Debug Report":"Exportar informe de depuración","Configuration":"Configuración","Move to notebook...":"Mover a la libreta...","Move %d notes to notebook \"%s\"?":"¿Desea mover %d notas a libreta «%s»?","Select date":"Seleccione fecha","Confirm":"Confirmar","Cancel synchronisation":"Cancelar sincronización","The notebook could not be saved: %s":"No se ha podido guardar esta libreta: %s","Edit notebook":"Editar libreta","This note has been modified:":"Esta nota ha sido modificada:","Save changes":"Guardar cambios","Discard changes":"Descartar cambios","Unsupported image type: %s":"Tipo de imagen no soportado: %s","Attach photo":"Adjuntar foto","Attach any file":"Adjuntar cualquier archivo","Convert to note":"Convertir a nota","Convert to todo":"Convertir a lista de tareas","Hide metadata":"Ocultar metadatos","Show metadata":"Mostrar metadatos","View on map":"Ver en un mapa","Delete notebook":"Borrar libreta","Login with OneDrive":"Acceder con OneDrive","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Pulse en el botón (+) para crear una nueva nota o libreta. Pulse en el menú lateral para acceder a las libretas existentes.","You currently have no notebook. Create one by clicking on (+) button.":"No hay ninguna libreta. Cree una nueva libreta pulsando en el botón (+).","Welcome":"Bienvenido"} \ No newline at end of file diff --git a/ReactNativeClient/locales/fr_FR.json b/ReactNativeClient/locales/fr_FR.json index a7d7b9486..7f9200aff 100644 --- a/ReactNativeClient/locales/fr_FR.json +++ b/ReactNativeClient/locales/fr_FR.json @@ -1 +1 @@ -{"Give focus to next pane":"Activer le volet suivant","Give focus to previous pane":"Activer le volet précédent","Enter command line mode":"Démarrer le mode de ligne de commande","Exit command line mode":"Sortir du mode de ligne de commande","Edit the selected note":"Éditer la note sélectionnée","Cancel the current command.":"Annuler la commande en cours.","Exit the application.":"Quitter le logiciel.","Delete the currently selected note or notebook.":"Supprimer la note ou carnet sélectionné.","To delete a tag, untag the associated notes.":"Pour supprimer une vignette, enlever là des notes associées.","Please select the note or notebook to be deleted first.":"Veuillez d'abord sélectionner un carnet.","Set a to-do as completed / not completed":"Marquer une tâches comme complétée / non-complétée","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"Maximiser, minimiser, cacher ou rendre visible la console.","Search":"Chercher","[t]oggle note [m]etadata.":"Afficher/Cacher les métadonnées des notes.","[M]ake a new [n]ote":"Créer une nouvelle note","[M]ake a new [t]odo":"Créer une nouvelle tâche","[M]ake a new note[b]ook":"Créer un nouveau carnet","Copy ([Y]ank) the [n]ote to a notebook.":"Copier la note dans un autre carnet.","Move the note to a notebook.":"Déplacer la note vers un carnet.","Press Ctrl+D or type \"exit\" to exit the application":"Appuyez sur Ctrl+D ou tapez \"exit\" pour sortir du logiciel","More than one item match \"%s\". Please narrow down your query.":"Plus d'un objet correspond à \"%s\". Veuillez préciser votre requête.","No notebook selected.":"Aucun carnet n'est sélectionné.","No notebook has been specified.":"Aucun carnet n'est spécifié.","Y":"O","n":"n","N":"N","y":"o","Cancelling background synchronisation... Please wait.":"Annulation de la synchronisation... Veuillez patienter.","No such command: %s":"No such command: %s","The command \"%s\" is only available in GUI mode":"La commande \"%s\" est disponible uniquement en mode d'interface graphique","Missing required argument: %s":"Paramètre requis manquant : %s","%s: %s":"%s : %s","Your choice: ":"Votre choix : ","Invalid answer: %s":"Réponse invalide : %s","Attaches the given file to the note.":"Joindre le fichier fourni à la note.","Cannot find \"%s\".":"Impossible de trouver \"%s\".","Displays the given note.":"Affiche la note.","Displays the complete information about note.":"Affiche tous les détails de la note.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Obtient ou modifie une valeur de configuration. Si la [valeur] n'est pas fournie, la valeur de [nom] est affichée. Si ni le [nom] ni la [valeur] ne sont fournis, la configuration complète est affichée.","Also displays unset and hidden config variables.":"Afficher également les variables cachées.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Copier les notes correspondant à vers [carnet]. Si aucun carnet n'est spécifié, la note est dupliquée sur place.","Marks a to-do as done.":"Marquer la tâche comme complétée.","Note is not a to-do: \"%s\"":"La note n'est pas une tâche : \"%s\"","Edit note.":"Éditer la note.","No text editor is defined. Please set it using `config editor `":"Aucun éditeur de texte n'est défini. Veuillez le définir en utilisant la commande `config editor `","No active notebook.":"Aucun carnet actif.","Note does not exist: \"%s\". Create it?":"Cette note n'existe pas : \"%s\". La créer ?","Starting to edit note. Close the editor to get back to the prompt.":"Édition de la note en cours. Fermez l'éditeur de texte pour retourner à l'invite de commande.","Note has been saved.":"La note a été enregistrée.","Exits the application.":"Quitter le logiciel.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Exporter les données de Joplin vers le dossier fourni. Par défaut, la base de donnée complète sera exportée, y compris les carnets, notes, tags et resources.","Exports only the given note.":"Exporter uniquement la note spécifiée.","Exports only the given notebook.":"Exporter uniquement le carnet spécifié.","Displays a geolocation URL for the note.":"Afficher l'URL de l'emplacement de la note.","Displays usage information.":"Affiche les informations d'utilisation.","Shortcuts are not available in CLI mode.":"Les raccourcis ne sont pas disponible en mode de ligne de commande.","Type `help [command]` for more information about a command.":"Tapez `help [command]` pour plus d'information sur une commande.","The possible commands are:":"Les commandes possibles sont :","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"Dans une commande, une note ou carnet peut être référé par titre ou identifiant, ou en utilisant les raccourcis `$n` et `$b` pour, respectivement, la note sélectionnée et le carnet sélectionné. `$c` peut être utilisé pour faire référence à l'objet sélectionné en cours.","To move from one pane to another, press Tab or Shift+Tab.":"Pour aller d'un volet à l'autre, pressez Tab ou Maj+Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Utilisez les touches fléchées et page précédente/suivante pour faire défiler les listes et zones de texte (y compris cette console).","To maximise/minimise the console, press \"TC\".":"Pour maximiser ou minimiser la console, pressez \"TC\".","To enter command line mode, press \":\"":"Pour démarrer le mode ligne de commande, pressez \":\"","To exit command line mode, press ESCAPE":"Pour sortir du mode ligne de commande, pressez ECHAP","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Pour la liste complète des raccourcis disponibles, tapez `help shortcuts`","Imports an Evernote notebook file (.enex file).":"Importer un carnet Evernote (fichier .enex).","Do not ask for confirmation.":"Ne pas demander de confirmation.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"Le fichier \"%s\" va être importé dans le carnet existant \"%s\". Continuer ?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"Un nouveau carnet \"%s\" va être créé et le fichier \"%s\" va être importé dedans. Continuer ?","Found: %d.":"Trouvés : %d.","Created: %d.":"Créés : %d.","Updated: %d.":"Mis à jour : %d.","Skipped: %d.":"Ignorés : %d.","Resources: %d.":"Ressources : %d.","Tagged: %d.":"Étiquettes : %d.","Importing notes...":"Importation des notes...","The notes have been imported: %s":"Les notes ont été importées : %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Affiche les notes dans le carnet. Utilisez `ls /` pour afficher la liste des carnets.","Displays only the first top notes.":"Affiche uniquement les premières notes.","Sorts the item by (eg. title, updated_time, created_time).":"Trier les notes par (par exemple, title, updated_time, created_time).","Reverses the sorting order.":"Inverser l'ordre.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Affiche uniquement les notes du ou des types spécifiés. Le type peut-être `n` pour les notes, `t` pour les tâches (par exemple, `-tt` affiche uniquement les tâches, tandis que `-ttd` affiche les notes et les tâches).","Either \"text\" or \"json\"":"Soit \"text\" soit \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"Utilise le format de liste longue. Le format est ID, NOMBRE_DE_NOTES (pour les carnets), DATE, TACHE_TERMINE (pour les tâches), TITRE","Please select a notebook first.":"Veuillez d'abord sélectionner un carnet.","Creates a new notebook.":"Créer un carnet.","Creates a new note.":"Créer une note.","Notes can only be created within a notebook.":"Les notes ne peuvent être créées que dans un carnet.","Creates a new to-do.":"Créer une nouvelle tâche.","Moves the notes matching to [notebook].":"Déplacer les notes correspondant à vers [notebook].","Renames the given (note or notebook) to .":"Renommer l'objet (note ou carnet) en .","Deletes the given notebook.":"Supprimer le carnet.","Deletes the notebook without asking for confirmation.":"Supprimer le carnet sans demander la confirmation.","Delete notebook \"%s\"?":"Supprimer le carnet \"%s\" ?","Deletes the notes matching .":"Supprimer les notes correspondants à .","Deletes the notes without asking for confirmation.":"Supprimer les notes sans demander la confirmation.","%d notes match this pattern. Delete them?":"%d notes correspondent à ce motif. Les supprimer ?","Delete note?":"Supprimer la note ?","Searches for the given in all the notes.":"Chercher le motif dans toutes les notes.","Sets the property of the given to the given [value].":"Assigner la valeur [value] à la propriété de la donnée.","Displays summary about the notes and notebooks.":"Afficher un résumé des notes et carnets.","Synchronises with remote storage.":"Synchroniser les notes et carnets.","Sync to provided target (defaults to sync.target config value)":"Synchroniser avec la cible donnée (par défaut, la valeur de configuration `sync.target`).","Synchronisation is already in progress.":"La synchronisation est déjà en cours.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"La synchronisation est déjà en cours ou ne s'est pas interrompue correctement. Si vous savez qu'aucune autre synchronisation est en cours, vous pouvez supprimer le fichier \"%s\" pour reprendre l'opération.","Authentication was not completed (did not receive an authentication token).":"Impossible d'autoriser le logiciel (jeton d'identification non-reçu).","Synchronisation target: %s (%s)":"Cible de la synchronisation : %s (%s)","Cannot initialize synchroniser.":"Impossible d'initialiser la synchronisation.","Starting synchronisation...":"Commencement de la synchronisation...","Cancelling... Please wait.":"Annulation... Veuillez attendre."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" peut être \"add\", \"remove\" ou \"list\" pour assigner ou enlever l'étiquette [tag] de la [note], our pour lister les notes associées avec l'étiquette [tag]. La commande `tag list` peut être utilisée pour lister les étiquettes.","Invalid command: \"%s\"":"Commande invalide : \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":"Gère le status des tâches. peut être \"toggle\" ou \"clear\". Utilisez \"toggle\" pour basculer la tâche entre le status terminé et non-terminé (Si la cible est une note, elle sera convertie en tâche). Utilisez \"clear\" pour convertir la tâche en note.","Marks a to-do as non-completed.":"Marquer une tâche comme non-complétée.","Switches to [notebook] - all further operations will happen within this notebook.":"Changer de carnet - toutes les opérations à venir se feront dans ce carnet.","Displays version information":"Affiche les informations de version","%s %s (%s)":"%s %s (%s)","Enum":"Enum","Type: %s.":"Type : %s.","Possible values: %s.":"Valeurs possibles : %s.","Default: %s":"Défaut : %s","Possible keys/values:":"Clefs/Valeurs possibles :","Fatal error:":"Erreur fatale :","The application has been authorised - you may now close this browser tab.":"Le logiciel a été autorisé. Vous pouvez maintenant fermer cet onglet.","The application has been successfully authorised.":"Le logiciel a été autorisé.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Veuillez ouvrir le lien ci-dessous dans votre navigateur pour authentifier le logiciel. Joplin va créer un répertoire \"Apps/Joplin\" et lire/écrira des fichiers uniquement dans ce répertoire. Le logiciel n'aura pas d'accès à aucun fichier en dehors de ce répertoire, ni à d'autres données personnelles. Aucune donnée ne sera partagé avec aucun tier.","Search:":"Recherche :","File":"Fichier","New note":"Nouvelle note","New to-do":"Nouvelle tâche","New notebook":"Nouveau carnet","Import Evernote notes":"Importer notes d'Evernote","Evernote Export Files":"Fichiers d'export Evernote","Quit":"Quitter","Edit":"Édition","Copy":"Copier","Cut":"Couper","Paste":"Coller","Search in all the notes":"Chercher dans toutes les notes","Tools":"Outils","Synchronisation status":"Synchronisation status","Options":"Options","Help":"Aide","Website and documentation":"Documentation en ligne","About Joplin":"A propos de Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"OK","Cancel":"Annulation","Back":"Retour","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"Un nouveau carnet \"%s\" va être créé et le fichier \"%s\" va être importé dedans","Please create a notebook first.":"Veuillez d'abord sélectionner un carnet.","Note title:":"Titre de la note :","Please create a notebook first":"Veuillez d'abord créer un carnet d'abord","To-do title:":"Titre de la tâche :","Notebook title:":"Titre du carnet :","Add or remove tags:":"Modifier les étiquettes :","Separate each tag by a comma.":"Séparez chaque étiquette par une virgule.","Rename notebook:":"Renommer le carnet :","Set alarm:":"Set alarm:","Layout":"Disposition","Some items cannot be synchronised.":"Some items cannot be synchronised.","View them now":"","Add or remove tags":"Gérer les étiquettes","Switch between note and to-do type":"Alterner entre note et tâche","Delete":"Supprimer","Delete notes?":"Supprimer les notes ?","No notes in here. Create one by clicking on \"New note\".":"Pas de notes ici. Créez-en une en pressant le bouton \"Nouvelle note\".","Unsupported link or message: %s":"Lien ou message non géré : %s","Attach file":"Attacher un fichier","Set alarm":"Set alarm","Refresh":"Rafraîchir","Clear":"Supprimer","OneDrive Login":"Connexion OneDrive","Import":"Importer","Synchronisation Status":"Synchronisation Status","Delete notebook?":"Supprimer le carnet ?","Remove this tag from all the notes?":"Enlever cette étiquette de toutes les notes ?","Remove this search from the sidebar?":"Enlever cette recherche de la barre latérale ?","Rename":"Renommer","Synchronise":"Synchroniser","Notebooks":"Carnets","Tags":"Étiquettes","Searches":"Recherches","Usage: %s":"Utilisation : %s","Unknown flag: %s":"Paramètre inconnu : %s","File system":"Système de fichier","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dév (Pour tester uniquement)","Unknown log level: %s":"Paramètre inconnu : %s","Unknown level ID: %s":"Paramètre inconnu : %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"Impossible de rafraîchir la connexion à OneDrive. Démarrez la synchronisation à nouveau pour corriger le problème.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"","Cannot access %s":"Impossible d'accéder à %s","Created local items: %d.":"Objets créés localement : %d.","Updated local items: %d.":"Objets mis à jour localement : %d.","Created remote items: %d.":"Objets distants créés : %d.","Updated remote items: %d.":"Objets distants mis à jour : %d.","Deleted local items: %d.":"Objets supprimés localement : %d.","Deleted remote items: %d.":"Objets distants supprimés : %d.","State: \"%s\".":"État : \"%s\".","Cancelling...":"Annulation...","Completed: %s":"Terminé : %s","Synchronisation is already in progress. State: %s":"La synchronisation est déjà en cours. État : %s","Conflicts":"Conflits","A notebook with this title already exists: \"%s\"":"Un carnet avec ce titre existe déjà : \"%s\"","Notebooks cannot be named \"%s\", which is a reserved title.":"Les carnets ne peuvent être nommés \"%s\" car c'est un nom réservé.","Untitled":"Sans titre","This note does not have geolocation information.":"Cette note n'a pas d'information d'emplacement.","Cannot copy note to \"%s\" notebook":"Impossible de copier la note vers le carnet \"%s\"","Cannot move note to \"%s\" notebook":"Impossible de déplacer la note vers le carnet \"%s\"","File system synchronisation target directory":"Cible de la synchronisation sur le disque dur","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"Le chemin du répertoire avec lequel synchroniser lorsque la synchronisation par système de fichier est activée. Voir `sync.target`.","Text editor":"Éditeur de texte","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"L'éditeur de texte pour ouvrir et modifier les notes. Si aucun n'est spécifié, il sera détecté automatiquement.","Language":"Langue","Date format":"Format de la date","Time format":"Format de l'heure","Theme":"Apparence","Light":"Clair","Dark":"Sombre","Show uncompleted todos on top of the lists":"Tâches non-terminées en haut des listes","Save geo-location with notes":"Enregistrer l'emplacement avec les notes","Synchronisation interval":"Intervalle de synchronisation","Disabled":"Désactivé","%d minutes":"%d minutes","%d hour":"%d heure","%d hours":"%d heures","Automatically update the application":"Mettre à jour le logiciel automatiquement","Show advanced options":"Montrer les options avancées","Synchronisation target":"Cible de la synchronisation","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"La cible avec laquelle synchroniser. Pour synchroniser avec le système de fichier, veuillez spécifier le répertoire avec `sync.2.path`.","Invalid option value: \"%s\". Possible values are: %s.":"Option invalide: \"%s\". Les valeurs possibles sont : %s.","Items that cannot be synchronised":"","\"%s\": \"%s\"":"","Sync status (synced items / total items)":"Status de la synchronisation (objets synchro. / total)","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Total : %d/%d","Conflicted: %d":"Conflits : %d","To delete: %d":"A supprimer : %d","Folders":"Carnets","%s: %d notes":"%s : %d notes","Coming alarms":"Alarmes à venir","On %s: %s":"Le %s : %s","There are currently no notes. Create one by clicking on the (+) button.":"Ce carnet ne contient aucune note. Créez-en une en appuyant sur le bouton (+).","Delete these notes?":"Supprimer ces notes ?","Log":"Journal","Status":"État","Export Debug Report":"Exporter rapport de débogage","Configuration":"Configuration","Move to notebook...":"Déplacer la note vers carnet...","Move %d notes to notebook \"%s\"?":"Déplacer %d notes vers carnet \"%s\" ?","Select date":"Sélectionner date","Confirm":"Confirmer","Cancel synchronisation":"Annuler synchronisation","The notebook could not be saved: %s":"Ce carnet n'a pas pu être sauvegardé : %s","Edit notebook":"Éditer le carnet","This note has been modified:":"Cette note a été modifiée :","Save changes":"Enregistrer les changements","Discard changes":"Ignorer les changements","Unsupported image type: %s":"Type d'image non géré : %s","Attach photo":"Attacher une photo","Attach any file":"Attacher un fichier","Convert to note":"Convertir en note","Convert to todo":"Convertir en tâche","Hide metadata":"Cacher les métadonnées","Show metadata":"Afficher les métadonnées","View on map":"Voir emplacement sur carte","Delete notebook":"Supprimer le carnet","Login with OneDrive":"Se connecter à OneDrive","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Appuyez sur le bouton (+) pour créer une nouvelle note ou carnet. Ouvrez le menu latéral pour accéder à vos carnets.","You currently have no notebook. Create one by clicking on (+) button.":"Vous n'avez pour l'instant pas de carnets. Créez-en un en pressant le bouton (+).","Welcome":"Bienvenue"} \ No newline at end of file +{"Give focus to next pane":"Activer le volet suivant","Give focus to previous pane":"Activer le volet précédent","Enter command line mode":"Démarrer le mode de ligne de commande","Exit command line mode":"Sortir du mode de ligne de commande","Edit the selected note":"Éditer la note sélectionnée","Cancel the current command.":"Annuler la commande en cours.","Exit the application.":"Quitter le logiciel.","Delete the currently selected note or notebook.":"Supprimer la note ou carnet sélectionné.","To delete a tag, untag the associated notes.":"Pour supprimer une vignette, enlever là des notes associées.","Please select the note or notebook to be deleted first.":"Veuillez d'abord sélectionner un carnet.","Set a to-do as completed / not completed":"Marquer une tâches comme complétée / non-complétée","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"Maximiser, minimiser, cacher ou rendre visible la console.","Search":"Chercher","[t]oggle note [m]etadata.":"Afficher/Cacher les métadonnées des notes.","[M]ake a new [n]ote":"Créer une nouvelle note","[M]ake a new [t]odo":"Créer une nouvelle tâche","[M]ake a new note[b]ook":"Créer un nouveau carnet","Copy ([Y]ank) the [n]ote to a notebook.":"Copier la note dans un autre carnet.","Move the note to a notebook.":"Déplacer la note vers un carnet.","Press Ctrl+D or type \"exit\" to exit the application":"Appuyez sur Ctrl+D ou tapez \"exit\" pour sortir du logiciel","More than one item match \"%s\". Please narrow down your query.":"Plus d'un objet correspond à \"%s\". Veuillez préciser votre requête.","No notebook selected.":"Aucun carnet n'est sélectionné.","No notebook has been specified.":"Aucun carnet n'est spécifié.","Y":"O","n":"n","N":"N","y":"o","Cancelling background synchronisation... Please wait.":"Annulation de la synchronisation... Veuillez patienter.","No such command: %s":"No such command: %s","The command \"%s\" is only available in GUI mode":"La commande \"%s\" est disponible uniquement en mode d'interface graphique","Missing required argument: %s":"Paramètre requis manquant : %s","%s: %s":"%s : %s","Your choice: ":"Votre choix : ","Invalid answer: %s":"Réponse invalide : %s","Attaches the given file to the note.":"Joindre le fichier fourni à la note.","Cannot find \"%s\".":"Impossible de trouver \"%s\".","Displays the given note.":"Affiche la note.","Displays the complete information about note.":"Affiche tous les détails de la note.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Obtient ou modifie une valeur de configuration. Si la [valeur] n'est pas fournie, la valeur de [nom] est affichée. Si ni le [nom] ni la [valeur] ne sont fournis, la configuration complète est affichée.","Also displays unset and hidden config variables.":"Afficher également les variables cachées.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Copier les notes correspondant à vers [carnet]. Si aucun carnet n'est spécifié, la note est dupliquée sur place.","Marks a to-do as done.":"Marquer la tâche comme complétée.","Note is not a to-do: \"%s\"":"La note n'est pas une tâche : \"%s\"","Edit note.":"Éditer la note.","No text editor is defined. Please set it using `config editor `":"Aucun éditeur de texte n'est défini. Veuillez le définir en utilisant la commande `config editor `","No active notebook.":"Aucun carnet actif.","Note does not exist: \"%s\". Create it?":"Cette note n'existe pas : \"%s\". La créer ?","Starting to edit note. Close the editor to get back to the prompt.":"Édition de la note en cours. Fermez l'éditeur de texte pour retourner à l'invite de commande.","Note has been saved.":"La note a été enregistrée.","Exits the application.":"Quitter le logiciel.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Exporter les données de Joplin vers le dossier fourni. Par défaut, la base de donnée complète sera exportée, y compris les carnets, notes, tags et resources.","Exports only the given note.":"Exporter uniquement la note spécifiée.","Exports only the given notebook.":"Exporter uniquement le carnet spécifié.","Displays a geolocation URL for the note.":"Afficher l'URL de l'emplacement de la note.","Displays usage information.":"Affiche les informations d'utilisation.","Shortcuts are not available in CLI mode.":"Les raccourcis ne sont pas disponible en mode de ligne de commande.","Type `help [command]` for more information about a command; or type `help all` for the complete usage information.":"Type `help [command]` for more information about a command; or type `help all` for the complete usage information.","The possible commands are:":"Les commandes possibles sont :","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"Dans une commande, une note ou carnet peut être référé par titre ou identifiant, ou en utilisant les raccourcis `$n` et `$b` pour, respectivement, la note sélectionnée et le carnet sélectionné. `$c` peut être utilisé pour faire référence à l'objet sélectionné en cours.","To move from one pane to another, press Tab or Shift+Tab.":"Pour aller d'un volet à l'autre, pressez Tab ou Maj+Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Utilisez les touches fléchées et page précédente/suivante pour faire défiler les listes et zones de texte (y compris cette console).","To maximise/minimise the console, press \"TC\".":"Pour maximiser ou minimiser la console, pressez \"TC\".","To enter command line mode, press \":\"":"Pour démarrer le mode ligne de commande, pressez \":\"","To exit command line mode, press ESCAPE":"Pour sortir du mode ligne de commande, pressez ECHAP","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Pour la liste complète des raccourcis disponibles, tapez `help shortcuts`","Imports an Evernote notebook file (.enex file).":"Importer un carnet Evernote (fichier .enex).","Do not ask for confirmation.":"Ne pas demander de confirmation.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"Le fichier \"%s\" va être importé dans le carnet existant \"%s\". Continuer ?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"Un nouveau carnet \"%s\" va être créé et le fichier \"%s\" va être importé dedans. Continuer ?","Found: %d.":"Trouvés : %d.","Created: %d.":"Créés : %d.","Updated: %d.":"Mis à jour : %d.","Skipped: %d.":"Ignorés : %d.","Resources: %d.":"Ressources : %d.","Tagged: %d.":"Étiquettes : %d.","Importing notes...":"Importation des notes...","The notes have been imported: %s":"Les notes ont été importées : %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Affiche les notes dans le carnet. Utilisez `ls /` pour afficher la liste des carnets.","Displays only the first top notes.":"Affiche uniquement les premières notes.","Sorts the item by (eg. title, updated_time, created_time).":"Trier les notes par (par exemple, title, updated_time, created_time).","Reverses the sorting order.":"Inverser l'ordre.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Affiche uniquement les notes du ou des types spécifiés. Le type peut-être `n` pour les notes, `t` pour les tâches (par exemple, `-tt` affiche uniquement les tâches, tandis que `-ttd` affiche les notes et les tâches).","Either \"text\" or \"json\"":"Soit \"text\" soit \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"Utilise le format de liste longue. Le format est ID, NOMBRE_DE_NOTES (pour les carnets), DATE, TACHE_TERMINE (pour les tâches), TITRE","Please select a notebook first.":"Veuillez d'abord sélectionner un carnet.","Creates a new notebook.":"Créer un carnet.","Creates a new note.":"Créer une note.","Notes can only be created within a notebook.":"Les notes ne peuvent être créées que dans un carnet.","Creates a new to-do.":"Créer une nouvelle tâche.","Moves the notes matching to [notebook].":"Déplacer les notes correspondant à vers [notebook].","Renames the given (note or notebook) to .":"Renommer l'objet (note ou carnet) en .","Deletes the given notebook.":"Supprimer le carnet.","Deletes the notebook without asking for confirmation.":"Supprimer le carnet sans demander la confirmation.","Delete notebook? All notes within this notebook will also be deleted.":"","Deletes the notes matching .":"Supprimer les notes correspondants à .","Deletes the notes without asking for confirmation.":"Supprimer les notes sans demander la confirmation.","%d notes match this pattern. Delete them?":"%d notes correspondent à ce motif. Les supprimer ?","Delete note?":"Supprimer la note ?","Searches for the given in all the notes.":"Chercher le motif dans toutes les notes.","Sets the property of the given to the given [value]. Possible properties are:\n\n%s":"Sets the property of the given to the given [value]. Possible properties are:\n\n%s","Displays summary about the notes and notebooks.":"Afficher un résumé des notes et carnets.","Synchronises with remote storage.":"Synchroniser les notes et carnets.","Sync to provided target (defaults to sync.target config value)":"Synchroniser avec la cible donnée (par défaut, la valeur de configuration `sync.target`).","Synchronisation is already in progress.":"La synchronisation est déjà en cours.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"La synchronisation est déjà en cours ou ne s'est pas interrompue correctement. Si vous savez qu'aucune autre synchronisation est en cours, vous pouvez supprimer le fichier \"%s\" pour reprendre l'opération.","Authentication was not completed (did not receive an authentication token).":"Impossible d'autoriser le logiciel (jeton d'identification non-reçu).","Synchronisation target: %s (%s)":"Cible de la synchronisation : %s (%s)","Cannot initialize synchroniser.":"Impossible d'initialiser la synchronisation.","Starting synchronisation...":"Commencement de la synchronisation...","Cancelling... Please wait.":"Annulation... Veuillez attendre."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" peut être \"add\", \"remove\" ou \"list\" pour assigner ou enlever l'étiquette [tag] de la [note], our pour lister les notes associées avec l'étiquette [tag]. La commande `tag list` peut être utilisée pour lister les étiquettes.","Invalid command: \"%s\"":"Commande invalide : \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":"Gère le status des tâches. peut être \"toggle\" ou \"clear\". Utilisez \"toggle\" pour basculer la tâche entre le status terminé et non-terminé (Si la cible est une note, elle sera convertie en tâche). Utilisez \"clear\" pour convertir la tâche en note.","Marks a to-do as non-completed.":"Marquer une tâche comme non-complétée.","Switches to [notebook] - all further operations will happen within this notebook.":"Changer de carnet - toutes les opérations à venir se feront dans ce carnet.","Displays version information":"Affiche les informations de version","%s %s (%s)":"%s %s (%s)","Enum":"Enum","Type: %s.":"Type : %s.","Possible values: %s.":"Valeurs possibles : %s.","Default: %s":"Défaut : %s","Possible keys/values:":"Clefs/Valeurs possibles :","Fatal error:":"Erreur fatale :","The application has been authorised - you may now close this browser tab.":"Le logiciel a été autorisé. Vous pouvez maintenant fermer cet onglet.","The application has been successfully authorised.":"Le logiciel a été autorisé.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Veuillez ouvrir le lien ci-dessous dans votre navigateur pour authentifier le logiciel. Joplin va créer un répertoire \"Apps/Joplin\" et lire/écrira des fichiers uniquement dans ce répertoire. Le logiciel n'aura pas d'accès à aucun fichier en dehors de ce répertoire, ni à d'autres données personnelles. Aucune donnée ne sera partagé avec aucun tier.","Search:":"Recherche :","Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.":"","File":"Fichier","New note":"Nouvelle note","New to-do":"Nouvelle tâche","New notebook":"Nouveau carnet","Import Evernote notes":"Importer notes d'Evernote","Evernote Export Files":"Fichiers d'export Evernote","Quit":"Quitter","Edit":"Édition","Copy":"Copier","Cut":"Couper","Paste":"Coller","Search in all the notes":"Chercher dans toutes les notes","Tools":"Outils","Synchronisation status":"Synchronisation status","Options":"Options","Help":"Aide","Website and documentation":"Documentation en ligne","About Joplin":"A propos de Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"OK","Cancel":"Annulation","Notes and settings are stored in: %s":"","Save":"","Back":"Retour","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"Un nouveau carnet \"%s\" va être créé et le fichier \"%s\" va être importé dedans","Please create a notebook first.":"Veuillez d'abord sélectionner un carnet.","Note title:":"Titre de la note :","Please create a notebook first":"Veuillez d'abord créer un carnet d'abord","To-do title:":"Titre de la tâche :","Notebook title:":"Titre du carnet :","Add or remove tags:":"Modifier les étiquettes :","Separate each tag by a comma.":"Séparez chaque étiquette par une virgule.","Rename notebook:":"Renommer le carnet :","Set alarm:":"Set alarm:","Layout":"Disposition","Some items cannot be synchronised.":"Some items cannot be synchronised.","View them now":"","Active":"","ID":"","Source":"","Created":"Created","Updated":"Updated","Password":"","Password OK":"","Note: Only one master key is going to be used for encryption (the one marked as \"active\"). Any of the keys might be used for decryption, depending on how the notes or notebooks were originally encrypted.":"","Add or remove tags":"Gérer les étiquettes","Switch between note and to-do type":"Alterner entre note et tâche","Delete":"Supprimer","Delete notes?":"Supprimer les notes ?","No notes in here. Create one by clicking on \"New note\".":"Pas de notes ici. Créez-en une en pressant le bouton \"Nouvelle note\".","There is currently no notebook. Create one by clicking on \"New notebook\".":"There is currently no notebook. Create one by clicking on \"New notebook\".","Unsupported link or message: %s":"Lien ou message non géré : %s","Attach file":"Attacher un fichier","Set alarm":"Set alarm","Refresh":"Rafraîchir","Clear":"Supprimer","OneDrive Login":"Connexion OneDrive","Import":"Importer","Synchronisation Status":"Synchronisation Status","Remove this tag from all the notes?":"Enlever cette étiquette de toutes les notes ?","Remove this search from the sidebar?":"Enlever cette recherche de la barre latérale ?","Rename":"Renommer","Synchronise":"Synchroniser","Notebooks":"Carnets","Tags":"Étiquettes","Searches":"Recherches","Please select where the sync status should be exported to":"Please select where the sync status should be exported to","Usage: %s":"Utilisation : %s","Unknown flag: %s":"Paramètre inconnu : %s","File system":"Système de fichier","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dév (Pour tester uniquement)","Unknown log level: %s":"Paramètre inconnu : %s","Unknown level ID: %s":"Paramètre inconnu : %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"Impossible de rafraîchir la connexion à OneDrive. Démarrez la synchronisation à nouveau pour corriger le problème.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"","Cannot access %s":"Impossible d'accéder à %s","Created local items: %d.":"Objets créés localement : %d.","Updated local items: %d.":"Objets mis à jour localement : %d.","Created remote items: %d.":"Objets distants créés : %d.","Updated remote items: %d.":"Objets distants mis à jour : %d.","Deleted local items: %d.":"Objets supprimés localement : %d.","Deleted remote items: %d.":"Objets distants supprimés : %d.","State: \"%s\".":"État : \"%s\".","Cancelling...":"Annulation...","Completed: %s":"Terminé : %s","Synchronisation is already in progress. State: %s":"La synchronisation est déjà en cours. État : %s","Conflicts":"Conflits","A notebook with this title already exists: \"%s\"":"Un carnet avec ce titre existe déjà : \"%s\"","Notebooks cannot be named \"%s\", which is a reserved title.":"Les carnets ne peuvent être nommés \"%s\" car c'est un nom réservé.","Untitled":"Sans titre","This note does not have geolocation information.":"Cette note n'a pas d'information d'emplacement.","Cannot copy note to \"%s\" notebook":"Impossible de copier la note vers le carnet \"%s\"","Cannot move note to \"%s\" notebook":"Impossible de déplacer la note vers le carnet \"%s\"","Text editor":"Éditeur de texte","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"L'éditeur de texte pour ouvrir et modifier les notes. Si aucun n'est spécifié, il sera détecté automatiquement.","Language":"Langue","Date format":"Format de la date","Time format":"Format de l'heure","Theme":"Apparence","Light":"Clair","Dark":"Sombre","Show uncompleted todos on top of the lists":"Tâches non-terminées en haut des listes","Save geo-location with notes":"Enregistrer l'emplacement avec les notes","Synchronisation interval":"Intervalle de synchronisation","Disabled":"Désactivé","%d minutes":"%d minutes","%d hour":"%d heure","%d hours":"%d heures","Automatically update the application":"Mettre à jour le logiciel automatiquement","Show advanced options":"Montrer les options avancées","Synchronisation target":"Cible de la synchronisation","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"La cible avec laquelle synchroniser. Pour synchroniser avec le système de fichier, veuillez spécifier le répertoire avec `sync.2.path`.","Directory to synchronise with (absolute path)":"","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"Le chemin du répertoire avec lequel synchroniser lorsque la synchronisation par système de fichier est activée. Voir `sync.target`.","Invalid option value: \"%s\". Possible values are: %s.":"Option invalide: \"%s\". Les valeurs possibles sont : %s.","Items that cannot be synchronised":"","\"%s\": \"%s\"":"","Sync status (synced items / total items)":"Status de la synchronisation (objets synchro. / total)","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Total : %d/%d","Conflicted: %d":"Conflits : %d","To delete: %d":"A supprimer : %d","Folders":"Carnets","%s: %d notes":"%s : %d notes","Coming alarms":"Alarmes à venir","On %s: %s":"Le %s : %s","There are currently no notes. Create one by clicking on the (+) button.":"Ce carnet ne contient aucune note. Créez-en une en appuyant sur le bouton (+).","Delete these notes?":"Supprimer ces notes ?","Log":"Journal","Status":"État","Export Debug Report":"Exporter rapport de débogage","Configuration":"Configuration","Move to notebook...":"Déplacer la note vers carnet...","Move %d notes to notebook \"%s\"?":"Déplacer %d notes vers carnet \"%s\" ?","Select date":"Sélectionner date","Confirm":"Confirmer","Cancel synchronisation":"Annuler synchronisation","The notebook could not be saved: %s":"Ce carnet n'a pas pu être sauvegardé : %s","Edit notebook":"Éditer le carnet","This note has been modified:":"Cette note a été modifiée :","Save changes":"Enregistrer les changements","Discard changes":"Ignorer les changements","Unsupported image type: %s":"Type d'image non géré : %s","Attach photo":"Attacher une photo","Attach any file":"Attacher un fichier","Convert to note":"Convertir en note","Convert to todo":"Convertir en tâche","Hide metadata":"Cacher les métadonnées","Show metadata":"Afficher les métadonnées","View on map":"Voir emplacement sur carte","Delete notebook":"Supprimer le carnet","Login with OneDrive":"Se connecter à OneDrive","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Appuyez sur le bouton (+) pour créer une nouvelle note ou carnet. Ouvrez le menu latéral pour accéder à vos carnets.","You currently have no notebook. Create one by clicking on (+) button.":"Vous n'avez pour l'instant pas de carnets. Créez-en un en pressant le bouton (+).","Welcome":"Bienvenue"} \ No newline at end of file diff --git a/ReactNativeClient/locales/hr_HR.json b/ReactNativeClient/locales/hr_HR.json new file mode 100644 index 000000000..79edcd63d --- /dev/null +++ b/ReactNativeClient/locales/hr_HR.json @@ -0,0 +1 @@ +{"Give focus to next pane":"Fokusiraj sljedeće okno","Give focus to previous pane":"Fokusiraj prethodno okno","Enter command line mode":"Otvori naredbeni redak","Exit command line mode":"Napusti naredbeni redak","Edit the selected note":"Uredi odabranu bilješku","Cancel the current command.":"Prekini trenutnu naredbu.","Exit the application.":"Izađi iz aplikacije.","Delete the currently selected note or notebook.":"Obriši odabranu bilješku ili bilježnicu.","To delete a tag, untag the associated notes.":"Da bi mogao obrisati oznaku, skini oznaku s povezanih bilješki.","Please select the note or notebook to be deleted first.":"Odaberi bilješku ili bilježnicu za brisanje.","Set a to-do as completed / not completed":"Postavi zadatak kao završen/nezavršen","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"[t]oggle [c]onsole between maximized/minimized/hidden/visible.","Search":"Traži","[t]oggle note [m]etadata.":"[t]oggle note [m]etadata.","[M]ake a new [n]ote":"[M]ake a new [n]ote","[M]ake a new [t]odo":"[M]ake a new [t]odo","[M]ake a new note[b]ook":"[M]ake a new note[b]ook","Copy ([Y]ank) the [n]ote to a notebook.":"Copy ([Y]ank) the [n]ote to a notebook.","Move the note to a notebook.":"Premjesti bilješku u bilježnicu.","Press Ctrl+D or type \"exit\" to exit the application":"Pritisni Ctrl+D ili napiši \"exit\" za izlazak iz aplikacije","More than one item match \"%s\". Please narrow down your query.":"Više od jednog rezultata odgovara \"%s\". Promijeni upit.","No notebook selected.":"Nije odabrana bilježnica.","No notebook has been specified.":"Nije specificirana bilježnica.","Y":"Y","n":"n","N":"N","y":"y","Cancelling background synchronisation... Please wait.":"Prekid sinkronizacije u pozadini... Pričekaj.","No such command: %s":"Ne postoji naredba: %s","The command \"%s\" is only available in GUI mode":"Naredba \"%s\" postoji samo u inačici s grafičkim sučeljem","Missing required argument: %s":"Nedostaje obavezni argument: %s","%s: %s":"%s: %s","Your choice: ":"Tvoj izbor: ","Invalid answer: %s":"Nevažeći odgovor: %s","Attaches the given file to the note.":"Prilaže datu datoteku bilješci.","Cannot find \"%s\".":"Ne mogu naći \"%s\".","Displays the given note.":"Prikazuje datu bilješku.","Displays the complete information about note.":"Prikazuje potpunu informaciju o bilješci.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.","Also displays unset and hidden config variables.":"Također prikazuje nepostavljene i skrivene konfiguracijske varijable.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.","Marks a to-do as done.":"Označava zadatak završenim.","Note is not a to-do: \"%s\"":"Bilješka nije zadatak: \"%s\"","Edit note.":"Uredi bilješku.","No text editor is defined. Please set it using `config editor `":"No text editor is defined. Please set it using `config editor `","No active notebook.":"Nema aktivne bilježnice.","Note does not exist: \"%s\". Create it?":"Bilješka ne postoji: \"%s\". Napravi je?","Starting to edit note. Close the editor to get back to the prompt.":"Starting to edit note. Close the editor to get back to the prompt.","Note has been saved.":"Bilješka je spremljena.","Exits the application.":"Izlaz iz aplikacije.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Izvozi podatke u dati direktorij. Po defaultu izvozi sve podatke uključujući bilježnice, bilješke, zadatke i resurse.","Exports only the given note.":"Izvozi samo datu bilješku.","Exports only the given notebook.":"Izvozi samo datu bilježnicu.","Displays a geolocation URL for the note.":"Prikazuje geolokacijski URL bilješke.","Displays usage information.":"Prikazuje informacije o korištenju.","Shortcuts are not available in CLI mode.":"Prečaci nisu podržani u naredbenom retku.","Type `help [command]` for more information about a command; or type `help all` for the complete usage information.":"Upiši `help [naredba]` za više informacija o naredbi ili `help all` za sve informacije o korištenju.","The possible commands are:":"Moguće naredbe su:","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.","To move from one pane to another, press Tab or Shift+Tab.":"Za prijelaz iz jednog okna u drugo, pritisni Tab ili Shift+Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Use the arrows and page up/down to scroll the lists and text areas (including this console).","To maximise/minimise the console, press \"TC\".":"Za maksimiziranje/minimiziranje konzole, pritisni \"TC\".","To enter command line mode, press \":\"":"Za ulaz u naredbeni redak, pritisni \":\"","To exit command line mode, press ESCAPE":"Za izlaz iz naredbenog retka, pritisni Esc","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Za potpunu listu mogućih prečaca, upiši `help shortcuts`","Imports an Evernote notebook file (.enex file).":"Uvozi Evernote bilježnicu (.enex datoteku).","Do not ask for confirmation.":"Ne pitaj za potvrdu.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"Datoteka \"%s\" će biti uvezena u postojeću bilježnicu \"%s\". Nastavi?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"Nova bilježnica \"%s\" će biti stvorena i datoteka \"%s\" će biti uvezena u nju. Nastavi?","Found: %d.":"Nađeno: %d.","Created: %d.":"Stvoreno: %d.","Updated: %d.":"Ažurirano: %d.","Skipped: %d.":"Preskočeno: %d.","Resources: %d.":"Resursi: %d.","Tagged: %d.":"Označeno: %d.","Importing notes...":"Uvozim bilješke...","The notes have been imported: %s":"Bilješke su uvezene: %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Prikazuje bilješke u trenutnoj bilježnici. Upiši `ls /` za prikaz liste bilježnica.","Displays only the first top notes.":"Prikaži samo prvih bilješki.","Sorts the item by (eg. title, updated_time, created_time).":"Sorts the item by (eg. title, updated_time, created_time).","Reverses the sorting order.":"Mijenja redoslijed.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.","Either \"text\" or \"json\"":"Ili \"text\" ili \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE","Please select a notebook first.":"Odaberi bilježnicu.","Creates a new notebook.":"Stvara novu bilježnicu.","Creates a new note.":"Stvara novu bilješku.","Notes can only be created within a notebook.":"Bilješke je moguće stvoriti samo u sklopu bilježnice.","Creates a new to-do.":"Stvara novi zadatak.","Moves the notes matching to [notebook].":"Premješta podudarajuće bilješke u [bilježnicu].","Renames the given (note or notebook) to .":"Renames the given (note or notebook) to .","Deletes the given notebook.":"Briše datu bilježnicu.","Deletes the notebook without asking for confirmation.":"Briše bilježnicu bez traženja potvrde.","Delete notebook? All notes within this notebook will also be deleted.":"Obrisati bilježnicu? Sve bilješke u toj bilježnici će također biti obrisane.","Deletes the notes matching .":"Deletes the notes matching .","Deletes the notes without asking for confirmation.":"Briše bilješke bez traženja potvrde.","%d notes match this pattern. Delete them?":"%d bilješki se podudara s pojmom pretraživanja. Obriši ih?","Delete note?":"Obrisati bilješku?","Searches for the given in all the notes.":"Searches for the given in all the notes.","Sets the property of the given to the given [value]. Possible properties are:\n\n%s":"Sets the property of the given to the given [value]. Possible properties are:\n\n%s","Displays summary about the notes and notebooks.":"Prikazuje sažetak o bilješkama i bilježnicama.","Synchronises with remote storage.":"Sinkronizira sa udaljenom pohranom podataka.","Sync to provided target (defaults to sync.target config value)":"Sinkroniziraj sa metom (default je polje sync.target u konfiguraciji)","Synchronisation is already in progress.":"Sinkronizacija je već u toku.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"Ako sinkronizacija nije u toku, obriši lock datoteku u \"%s\" i nastavi...","Authentication was not completed (did not receive an authentication token).":"Authentication was not completed (did not receive an authentication token).","Synchronisation target: %s (%s)":"Meta sinkronizacije: %s (%s)","Cannot initialize synchroniser.":"Ne mogu započeti sinkronizaciju.","Starting synchronisation...":"Započinjem sinkronizaciju...","Cancelling... Please wait.":"Prekidam... Pričekaj."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.","Invalid command: \"%s\"":"Nevažeća naredba: \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":" can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.","Marks a to-do as non-completed.":"Označava zadatak kao nezavršen.","Switches to [notebook] - all further operations will happen within this notebook.":"Switches to [notebook] - all further operations will happen within this notebook.","Displays version information":"Prikazuje verziju","%s %s (%s)":"%s %s (%s)","Enum":"Enumeracija","Type: %s.":"Vrsta: %s.","Possible values: %s.":"Moguće vrijednosti: %s.","Default: %s":"Default: %s","Possible keys/values:":"Mogući ključevi/vrijednosti:","Fatal error:":"Fatalna greška:","The application has been authorised - you may now close this browser tab.":"Aplikacija je autorizirana - smiješ zatvoriti karticu preglednika.","The application has been successfully authorised.":"Aplikacija je uspješno autorizirana.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Otvori sljedeći URL u pregledniku da bi ovjerio aplikaciju. Aplikacija će stvoriti direktorij u \"Apps/Joplin\" i koristiti će samo taj direktorij za čitanje i pisanje. Aplikacija neće imati pristup osobnim podacima niti ičemu izvan tog direktorija. Nijedan se podatak neće dijeliti s trećom stranom.","Search:":"Traži:","Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.":"Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.","File":"Datoteka","New note":"Nova bilješka","New to-do":"Novi zadatak","New notebook":"Nova bilježnica","Import Evernote notes":"Uvezi Evernote bilješke","Evernote Export Files":"Evernote izvozne datoteke","Quit":"Izađi","Edit":"Uredi","Copy":"Kopiraj","Cut":"Izreži","Paste":"Zalijepi","Search in all the notes":"Pretraži u svim bilješkama","Tools":"Alati","Synchronisation status":"Status sinkronizacije","Options":"Opcije","Help":"Pomoć","Website and documentation":"Website i dokumentacija","About Joplin":"O Joplinu","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"U redu","Cancel":"Odustani","Notes and settings are stored in: %s":"Bilješke i postavke su pohranjene u: %s","Save":"Spremi","Back":"Natrag","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"Nova bilježnica \"%s\" će biti stvorena i datoteka \"%s\" će biti uvezena u nju","Please create a notebook first.":"Prvo stvori bilježnicu.","Note title:":"Naslov bilješke:","Please create a notebook first":"Prvo stvori bilježnicu","To-do title:":"Naslov zadatka:","Notebook title:":"Naslov bilježnice:","Add or remove tags:":"Dodaj ili makni oznake:","Separate each tag by a comma.":"Odvoji oznake zarezom.","Rename notebook:":"Preimenuj bilježnicu:","Set alarm:":"Postavi upozorenje:","Layout":"Izgled","Some items cannot be synchronised.":"Neke stavke se ne mogu sinkronizirati.","View them now":"Pogledaj ih sada","Active":"","ID":"ID","Source":"Izvor","Created":"Stvoreno","Updated":"Ažurirano","Password":"","Password OK":"","Note: Only one master key is going to be used for encryption (the one marked as \"active\"). Any of the keys might be used for decryption, depending on how the notes or notebooks were originally encrypted.":"","Add or remove tags":"Dodaj ili makni oznake","Switch between note and to-do type":"Zamijeni bilješku i zadatak","Delete":"Obriši","Delete notes?":"Obriši bilješke?","No notes in here. Create one by clicking on \"New note\".":"Ovdje nema bilješki. Stvori novu pritiskom na \"Nova bilješka\".","There is currently no notebook. Create one by clicking on \"New notebook\".":"Ovdje nema bilježnica. Stvori novu pritiskom na \"Nova bilježnica\".","Unsupported link or message: %s":"Nepodržana poveznica ili poruka: %s","Attach file":"Priloži datoteku","Set alarm":"Postavi upozorenje","Refresh":"Osvježi","Clear":"Očisti","OneDrive Login":"OneDrive Login","Import":"Uvoz","Synchronisation Status":"Status Sinkronizacije","Remove this tag from all the notes?":"Makni ovu oznaku iz svih bilješki?","Remove this search from the sidebar?":"Makni ovu pretragu iz izbornika?","Rename":"Preimenuj","Synchronise":"Sinkroniziraj","Notebooks":"Bilježnice","Tags":"Oznake","Searches":"Pretraživanja","Please select where the sync status should be exported to":"Odaberi lokaciju za izvoz statusa sinkronizacije","Usage: %s":"Korištenje: %s","Unknown flag: %s":"Nepoznata zastavica: %s","File system":"Datotečni sustav","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dev (Samo za testiranje)","Unknown log level: %s":"Nepoznata razina logiranja: %s","Unknown level ID: %s":"Nepoznat ID razine: %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"Nedostaju podaci za ovjeru. Pokušaj ponovo započeti sinkronizaciju.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"Ne mogu sinkronizirati OneDrive.\n\nOva greška se često javlja pri korištenju usluge OneDrive for Business koja nije podržana.\n\nMolimo da koristite obični OneDrive korisnički račun.","Cannot access %s":"Ne mogu pristupiti %s","Created local items: %d.":"Stvorene lokalne stavke: %d.","Updated local items: %d.":"Ažurirane lokalne stavke: %d.","Created remote items: %d.":"Stvorene udaljene stavke: %d.","Updated remote items: %d.":"Ažurirane udaljene stavke: %d.","Deleted local items: %d.":"Obrisane lokalne stavke: %d.","Deleted remote items: %d.":"Obrisane udaljene stavke: %d.","State: \"%s\".":"Stanje: \"%s\".","Cancelling...":"Prekidam...","Completed: %s":"Dovršeno: %s","Synchronisation is already in progress. State: %s":"Sinkronizacija je već u toku. Stanje: %s","Conflicts":"Sukobi","A notebook with this title already exists: \"%s\"":"Bilježnica s ovim naslovom već postoji: \"%s\"","Notebooks cannot be named \"%s\", which is a reserved title.":"Naslov \"%s\" je rezerviran i ne može se koristiti.","Untitled":"Nenaslovljen","This note does not have geolocation information.":"Ova bilješka nema geolokacijske informacije.","Cannot copy note to \"%s\" notebook":"Ne mogu kopirati bilješku u bilježnicu %s","Cannot move note to \"%s\" notebook":"Ne mogu premjestiti bilješku u bilježnicu %s","Text editor":"Uređivač teksta","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"Program za uređivanje koji će biti korišten za uređivanje bilješki. Ako ni jedan nije odabran, pokušati će se sa default programom.","Language":"Jezik","Date format":"Format datuma","Time format":"Format vremena","Theme":"Tema","Light":"Svijetla","Dark":"Tamna","Show uncompleted todos on top of the lists":"Prikaži nezavršene zadatke na vrhu liste","Save geo-location with notes":"Spremi geolokacijske podatke sa bilješkama","Synchronisation interval":"Interval sinkronizacije","Disabled":"Onemogućeno","%d minutes":"%d minuta","%d hour":"%d sat","%d hours":"%d sati","Automatically update the application":"Automatsko instaliranje nove verzije","Show advanced options":"Prikaži napredne opcije","Synchronisation target":"Sinkroniziraj sa","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"Meta sinkronizacije. U slučaju sinkroniziranja s vlastitim datotečnim sustavom, postavi `sync.2.path` na ciljani direktorij.","Directory to synchronise with (absolute path)":"Direktorij za sinkroniziranje (apsolutna putanja)","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"Putanja do direktorija za sinkronizaciju u slučaju kad je sinkronizacija sa datotečnim sustavom omogućena. Vidi `sync.target`.","Invalid option value: \"%s\". Possible values are: %s.":"Nevažeća vrijednost: \"%s\". Moguće vrijednosti su: %s.","Items that cannot be synchronised":"Stavke koje se ne mogu sinkronizirati","\"%s\": \"%s\"":"\"%s\": \"%s\"","Sync status (synced items / total items)":"Status (sinkronizirane stavke / ukupni broj stavki)","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Ukupno: %d/%d","Conflicted: %d":"U sukobu: %d","To delete: %d":"Za brisanje: %d","Folders":"Mape","%s: %d notes":"%s: %d notes","Coming alarms":"Nadolazeća upozorenja","On %s: %s":"On %s: %s","There are currently no notes. Create one by clicking on the (+) button.":"Trenutno nema bilješki. Stvori novu klikom na (+) gumb.","Delete these notes?":"Obriši ove bilješke?","Log":"Log","Status":"Status","Export Debug Report":"Izvezi Debug izvještaj","Configuration":"Konfiguracija","Move to notebook...":"Premjesti u bilježnicu...","Move %d notes to notebook \"%s\"?":"Premjesti %d bilješke u bilježnicu \"%s\"?","Select date":"Odaberi datum","Confirm":"Potvrdi","Cancel synchronisation":"Prekini sinkronizaciju","The notebook could not be saved: %s":"Bilježnicu nije moguće snimiti: %s","Edit notebook":"Uredi bilježnicu","This note has been modified:":"Bilješka je promijenjena:","Save changes":"Spremi promjene","Discard changes":"Odbaci promjene","Unsupported image type: %s":"Nepodržana vrsta slike: %s","Attach photo":"Priloži sliku","Attach any file":"Priloži datoteku","Convert to note":"Pretvori u bilješku","Convert to todo":"Pretvori u zadatak","Hide metadata":"Sakrij metapodatke","Show metadata":"Prikaži metapodatke","View on map":"Vidi na karti","Delete notebook":"Obriši bilježnicu","Login with OneDrive":"Prijavi se u OneDrive","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Klikni (+) gumb za dodavanje nove bilješke ili bilježnice ili odaberi postojeću bilježnicu iz izbornika.","You currently have no notebook. Create one by clicking on (+) button.":"Trenutno nemaš nijednu bilježnicu. Stvori novu klikom na (+) gumb.","Welcome":"Dobro došli"} \ No newline at end of file diff --git a/ReactNativeClient/locales/index.js b/ReactNativeClient/locales/index.js index af272ad8b..4bf15478e 100644 --- a/ReactNativeClient/locales/index.js +++ b/ReactNativeClient/locales/index.js @@ -2,5 +2,10 @@ var locales = {}; locales['en_GB'] = require('./en_GB.json'); locales['de_DE'] = require('./de_DE.json'); locales['es_CR'] = require('./es_CR.json'); +locales['es_ES'] = require('./es_ES.json'); locales['fr_FR'] = require('./fr_FR.json'); +locales['hr_HR'] = require('./hr_HR.json'); +locales['it_IT'] = require('./it_IT.json'); +locales['pt_BR'] = require('./pt_BR.json'); +locales['ru_RU'] = require('./ru_RU.json'); module.exports = { locales: locales }; \ No newline at end of file diff --git a/ReactNativeClient/locales/it_IT.json b/ReactNativeClient/locales/it_IT.json new file mode 100644 index 000000000..c6a151703 --- /dev/null +++ b/ReactNativeClient/locales/it_IT.json @@ -0,0 +1 @@ +{"Give focus to next pane":"Pannello successivo","Give focus to previous pane":"Pannello precedente","Enter command line mode":"Accedi alla modalità linea di comando","Exit command line mode":"Esci dalla modalità linea di comando","Edit the selected note":"Modifica la nota selezionata","Cancel the current command.":"Cancella il comando corrente.","Exit the application.":"Esci dall'applicazione.","Delete the currently selected note or notebook.":"Elimina la nota o il blocco note selezionato.","To delete a tag, untag the associated notes.":"Elimina un'etichetta, togli l'etichetta associata alle note.","Please select the note or notebook to be deleted first.":"Per favore seleziona la nota o il blocco note da eliminare.","Set a to-do as completed / not completed":"Imposta un'attività come completata / non completata","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"Scegli lo s[t]ato della [c]onsole: massimizzato/minimizzato/nascosto/visibile.","Search":"Cerca","[t]oggle note [m]etadata.":"mos[t]ra/nascondi i [m]etadata nelle note.","[M]ake a new [n]ote":"Crea ([M]ake) una nuova [n]ota","[M]ake a new [t]odo":"Crea ([M]ake) una nuova at[t]ività","[M]ake a new note[b]ook":"Crea ([M]ake) un nuovo [b]locco note","Copy ([Y]ank) the [n]ote to a notebook.":"Copia ([Y]) la [n]ota in un blocco note.","Move the note to a notebook.":"Sposta la nota in un blocco note.","Press Ctrl+D or type \"exit\" to exit the application":"Premi Ctrl+D o digita \"exit\" per uscire dall'applicazione","More than one item match \"%s\". Please narrow down your query.":"Più di un elemento corrisponde a \"%s\". Per favore restringi la ricerca.","No notebook selected.":"Nessun blocco note selezionato.","No notebook has been specified.":"Nessun blocco note è statoi specificato.","Y":"S","n":"n","N":"N","y":"s","Cancelling background synchronisation... Please wait.":"Cancellazione della sincronizzazione in background... Attendere prego.","No such command: %s":"Nessun comando: %s","The command \"%s\" is only available in GUI mode":"Il comando \"%s\" è disponibile solo nella modalità grafica","Missing required argument: %s":"Argomento richiesto mancante: %s","%s: %s":"%s: %s","Your choice: ":"La tua scelta: ","Invalid answer: %s":"Risposta non valida: %s","Attaches the given file to the note.":"Allega il seguente file alla nota.","Cannot find \"%s\".":"Non posso trovare \"%s\".","Displays the given note.":"Mostra la seguente nota.","Displays the complete information about note.":"Mostra le informazioni complete sulla nota.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Ricevi o imposta un valore di configurazione. se [value] non è impostato, verrà mostrato il valore del [name]. Se sia [name] che [valore] sono impostati, verrà mostrata la configurazione corrente.","Also displays unset and hidden config variables.":"Mostra anche le variabili di configurazione non impostate o nascoste.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Duplica le note che corrispondono a nel [notebook]. Se nessun blocco note è specificato, la nota viene duplicata nel blocco note corrente.","Marks a to-do as done.":"Segna un'attività come completata.","Note is not a to-do: \"%s\"":"La nota non è un'attività: \"%s\"","Edit note.":"Modifica nota.","No text editor is defined. Please set it using `config editor `":"Non è definito nessun editor di testo. Per favore impostalo usando `config editor `","No active notebook.":"Nessun blocco note attivo.","Note does not exist: \"%s\". Create it?":"Non esiste la nota: \"%s\". Desideri crearla?","Starting to edit note. Close the editor to get back to the prompt.":"Comincia a modificare la nota. Chiudi l'editor per tornare al prompt.","Note has been saved.":"La nota è stata salvata.","Exits the application.":"Esci dall'applicazione.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Esporta i dati da Joplin nella directory selezionata. Come impostazione predefinita verrà esportato il database completo, inclusi blocchi note, note, etichette e risorse.","Exports only the given note.":"Esporta solo la seguente nota.","Exports only the given notebook.":"Esporta solo il seguente blocco note.","Displays a geolocation URL for the note.":"Mostra l'URL di geolocalizzazione per la nota.","Displays usage information.":"Mostra le informazioni di utilizzo.","Shortcuts are not available in CLI mode.":"Le scorciatoie non sono disponibili nella modalità CLI.","Type `help [command]` for more information about a command; or type `help all` for the complete usage information.":"Type `help [command]` for more information about a command; or type `help all` for the complete usage information.","The possible commands are:":"I possibili comandi sono:","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"In ciascun comando, si deve necessariamente definire una nota o un blocco note usando un titolo, un ID o usando le scorciatoie `$n` or `$b` per , rispettivamente, la nota o il blocco note selezionato `$c` può essere usato per fare riferimento all'elemento selezionato.","To move from one pane to another, press Tab or Shift+Tab.":"Per passare da un pannello all'altro, premi Tab o Shift+Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Usa le frecce e pagina su/giù per scorrere le liste e le aree di testo (compresa questa console).","To maximise/minimise the console, press \"TC\".":"Per massimizzare/minimizzare la console, premi \"TC\".","To enter command line mode, press \":\"":"Per entrare nella modalità command line, premi \":\"","To exit command line mode, press ESCAPE":"Per uscire dalla modalità command line, premi ESC","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Per la lista completa delle scorciatoie disponibili, digita `help shortcuts`","Imports an Evernote notebook file (.enex file).":"Importa un file blocco note di Evernote (.enex file).","Do not ask for confirmation.":"Non chiedere conferma.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"Il file \"%s\" sarà importato nel blocco note esistente \"%s\". Continuare?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"Un nuovo blocco note \"%s\" sarà creato e al suo interno verrà importato il file \"%s\" . Continuare?","Found: %d.":"Trovato: %d.","Created: %d.":"Creato: %d.","Updated: %d.":"Aggiornato: %d.","Skipped: %d.":"Saltato: %d.","Resources: %d.":"Risorse: %d.","Tagged: %d.":"Etichettato: %d.","Importing notes...":"Importazione delle note...","The notes have been imported: %s":"Le note sono state importate: %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Mostra le note nel seguente blocco note. Usa `ls /` per mostrare la lista dei blocchi note.","Displays only the first top notes.":"Mostra solo le prima note.","Sorts the item by (eg. title, updated_time, created_time).":"Ordina per (es. titolo, ultimo aggiornamento, creazione).","Reverses the sorting order.":"Inverti l'ordine.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Mostra solo gli elementi del tipo specificato. Possono essere `n` per le note, `t` per le attività o `nt` per note e attività. (es. `-tt` mostrerà solo le attività, mentre `-ttd` mostrerà sia note che attività.","Either \"text\" or \"json\"":"Sia \"testo\" che \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"Usa un formato lungo di lista. Il formato è ID, NOTE_COUNT (per i blocchi note), DATE, TODO_CHECKED (per le attività), TITLE","Please select a notebook first.":"Per favore prima seleziona un blocco note.","Creates a new notebook.":"Crea un nuovo blocco note.","Creates a new note.":"Crea una nuova nota.","Notes can only be created within a notebook.":"Le note possono essere create all'interno de blocco note.","Creates a new to-do.":"Crea una nuova attività.","Moves the notes matching to [notebook].":"Sposta le note che corrispondono a in [notebook].","Renames the given (note or notebook) to .":"Rinomina (nota o blocco note) in .","Deletes the given notebook.":"Elimina il seguente blocco note.","Deletes the notebook without asking for confirmation.":"Elimina il blocco note senza richiedere una conferma.","Delete notebook? All notes within this notebook will also be deleted.":"","Deletes the notes matching .":"Elimina le note che corrispondono a .","Deletes the notes without asking for confirmation.":"Elimina le note senza chiedere conferma.","%d notes match this pattern. Delete them?":"%d note corrispondono. Eliminarle?","Delete note?":"Eliminare la nota?","Searches for the given in all the notes.":"Cerca in tutte le note.","Sets the property of the given to the given [value]. Possible properties are:\n\n%s":"Sets the property of the given to the given [value]. Possible properties are:\n\n%s","Displays summary about the notes and notebooks.":"Mostra un sommario delle note e dei blocchi note.","Synchronises with remote storage.":"Sincronizza con l'archivio remoto.","Sync to provided target (defaults to sync.target config value)":"Sincronizza con l'obiettivo fornito (come predefinito il valore di configurazione sync.target)","Synchronisation is already in progress.":"La sincronizzazione è in corso.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"Trovato un file di blocco. Se si è certi che non è in corso alcuna sincronizzazione, è possibile eliminare il file di blocco in \"% s\" e riprendere l'operazione.","Authentication was not completed (did not receive an authentication token).":"Autenticazione non completata (non è stato ricevuto alcun token di autenticazione).","Synchronisation target: %s (%s)":"Posizione di sincronizzazione: %s (%s)","Cannot initialize synchroniser.":"Non è possibile inizializzare il sincronizzatore.","Starting synchronisation...":"Inizio sincronizzazione...","Cancelling... Please wait.":"Cancellazione... Attendere per favore."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" può essere \"add\", \"remove\" or \"list\" per assegnare o rimuovere [tag] da [note], o per mostrare le note associate a [tag]. Il comando `tag list` può essere usato per mostrare tutte le etichette.","Invalid command: \"%s\"":"Comando non valido: \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":" può essere \"toggle\" or \"clear\". Usa \"toggle\" per cambiare lo stato dell'attività tra completata/non completata (se l'oggetto è una normale nota, questa verrà convertita in un'attività). Usa \"clear\" convertire le attività in normali note.","Marks a to-do as non-completed.":"Marca un'attività come non completata.","Switches to [notebook] - all further operations will happen within this notebook.":"Passa tra [notebook] - tutte le ulteriori operazioni interesseranno il seguente blocco note.","Displays version information":"Mostra le informazioni sulla versione","%s %s (%s)":"%s %s (%s)","Enum":"Enumerare","Type: %s.":"Tipo: %s.","Possible values: %s.":"Valori possibili: %s.","Default: %s":"Predefinito: %s","Possible keys/values:":"Chiave/valore possibili:","Fatal error:":"Errore fatale:","The application has been authorised - you may now close this browser tab.":"L'applicazione è stata autorizzata - puoi chiudere questo tab del tuo browser.","The application has been successfully authorised.":"L'applicazione è stata autorizzata con successo.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Per favore apri il seguente URL nel tuo browser per autenticare l'applicazione. L'applicazione creerà una directory in \"Apps/Joplin\" e leggerà/scriverà file solo in questa directory. Non avrà accesso a nessun file all'esterno di questa directory o ad alcun dato personale. Nessun dato verrà condiviso con terze parti.","Search:":"Cerca:","Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.":"","File":"File","New note":"Nuova nota","New to-do":"Nuova attività","New notebook":"Nuovo blocco note","Import Evernote notes":"Importa le note da Evernote","Evernote Export Files":"Esposta i files di Evernote","Quit":"Esci","Edit":"Modifica","Copy":"Copia","Cut":"Taglia","Paste":"Incolla","Search in all the notes":"Cerca in tutte le note","Tools":"Strumenti","Synchronisation status":"Stato di sincronizzazione","Options":"Opzioni","Help":"Aiuto","Website and documentation":"Sito web e documentazione","About Joplin":"Informazione si Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"OK","Cancel":"Cancella","Notes and settings are stored in: %s":"","Save":"","Back":"Indietro","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"Il nuovo blocco note \"%s\" verrà creato e \"%s\" vi verrà importato","Please create a notebook first.":"Per favore prima crea un blocco note.","Note title:":"Titolo della Nota:","Please create a notebook first":"Per favore prima crea un blocco note","To-do title:":"Titolo dell'attività:","Notebook title:":"Titolo del blocco note:","Add or remove tags:":"Aggiungi or rimuovi etichetta:","Separate each tag by a comma.":"Separa ogni etichetta da una virgola.","Rename notebook:":"Rinomina il blocco note:","Set alarm:":"Imposta allarme:","Layout":"Disposizione","Some items cannot be synchronised.":"Alcuni elementi non possono essere sincronizzati.","View them now":"Mostrali ora","Active":"","ID":"","Source":"","Created":"Created","Updated":"Updated","Password":"","Password OK":"","Note: Only one master key is going to be used for encryption (the one marked as \"active\"). Any of the keys might be used for decryption, depending on how the notes or notebooks were originally encrypted.":"","Add or remove tags":"Aggiungi o rimuovi etichetta","Switch between note and to-do type":"Passa da un tipo di nota a un elenco di attività","Delete":"Elimina","Delete notes?":"Eliminare le note?","No notes in here. Create one by clicking on \"New note\".":"Non è presente nessuna nota. Creane una cliccando \"Nuova nota\".","There is currently no notebook. Create one by clicking on \"New notebook\".":"There is currently no notebook. Create one by clicking on \"New notebook\".","Unsupported link or message: %s":"Collegamento o messaggio non supportato: %s","Attach file":"Allega file","Set alarm":"Imposta allarme","Refresh":"Aggiorna","Clear":"Pulisci","OneDrive Login":"Login OneDrive","Import":"Importa","Synchronisation Status":"Stato della Sincronizzazione","Remove this tag from all the notes?":"Rimuovere questa etichetta da tutte le note?","Remove this search from the sidebar?":"Rimuovere questa ricerca dalla barra laterale?","Rename":"Rinomina","Synchronise":"Sincronizza","Notebooks":"Blocchi note","Tags":"Etichette","Searches":"Ricerche","Please select where the sync status should be exported to":"Please select where the sync status should be exported to","Usage: %s":"Uso: %s","Unknown flag: %s":"Etichetta sconosciuta: %s","File system":"File system","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dev (solo per test)","Unknown log level: %s":"Livello di log sconosciuto: %s","Unknown level ID: %s":"Livello ID sconosciuto: %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"Non è possibile aggiornare il token. mancano i dati di autenticazione. Ricominciare la sincronizzazione da capo potrebbe risolvere il problema.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"Impossibile sincronizzare con OneDrive.\n\nQuesto errore spesso accade quando si utilizza OneDrive for Business, che purtroppo non può essere supportato.\n\nSi prega di considerare l'idea di utilizzare un account OneDrive normale.","Cannot access %s":"Non è possibile accedere a %s","Created local items: %d.":"Elementi locali creati: %d.","Updated local items: %d.":"Elementi locali aggiornati: %d.","Created remote items: %d.":"Elementi remoti creati: %d.","Updated remote items: %d.":"Elementi remoti aggiornati: %d.","Deleted local items: %d.":"Elementi locali eliminati: %d.","Deleted remote items: %d.":"Elementi remoti eliminati: %d.","State: \"%s\".":"Stato: \"%s\".","Cancelling...":"Cancellazione...","Completed: %s":"Completata: %s","Synchronisation is already in progress. State: %s":"La sincronizzazione è già in corso. Stato: %s","Conflicts":"Conflitti","A notebook with this title already exists: \"%s\"":"Esiste già un blocco note col titolo \"%s\"","Notebooks cannot be named \"%s\", which is a reserved title.":"I blocchi non possono essere chiamati \"%s\". È un titolo riservato.","Untitled":"Senza titolo","This note does not have geolocation information.":"Questa nota non ha informazione sulla geolocalizzazione.","Cannot copy note to \"%s\" notebook":"Non posso copiare la nota nel blocco note \"%s\"","Cannot move note to \"%s\" notebook":"Non posso spostare la nota nel blocco note \"%s\"","Text editor":"Editor di testo","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"L'editor che sarà usato per aprire la nota. Se nessun editor è specificato si cercherà di individuare automaticamente l'editor predefinito.","Language":"Linguaggio","Date format":"Formato della data","Time format":"Formato dell'orario","Theme":"Tema","Light":"Chiaro","Dark":"Scuro","Show uncompleted todos on top of the lists":"Mostra todo inclompleti in cima alla lista","Save geo-location with notes":"Salva geo-localizzazione con le note","Synchronisation interval":"Intervallo di sincronizzazione","Disabled":"Disabilitato","%d minutes":"%d minuti","%d hour":"%d ora","%d hours":"%d ore","Automatically update the application":"Aggiorna automaticamente l'applicazione","Show advanced options":"Mostra opzioni avanzate","Synchronisation target":"Destinazione di sincronizzazione","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"La destinazione della sincronizzazione. Se si sincronizza con il file system, impostare ' Sync. 2. Path ' per specificare la directory di destinazione.","Directory to synchronise with (absolute path)":"","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"Il percorso di sincronizzazione quando la sincronizzazione è abilitata. Vedi `sync.target`.","Invalid option value: \"%s\". Possible values are: %s.":"Oprione non valida: \"%s\". I valori possibili sono: %s.","Items that cannot be synchronised":"Elementi che non possono essere sincronizzati","\"%s\": \"%s\"":"\"%s\": \"%s\"","Sync status (synced items / total items)":"Stato di sincronizzazione (Elementi sincronizzati / Elementi totali)","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Totale: %d %d","Conflicted: %d":"In conflitto: %d","To delete: %d":"Da cancellare: %d","Folders":"Cartelle","%s: %d notes":"%s: %d note","Coming alarms":"Avviso imminente","On %s: %s":"Su %s: %s","There are currently no notes. Create one by clicking on the (+) button.":"Al momento non ci sono note. Creane una cliccando sul bottone (+).","Delete these notes?":"Cancellare queste note?","Log":"Log","Status":"Stato","Export Debug Report":"Esporta il Report di Debug","Configuration":"Configurazione","Move to notebook...":"Sposta sul blocco note...","Move %d notes to notebook \"%s\"?":"Spostare le note %d sul blocco note \"%s\"?","Select date":"Seleziona la data","Confirm":"Conferma","Cancel synchronisation":"Cancella la sincronizzazione","The notebook could not be saved: %s":"Il blocco note non può essere salvato: %s","Edit notebook":"Modifica blocco note","This note has been modified:":"Questa note è stata modificata:","Save changes":"Salva i cambiamenti","Discard changes":"Ignora modifiche","Unsupported image type: %s":"Tipo di immagine non supportata: %s","Attach photo":"Allega foto","Attach any file":"Allega qualsiasi file","Convert to note":"Converti in nota","Convert to todo":"Converti in Todo","Hide metadata":"Nascondi i Metadati","Show metadata":"Mostra i metadati","View on map":"Guarda sulla mappa","Delete notebook":"Cancella blocco note","Login with OneDrive":"Accedi a OneDrive","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Fare clic sul pulsante (+) per creare una nuova nota o un nuovo blocco note. Fare clic sul menu laterale per accedere ai tuoi blocchi note esistenti.","You currently have no notebook. Create one by clicking on (+) button.":"Attualmente non hai nessun blocco note. Crearne uno cliccando sul pulsante (+).","Welcome":"Benvenuto"} \ No newline at end of file diff --git a/ReactNativeClient/locales/pt_BR.json b/ReactNativeClient/locales/pt_BR.json new file mode 100644 index 000000000..bc92f40e8 --- /dev/null +++ b/ReactNativeClient/locales/pt_BR.json @@ -0,0 +1 @@ +{"Give focus to next pane":"Dar o foco para o próximo painel","Give focus to previous pane":"Dar o foco para o painel anterior","Enter command line mode":"Entrar no modo de linha de comando","Exit command line mode":"Sair do modo de linha de comando","Edit the selected note":"Editar nota selecionada","Cancel the current command.":"Cancelar comando atual.","Exit the application.":"Sair da aplicação.","Delete the currently selected note or notebook.":"Excluir nota selecionada ou notebook.","To delete a tag, untag the associated notes.":"Para eliminar uma tag, remova a tag das notas associadas a ela.","Please select the note or notebook to be deleted first.":"Por favor, primeiro, selecione a nota ou caderno a excluir.","Set a to-do as completed / not completed":"Marcar uma tarefa como completada / não completada","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"al[t]ernar [c]onsole entre maximizado / minimizado / oculto / visível.","Search":"Procurar","[t]oggle note [m]etadata.":"al[t]ernar [m]etadados de notas.","[M]ake a new [n]ote":"Criar ([M]ake) uma nova [n]ota","[M]ake a new [t]odo":"Criar ([M]ake) nova [t]arefa","[M]ake a new note[b]ook":"Criar ([M]ake) novo caderno (note[b]ook)","Copy ([Y]ank) the [n]ote to a notebook.":"Copiar ([Y]ank) a [n]ota a um caderno.","Move the note to a notebook.":"Mover nota para um caderno.","Press Ctrl+D or type \"exit\" to exit the application":"Digite Ctrl+D ou \"exit\" para sair da aplicação","More than one item match \"%s\". Please narrow down your query.":"Mais que um item combinam com \"%s\". Por favor, refine sua pesquisa.","No notebook selected.":"Nenhum caderno selecionado.","No notebook has been specified.":"Nenhum caderno foi especificado.","Y":"S","n":"n","N":"N","y":"s","Cancelling background synchronisation... Please wait.":"Cancelando sincronização em segundo plano... Por favor, aguarde.","No such command: %s":"No such command: %s","The command \"%s\" is only available in GUI mode":"O comando \"%s\" está disponível somente em modo gráfico","Missing required argument: %s":"Argumento requerido faltando: %s","%s: %s":"%s: %s","Your choice: ":"Sua escolha: ","Invalid answer: %s":"Resposta inválida: %s","Attaches the given file to the note.":"Anexa o arquivo dado à nota.","Cannot find \"%s\".":"Não posso encontrar \"%s\".","Displays the given note.":"Exibe a nota informada.","Displays the complete information about note.":"Exibe a informação completa sobre a nota.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Obtém ou define um valor de configuração. Se [valor] não for fornecido, ele mostrará o valor de [nome]. Se nem [nome] nem [valor] forem fornecidos, ele listará a configuração atual.","Also displays unset and hidden config variables.":"Também exibe variáveis de configuração não definidas e ocultas.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Duplica as notas que correspondem a para o [caderno]. Se nenhum caderno for especificado, a nota será duplicada no caderno atual.","Marks a to-do as done.":"Marca uma tarefa como feita.","Note is not a to-do: \"%s\"":"Nota não é uma tarefa: \"%s\"","Edit note.":"Editar nota.","No text editor is defined. Please set it using `config editor `":"Nenhum editor de texto está definido. Defina-o usando o comando `config edit `","No active notebook.":"Nenhum caderno ativo.","Note does not exist: \"%s\". Create it?":"A nota não existe: \"%s\". Criar?","Starting to edit note. Close the editor to get back to the prompt.":"Começando a editar a nota. Feche o editor para voltar ao prompt.","Note has been saved.":"Nota gravada.","Exits the application.":"Sai da aplicação.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Exporta os dados do Joplin para o diretório informado. Por padrão, ele exportará o banco de dados completo, incluindo cadernos, notas, tags e recursos.","Exports only the given note.":"Exporta apenas a nota fornecida.","Exports only the given notebook.":"Exporta apenas o caderno fornecido.","Displays a geolocation URL for the note.":"Exibe uma URL de geolocalização para a nota.","Displays usage information.":"Exibe informações de uso.","Shortcuts are not available in CLI mode.":"Os atalhos não estão disponíveis no modo CLI.","Type `help [command]` for more information about a command; or type `help all` for the complete usage information.":"Type `help [command]` for more information about a command; or type `help all` for the complete usage information.","The possible commands are:":"Os comandos possíveis são:","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"Em qualquer comando, uma nota ou caderno pode ser referenciado por título ou ID, ou usando os atalhos `$n` ou` $b` para, respectivamente, a nota ou caderno selecionado. `$c` pode ser usado para se referenciar ao item atualmente selecionado.","To move from one pane to another, press Tab or Shift+Tab.":"Para mover de um painel para outro, pressione Tab ou Shift + Tab.","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Use as setas e a Page Up/Page Down para rolar as listas e áreas de texto (incluindo este console).","To maximise/minimise the console, press \"TC\".":"Para maximizar / minimizar o console, pressione \"TC\".","To enter command line mode, press \":\"":"Para entrar no modo de linha de comando, pressione \":\"","To exit command line mode, press ESCAPE":"Para sair do modo de linha de comando, pressione o ESC","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Para a lista completa de atalhos de teclado disponíveis, digite `help shortcuts`","Imports an Evernote notebook file (.enex file).":"Importa um arquivo de caderno do Evernote (arquivo .enex).","Do not ask for confirmation.":"Não pedir confirmação.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"O arquivo \"%s\" será importado para o caderno existente \"%s\". Continuar?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"O novo caderno \"%s\" será criado e o arquivo \"%s\" será importado para ele. Continuar?","Found: %d.":"Encontrado: %d.","Created: %d.":"Criado: %d.","Updated: %d.":"Atualizado: %d.","Skipped: %d.":"Ignorado: %d.","Resources: %d.":"Recursos: %d.","Tagged: %d.":"Tag adicionada: %d.","Importing notes...":"Importando notas ...","The notes have been imported: %s":"As notas foram importadas: %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Exibe as notas no caderno atual. Use `ls /` para exibir a lista de cadernos.","Displays only the first top notes.":"Exibe apenas as primeiras notas.","Sorts the item by (eg. title, updated_time, created_time).":"Classifica o item por (ex.: title, update_time, created_time).","Reverses the sorting order.":"Inverte a ordem de classificação.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Exibe apenas os itens do(s) tipo(s) específico(s). Pode ser `n` para notas,` t` para tarefas, ou `nt` para notas e tarefas (por exemplo.` -tt` exibiria apenas os itens pendentes, enquanto `-ttd` exibiria notas e tarefas .","Either \"text\" or \"json\"":"Ou \"text\" ou \"json\"","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"Use o formato da lista longa. O formato é ID, NOTE_COUNT (para caderno), DATE, TODO_CHECKED (para tarefas), TITLE","Please select a notebook first.":"Por favor, selecione um caderno primeiro.","Creates a new notebook.":"Cria um novo caderno.","Creates a new note.":"Cria uma nova nota.","Notes can only be created within a notebook.":"As notas só podem ser criadas dentro de um caderno.","Creates a new to-do.":"Cria uma nova tarefa.","Moves the notes matching to [notebook].":"Move as notas correspondentes para [caderno].","Renames the given (note or notebook) to .":"Renomeia o dado (nota ou caderno) para .","Deletes the given notebook.":"Exclui o caderno informado.","Deletes the notebook without asking for confirmation.":"Exclui o caderno sem pedir confirmação.","Delete notebook? All notes within this notebook will also be deleted.":"","Deletes the notes matching .":"Exclui as notas correspondentes ao padrão .","Deletes the notes without asking for confirmation.":"Exclui as notas sem pedir confirmação.","%d notes match this pattern. Delete them?":"%d notas correspondem a este padrão. Apagar todos?","Delete note?":"Apagar nota?","Searches for the given in all the notes.":"Procura o padrão em todas as notas.","Sets the property of the given to the given [value]. Possible properties are:\n\n%s":"Sets the property of the given to the given [value]. Possible properties are:\n\n%s","Displays summary about the notes and notebooks.":"Exibe sumário sobre as notas e cadernos.","Synchronises with remote storage.":"Sincroniza com o armazenamento remoto.","Sync to provided target (defaults to sync.target config value)":"Sincronizar para destino fornecido (p padrão é o valor de configuração sync.target)","Synchronisation is already in progress.":"A sincronização já está em andamento.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"O arquivo de bloqueio já está ativo. Se você sabe que nenhuma sincronização está ocorrendo, você pode excluir o arquivo de bloqueio em \"%s\" e retomar a operação.","Authentication was not completed (did not receive an authentication token).":"A autenticação não foi concluída (não recebeu um token de autenticação).","Synchronisation target: %s (%s)":"Alvo de sincronização: %s (%s)","Cannot initialize synchroniser.":"Não é possível inicializar o sincronizador.","Starting synchronisation...":"Iniciando sincronização...","Cancelling... Please wait.":"Cancelando... Aguarde."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" pode ser \"add\", \"remove\" ou \"list\" para atribuir ou remover [tag] de [nota], ou para listar as notas associadas a [tag]. O comando `taglist` pode ser usado para listar todas as tags.","Invalid command: \"%s\"":"Comando inválido: \"%s\""," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":" pode ser \"toggle\" ou \"clear\". Use \"toggle\" para alternar entre as tarefas entre o estado completo e incompleto (se o alvo for uma nota comum, ele será convertido em uma tarefa a fazer). Use \"clear\" para converter a tarefa em uma nota normal.","Marks a to-do as non-completed.":"Marca uma tarefa como não completada.","Switches to [notebook] - all further operations will happen within this notebook.":"Alterna para [caderno] - todas as operações adicionais acontecerão dentro deste caderno.","Displays version information":"Exibe informações da versão","%s %s (%s)":"%s %s (%s)","Enum":"Enum","Type: %s.":"Tipo: %s.","Possible values: %s.":"Valores possíveis: %s.","Default: %s":"Padrão: %s","Possible keys/values:":"Possíveis chaves/valores:","Fatal error:":"Erro fatal:","The application has been authorised - you may now close this browser tab.":"O aplicativo foi autorizado - agora você pode fechar esta guia do navegador.","The application has been successfully authorised.":"O aplicativo foi autorizado com sucesso.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Abra a seguinte URL no seu navegador para autenticar o aplicativo. O aplicativo criará um diretório em \"Apps/Joplin\" e somente lerá e gravará arquivos neste diretório. Não terá acesso a nenhum arquivo fora deste diretório nem a nenhum outro dado pessoal. Nenhum dado será compartilhado com terceiros.","Search:":"Procurar:","Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.":"","File":"Arquivo","New note":"Nova nota","New to-do":"Nova tarefa","New notebook":"Novo caderno","Import Evernote notes":"Importar notas do Evernote","Evernote Export Files":"Arquivos de Exportação do Evernote","Quit":"Sair","Edit":"Editar","Copy":"Copiar","Cut":"Cortar","Paste":"Colar","Search in all the notes":"Pesquisar em todas as notas","Tools":"Ferramentas","Synchronisation status":"Synchronisation status","Options":"Opções","Help":"Ajuda","Website and documentation":"Website e documentação","About Joplin":"Sobre o Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"OK","Cancel":"Cancelar","Notes and settings are stored in: %s":"","Save":"","Back":"Voltar","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"O novo caderno \"%s\" será criado e o arquivo \"%s\" será importado para ele","Please create a notebook first.":"Primeiro, crie um caderno.","Note title:":"Título da nota:","Please create a notebook first":"Primeiro, crie um caderno","To-do title:":"Título da tarefa:","Notebook title:":"Título do caderno:","Add or remove tags:":"Adicionar ou remover tags:","Separate each tag by a comma.":"Separe cada tag por vírgula.","Rename notebook:":"Renomear caderno:","Set alarm:":"Definir alarme:","Layout":"Layout","Some items cannot be synchronised.":"Some items cannot be synchronised.","View them now":"","Active":"","ID":"","Source":"","Created":"Created","Updated":"Updated","Password":"","Password OK":"","Note: Only one master key is going to be used for encryption (the one marked as \"active\"). Any of the keys might be used for decryption, depending on how the notes or notebooks were originally encrypted.":"","Add or remove tags":"Adicionar ou remover tags","Switch between note and to-do type":"Alternar entre os tipos Nota e Tarefa","Delete":"Excluir","Delete notes?":"Excluir notas?","No notes in here. Create one by clicking on \"New note\".":"Não há notas aqui. Crie uma, clicando em \"Nova nota\".","There is currently no notebook. Create one by clicking on \"New notebook\".":"There is currently no notebook. Create one by clicking on \"New notebook\".","Unsupported link or message: %s":"Link ou mensagem não suportada: %s","Attach file":"Anexar arquivo","Set alarm":"Definir alarme","Refresh":"Atualizar","Clear":"Limpar (clear)","OneDrive Login":"Login no OneDrive","Import":"Importar","Synchronisation Status":"Synchronisation Status","Remove this tag from all the notes?":"Remover esta tag de todas as notas?","Remove this search from the sidebar?":"Remover essa pesquisa da barra lateral?","Rename":"Renomear","Synchronise":"Sincronizar","Notebooks":"Cadernos","Tags":"Tags","Searches":"Pesquisas","Please select where the sync status should be exported to":"Please select where the sync status should be exported to","Usage: %s":"Uso: %s","Unknown flag: %s":"Flag desconhecido: %s","File system":"Sistema de arquivos","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dev (apenas para testes)","Unknown log level: %s":"Nível de log desconhecido: %s","Unknown level ID: %s":"Nível ID desconhecido: %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"Não é possível atualizar token: faltam dados de autenticação. Iniciar a sincronização novamente pode corrigir o problema.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"Não foi possível sincronizar com o OneDrive.\n\nEste erro geralmente acontece ao usar o OneDrive for Business, que infelizmente não pode ser suportado.\n\nConsidere usar uma conta regular do OneDrive.","Cannot access %s":"Não é possível acessar %s","Created local items: %d.":"Itens locais criados: %d.","Updated local items: %d.":"Itens locais atualizados: %d.","Created remote items: %d.":"Itens remotos criados: %d.","Updated remote items: %d.":"Itens remotos atualizados: %d.","Deleted local items: %d.":"Itens locais excluídos: %d.","Deleted remote items: %d.":"Itens remotos excluídos: %d.","State: \"%s\".":"Estado: \"%s\".","Cancelling...":"Cancelando...","Completed: %s":"Completado: %s","Synchronisation is already in progress. State: %s":"Sincronização já em andamento. Estado: %s","Conflicts":"Conflitos","A notebook with this title already exists: \"%s\"":"Já existe caderno com este título: \"%s\"","Notebooks cannot be named \"%s\", which is a reserved title.":"Os cadernos não podem ser nomeados como\"%s\", que é um título reservado.","Untitled":"Sem título","This note does not have geolocation information.":"Esta nota não possui informações de geolocalização.","Cannot copy note to \"%s\" notebook":"Não é possível copiar a nota para o caderno \"%s\" ","Cannot move note to \"%s\" notebook":"Não é possível mover a nota para o caderno \"%s\"","Text editor":"Editor de texto","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"O editor que será usado para abrir uma nota. Se nenhum for indicado, ele tentará detectar automaticamente o editor padrão.","Language":"Idioma","Date format":"Formato de data","Time format":"Formato de hora","Theme":"Tema","Light":"Light","Dark":"Dark","Show uncompleted todos on top of the lists":"Mostrar tarefas incompletas no topo das listas","Save geo-location with notes":"Salvar geolocalização com notas","Synchronisation interval":"Intervalo de sincronização","Disabled":"Desabilitado","%d minutes":"%d minutos","%d hour":"%d hora","%d hours":"%d horas","Automatically update the application":"Atualizar automaticamente o aplicativo","Show advanced options":"Mostrar opções avançadas","Synchronisation target":"Alvo de sincronização","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"O alvo para sincronizar. Se estiver sincronizando com o sistema de arquivos, configure `sync.2.path` para especificar o diretório de destino.","Directory to synchronise with (absolute path)":"","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"O caminho para sincronizar, quando a sincronização do sistema de arquivos está habilitada. Veja `sync.target`.","Invalid option value: \"%s\". Possible values are: %s.":"Valor da opção inválida: \"%s\". Os valores possíveis são: %s.","Items that cannot be synchronised":"","\"%s\": \"%s\"":"","Sync status (synced items / total items)":"Status de sincronização (sincronizados / totais)","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Total: %d/%d","Conflicted: %d":"Em conflito: %d","To delete: %d":"Para excluir: %d","Folders":"Pastas","%s: %d notes":"%s: %d notas","Coming alarms":"Próximos alarmes","On %s: %s":"Em %s: %s","There are currently no notes. Create one by clicking on the (+) button.":"Atualmente, não há notas. Crie uma, clicando no botão (+).","Delete these notes?":"Excluir estas notas?","Log":"Log","Status":"Status","Export Debug Report":"Exportar Relatório de Debug","Configuration":"Configuração","Move to notebook...":"Mover para o caderno...","Move %d notes to notebook \"%s\"?":"Mover %d notas para o caderno \"%s\"?","Select date":"Selecionar data","Confirm":"Confirmar","Cancel synchronisation":"Cancelar sincronização","The notebook could not be saved: %s":"O caderno não pôde ser salvo: %s","Edit notebook":"Editar caderno","This note has been modified:":"Esta nota foi modificada:","Save changes":"Gravar alterações","Discard changes":"Descartar alterações","Unsupported image type: %s":"Tipo de imagem não suportada: %s","Attach photo":"Anexar foto","Attach any file":"Anexar qualquer arquivo","Convert to note":"Converter para nota","Convert to todo":"Converter para tarefa","Hide metadata":"Ocultar metadados","Show metadata":"Exibir metadados","View on map":"Ver no mapa","Delete notebook":"Excluir caderno","Login with OneDrive":"Login com OneDrive","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Clique no botão (+) para criar uma nova nota ou caderno. Clique no menu lateral para acessar seus cadernos existentes.","You currently have no notebook. Create one by clicking on (+) button.":"Você não possui cadernos. Crie um clicando no botão (+).","Welcome":"Bem-vindo"} \ No newline at end of file diff --git a/ReactNativeClient/locales/ru_RU.json b/ReactNativeClient/locales/ru_RU.json new file mode 100644 index 000000000..e80a26835 --- /dev/null +++ b/ReactNativeClient/locales/ru_RU.json @@ -0,0 +1 @@ +{"Give focus to next pane":"Переключиться на следующую панель","Give focus to previous pane":"Переключиться на предыдущую панель","Enter command line mode":"Войти в режим командной строки","Exit command line mode":"Выйти из режима командной строки","Edit the selected note":"Редактировать выбранную заметку","Cancel the current command.":"Отменить текущую команду.","Exit the application.":"Выйти из приложения.","Delete the currently selected note or notebook.":"Удалить текущую выбранную заметку или блокнот.","To delete a tag, untag the associated notes.":"Чтобы удалить тег, уберите его с ассоциированных с ним заметок.","Please select the note or notebook to be deleted first.":"Сначала выберите заметку или блокнот, которые должны быть удалены.","Set a to-do as completed / not completed":"Отметить задачу как завершённую/незавершённую","[t]oggle [c]onsole between maximized/minimized/hidden/visible.":"[tc] переключить консоль между развёрнутой/свёрнутой/скрытой/видимой.","Search":"Поиск","[t]oggle note [m]etadata.":"[tm] переключить отображение метаданных заметки.","[M]ake a new [n]ote":"[mn] создать новую заметку","[M]ake a new [t]odo":"[mt] создать новую задачу","[M]ake a new note[b]ook":"[mb] создать новый блокнот","Copy ([Y]ank) the [n]ote to a notebook.":"[yn] копировать заметку в блокнот.","Move the note to a notebook.":"Переместить заметку в блокнот.","Press Ctrl+D or type \"exit\" to exit the application":"Для выхода из приложения нажмите Ctrl+D или введите «exit»","More than one item match \"%s\". Please narrow down your query.":"Более одного элемента соответствуют «%s». Уточните ваш запрос, пожалуйста.","No notebook selected.":"Не выбран блокнот.","No notebook has been specified.":"Не был указан блокнот.","Y":"Y","n":"n","N":"N","y":"y","Cancelling background synchronisation... Please wait.":"Отмена фоновой синхронизации... Пожалуйста, ожидайте.","No such command: %s":"Нет такой команды: %s","The command \"%s\" is only available in GUI mode":"Команда «%s» доступна только в режиме GUI","Missing required argument: %s":"Отсутствует требуемый аргумент: %s","%s: %s":"%s: %s","Your choice: ":"Ваш выбор:","Invalid answer: %s":"Неверный ответ: %s","Attaches the given file to the note.":"Прикрепляет заданный файл к заметке.","Cannot find \"%s\".":"Не удалось найти «%s».","Displays the given note.":"Отображает заданную заметку.","Displays the complete information about note.":"Отображает полную информацию о заметке.","Gets or sets a config value. If [value] is not provided, it will show the value of [name]. If neither [name] nor [value] is provided, it will list the current configuration.":"Выводит или задаёт параметр конфигурации. Если [value] не указано, выведет значение [name]. Если не указаны ни [name], ни [value], выведет текущую конфигурацию.","Also displays unset and hidden config variables.":"Также выводит неустановленные или скрытые переменные конфигурации.","%s = %s (%s)":"%s = %s (%s)","%s = %s":"%s = %s","Duplicates the notes matching to [notebook]. If no notebook is specified the note is duplicated in the current notebook.":"Дублирует заметки, содержащие , в [notebook]. Если блокнот не указан, заметки продублируются в текущем.","Marks a to-do as done.":"Отмечает задачу как завершённую.","Note is not a to-do: \"%s\"":"Заметка не является задачей: «%s»","Edit note.":"Редактировать заметку.","No text editor is defined. Please set it using `config editor `":"Текстовый редактор не определён. Задайте его, используя `config editor `","No active notebook.":"Нет активного блокнота.","Note does not exist: \"%s\". Create it?":"Заметки не существует: «%s». Создать?","Starting to edit note. Close the editor to get back to the prompt.":"Запуск редактирования заметки. Закройте редактор, чтобы вернуться к командной строке.","Note has been saved.":"Заметка сохранена.","Exits the application.":"Выход из приложения.","Exports Joplin data to the given directory. By default, it will export the complete database including notebooks, notes, tags and resources.":"Экспортирует данные Joplin в заданный каталог. По умолчанию экспортируется полная база данных, включая блокноты, заметки, теги и ресурсы.","Exports only the given note.":"Экспортирует только заданную заметку.","Exports only the given notebook.":"Экспортирует только заданный блокнот.","Displays a geolocation URL for the note.":"Выводит URL геолокации для заметки.","Displays usage information.":"Выводит информацию об использовании.","Shortcuts are not available in CLI mode.":"Ярлыки недоступны в режиме командной строки.","Type `help [command]` for more information about a command; or type `help all` for the complete usage information.":"Введите `help [команда]` для получения информации о команде или `help all` для получения полной информации по использованию.","The possible commands are:":"Доступные команды:","In any command, a note or notebook can be refered to by title or ID, or using the shortcuts `$n` or `$b` for, respectively, the currently selected note or notebook. `$c` can be used to refer to the currently selected item.":"В любой команде можно ссылаться на заметку или блокнот по названию или ID, либо используя ярлыки `$n` или `$b`, указывающие на текущую заметку или блокнот соответственно. С помощью `$c` можно ссылаться на текущий выбранный элемент.","To move from one pane to another, press Tab or Shift+Tab.":"Чтобы переключаться между панелями, нажимайте Tab или Shift+Tab","Use the arrows and page up/down to scroll the lists and text areas (including this console).":"Используйте стрелки и клавиши перелистывания страницы вверх/вниз для прокрутки списков и текстовых областей (включая эту консоль).","To maximise/minimise the console, press \"TC\".":"Чтобы развернуть/свернуть консоль, нажимайте «TC».","To enter command line mode, press \":\"":"Чтобы войти в режим командной строки, нажмите «:»","To exit command line mode, press ESCAPE":"Чтобы выйти из режима командной строки, нажмите ESCAPE","For the complete list of available keyboard shortcuts, type `help shortcuts`":"Для просмотра списка доступных клавиатурных сочетаний введите `help shortcuts`.","Imports an Evernote notebook file (.enex file).":"Импортирует файл блокнотов Evernote (.enex-файл).","Do not ask for confirmation.":"Не запрашивать подтверждение.","File \"%s\" will be imported into existing notebook \"%s\". Continue?":"Файл «%s» будет импортирован в существующий блокнот «%s». Продолжить?","New notebook \"%s\" will be created and file \"%s\" will be imported into it. Continue?":"Будет создан новый блокнот «%s» и в него будет импортирован файл «%s». Продолжить?","Found: %d.":"Найдено: %d.","Created: %d.":"Создано: %d.","Updated: %d.":"Обновлено: %d.","Skipped: %d.":"Пропущено: %d.","Resources: %d.":"Ресурсов: %d.","Tagged: %d.":"С тегами: %d.","Importing notes...":"Импорт заметок...","The notes have been imported: %s":"Импортировано заметок: %s","Displays the notes in the current notebook. Use `ls /` to display the list of notebooks.":"Выводит заметки текущего блокнота. Используйте `ls /` для вывода списка блокнотов.","Displays only the first top notes.":"Выводит только первые заметок.","Sorts the item by (eg. title, updated_time, created_time).":"Сортирует элементы по (например, title, updated_time, created_time).","Reverses the sorting order.":"Обращает порядок сортировки.","Displays only the items of the specific type(s). Can be `n` for notes, `t` for to-dos, or `nt` for notes and to-dos (eg. `-tt` would display only the to-dos, while `-ttd` would display notes and to-dos.":"Выводит только элементы указанного типа. Может быть `n` для заметок, `t` для задач или `nt` для заметок и задач (например, `-tt` выведет только задачи, в то время как `-ttd` выведет заметки и задачи).","Either \"text\" or \"json\"":"«text» или «json»","Use long list format. Format is ID, NOTE_COUNT (for notebook), DATE, TODO_CHECKED (for to-dos), TITLE":"Использовать формат длинного списка. Форматом является ID, NOTE_COUNT (для блокнотов), DATE, TODO_CHECKED (для задач), TITLE","Please select a notebook first.":"Сначала выберите блокнот.","Creates a new notebook.":"Создаёт новый блокнот.","Creates a new note.":"Создаёт новую заметку.","Notes can only be created within a notebook.":"Заметки могут быть созданы только в блокноте.","Creates a new to-do.":"Создаёт новую задачу.","Moves the notes matching to [notebook].":"Перемещает заметки, содержащие в [notebook].","Renames the given (note or notebook) to .":"Переименовывает заданный (заметку или блокнот) в .","Deletes the given notebook.":"Удаляет заданный блокнот.","Deletes the notebook without asking for confirmation.":"Удаляет блокнот без запроса подтверждения.","Delete notebook? All notes within this notebook will also be deleted.":"Удалить блокнот? Все заметки в этом блокноте также будут удалены.","Deletes the notes matching .":"Удаляет заметки, соответствующие .","Deletes the notes without asking for confirmation.":"Удаляет заметки без запроса подтверждения.","%d notes match this pattern. Delete them?":"%d заметок соответствуют этому шаблону. Удалить их?","Delete note?":"Удалить заметку?","Searches for the given in all the notes.":"Запросы для заданного во всех заметках.","Sets the property of the given to the given [value]. Possible properties are:\n\n%s":"Устанавливает для свойства заданной заданное [value]. Возможные свойства:\n\n%s","Displays summary about the notes and notebooks.":"Выводит общую информацию о заметках и блокнотах.","Synchronises with remote storage.":"Синхронизирует с удалённым хранилищем.","Sync to provided target (defaults to sync.target config value)":"Синхронизация с заданной целью (по умолчанию — значение конфигурации sync.target)","Synchronisation is already in progress.":"Синхронизация уже выполняется.","Lock file is already being hold. If you know that no synchronisation is taking place, you may delete the lock file at \"%s\" and resume the operation.":"Файл блокировки уже установлен. Если вам известно, что синхронизация не производится, вы можете удалить файл блокировки в «%s» и возобновить операцию.","Authentication was not completed (did not receive an authentication token).":"Аутентификация не была завершена (не получен токен аутентификации).","Synchronisation target: %s (%s)":"Цель синхронизации: %s (%s)","Cannot initialize synchroniser.":"Не удалось инициировать синхронизацию.","Starting synchronisation...":"Начало синхронизации...","Cancelling... Please wait.":"Отмена... Пожалуйста, ожидайте."," can be \"add\", \"remove\" or \"list\" to assign or remove [tag] from [note], or to list the notes associated with [tag]. The command `tag list` can be used to list all the tags.":" может быть «add», «remove» или «list», чтобы назначить или убрать [tag] с [note], или чтобы вывести список заметок, ассоциированых с [tag]. Команда `tag list` может быть использована для вывода списка всех тегов.","Invalid command: \"%s\"":"Неверная команда: «%s»"," can either be \"toggle\" or \"clear\". Use \"toggle\" to toggle the given to-do between completed and uncompleted state (If the target is a regular note it will be converted to a to-do). Use \"clear\" to convert the to-do back to a regular note.":" может быть «toggle» или «clear». «toggle» используется для переключения статуса заданной задачи на завершённую или незавершённую (если применить к обычной заметке, она будет преобразована в задачу). «clear» используется для преобразования задачи обратно в обычную заметку.","Marks a to-do as non-completed.":"Отмечает задачу как незавершённую.","Switches to [notebook] - all further operations will happen within this notebook.":"Переключает на [блокнот] — все дальнейшие операции будут происходить в этом блокноте.","Displays version information":"Выводит информацию о версии","%s %s (%s)":"%s %s (%s)","Enum":"Enum","Type: %s.":"Тип: %s.","Possible values: %s.":"Возможные значения: %s.","Default: %s":"По умолчанию: %s","Possible keys/values:":"Возможные ключи/значения:","Fatal error:":"Фатальная ошибка:","The application has been authorised - you may now close this browser tab.":"Приложение авторизовано — можно закрыть вкладку браузера.","The application has been successfully authorised.":"Приложение успешно авторизовано.","Please open the following URL in your browser to authenticate the application. The application will create a directory in \"Apps/Joplin\" and will only read and write files in this directory. It will have no access to any files outside this directory nor to any other personal data. No data will be shared with any third party.":"Откройте следующую ссылку в вашем браузере для аутентификации приложения. Приложением будет создан каталог «Apps/Joplin». Чтение и запись файлов будет осуществляться только в его пределах. У приложения не будет доступа к каким-либо файлам за пределами этого каталога и другим личным данным. Никакая информация не будет передана третьим лицам.","Search:":"Поиск:","Welcome to Joplin!\n\nType `:help shortcuts` for the list of keyboard shortcuts, or just `:help` for usage information.\n\nFor example, to create a notebook press `mb`; to create a note press `mn`.":"Добро пожаловать в Joplin!\n\nВведите `:help shortcuts` для просмотра списка клавиатурных сочетаний или просто `:help` для просмотра информации об использовании.\n\nНапример, для создания блокнота нужно ввести `mb`, для создания заметки — `mn`.","File":"Файл","New note":"Новая заметка","New to-do":"Новая задача","New notebook":"Новый блокнот","Import Evernote notes":"Импортировать заметки из Evernote","Evernote Export Files":"Файлы экспорта Evernote","Quit":"Выход","Edit":"Редактировать","Copy":"Копировать","Cut":"Вырезать","Paste":"Вставить","Search in all the notes":"Поиск во всех заметках","Tools":"Инструменты","Synchronisation status":"Статус синхронизации","Options":"Настройки","Help":"Помощь","Website and documentation":"Сайт и документация","About Joplin":"О Joplin","%s %s (%s, %s)":"%s %s (%s, %s)","OK":"OK","Cancel":"Отмена","Notes and settings are stored in: %s":"Заметки и настройки сохранены в: %s","Save":"Сохранить","Back":"Назад","New notebook \"%s\" will be created and file \"%s\" will be imported into it":"Будет создан новый блокнот «%s» и в него будет импортирован файл «%s»","Please create a notebook first.":"Сначала создайте блокнот.","Note title:":"Название заметки:","Please create a notebook first":"Сначала создайте блокнот","To-do title:":"Название задачи:","Notebook title:":"Название блокнота:","Add or remove tags:":"Добавить или удалить теги:","Separate each tag by a comma.":"Каждый тег отделяется запятой.","Rename notebook:":"Переименовать блокнот:","Set alarm:":"Установить напоминание:","Layout":"Вид","Some items cannot be synchronised.":"Некоторые элементы не могут быть синхронизированы.","View them now":"Просмотреть их сейчас","Active":"","ID":"ID","Source":"Источник","Created":"Создана","Updated":"Обновлена","Password":"","Password OK":"","Note: Only one master key is going to be used for encryption (the one marked as \"active\"). Any of the keys might be used for decryption, depending on how the notes or notebooks were originally encrypted.":"","Add or remove tags":"Добавить или удалить теги","Switch between note and to-do type":"Переключить тип между заметкой и задачей","Delete":"Удалить","Delete notes?":"Удалить заметки?","No notes in here. Create one by clicking on \"New note\".":"Здесь нет заметок. Создайте новую нажатием на «Новая заметка».","There is currently no notebook. Create one by clicking on \"New notebook\".":"Сейчас здесь нет блокнотов. Создайте новый нажав «Новый блокнот».","Unsupported link or message: %s":"Неподдерживаемая ссыка или сообщение: %s","Attach file":"Прикрепить файл","Set alarm":"Установить напоминание","Refresh":"Обновить","Clear":"Очистить","OneDrive Login":"Вход в OneDrive","Import":"Импорт","Synchronisation Status":"Статус синхронизации","Remove this tag from all the notes?":"Убрать этот тег со всех заметок?","Remove this search from the sidebar?":"Убрать этот запрос с боковой панели?","Rename":"Переименовать","Synchronise":"Синхронизировать","Notebooks":"Блокноты","Tags":"Теги","Searches":"Запросы","Please select where the sync status should be exported to":"Выберите, куда должен быть экспортирован статус синхронизации","Usage: %s":"Использование: %s","Unknown flag: %s":"Неизвестный флаг: %s","File system":"Файловая система","OneDrive":"OneDrive","OneDrive Dev (For testing only)":"OneDrive Dev (только для тестирования)","Unknown log level: %s":"Неизвестный уровень лога: %s","Unknown level ID: %s":"Неизвестный ID уровня: %s","Cannot refresh token: authentication data is missing. Starting the synchronisation again may fix the problem.":"Не удалось обновить токен: отсутствуют данные аутентификации. Повторный запуск синхронизации может решить проблему.","Could not synchronize with OneDrive.\n\nThis error often happens when using OneDrive for Business, which unfortunately cannot be supported.\n\nPlease consider using a regular OneDrive account.":"Не удалось синхронизироваться с OneDrive.\n\nТакая ошибка часто возникает при использовании OneDrive для бизнеса, который, к сожалению, не поддерживается.\n\nПожалуйста, рассмотрите возможность использования обычного аккаунта OneDrive.","Cannot access %s":"Не удалось получить доступ %s","Created local items: %d.":"Создано локальных элементов: %d.","Updated local items: %d.":"Обновлено локальных элементов: %d.","Created remote items: %d.":"Создано удалённых элементов: %d.","Updated remote items: %d.":"Обновлено удалённых элементов: %d.","Deleted local items: %d.":"Удалено локальных элементов: %d.","Deleted remote items: %d.":"Удалено удалённых элементов: %d.","State: \"%s\".":"Статус: «%s».","Cancelling...":"Отмена...","Completed: %s":"Завершено: %s","Synchronisation is already in progress. State: %s":"Синхронизация уже выполняется. Статус: %s","Conflicts":"Конфликты","A notebook with this title already exists: \"%s\"":"Блокнот с таким названием уже существует: «%s»","Notebooks cannot be named \"%s\", which is a reserved title.":"Блокнот не может быть назван «%s», это зарезервированное название.","Untitled":"Без имени","This note does not have geolocation information.":"Эта заметка не содержит информации о геолокации.","Cannot copy note to \"%s\" notebook":"Не удалось скопировать заметку в блокнот «%s»","Cannot move note to \"%s\" notebook":"Не удалось переместить заметку в блокнот «%s»","Text editor":"Текстовый редактор","The editor that will be used to open a note. If none is provided it will try to auto-detect the default editor.":"Редактор, в котором будут открываться заметки. Если не задан, будет произведена попытка автоматического определения редактора по умолчанию.","Language":"Язык","Date format":"Формат даты","Time format":"Формат времени","Theme":"Тема","Light":"Светлая","Dark":"Тёмная","Show uncompleted todos on top of the lists":"Показывать незавершённые задачи вверху списков","Save geo-location with notes":"Сохранять информацию о геолокации в заметках","Synchronisation interval":"Интервал синхронизации","Disabled":"Отключена","%d minutes":"%d минут","%d hour":"%d час","%d hours":"%d часов","Automatically update the application":"Автоматически обновлять приложение","Show advanced options":"Показывать расширенные настройки","Synchronisation target":"Цель синхронизации","The target to synchonise to. If synchronising with the file system, set `sync.2.path` to specify the target directory.":"То, с чем будет осуществляться синхронизация. При синхронизации с файловой системой в `sync.2.path` указывается целевой каталог.","Directory to synchronise with (absolute path)":"Каталог синхронизации (абсолютный путь)","The path to synchronise with when file system synchronisation is enabled. See `sync.target`.":"Путь для синхронизации при включённой синхронизации с файловой системой. См. `sync.target`.","Invalid option value: \"%s\". Possible values are: %s.":"Неверное значение параметра: «%s». Доступные значения: %s.","Items that cannot be synchronised":"Элементы, которые не могут быть синхронизированы","\"%s\": \"%s\"":"«%s»: «%s»","Sync status (synced items / total items)":"Статус синхронизации (элементов синхронизировано/всего)","%s: %d/%d":"%s: %d/%d","Total: %d/%d":"Всего: %d/%d","Conflicted: %d":"Конфликтующих: %d","To delete: %d":"К удалению: %d","Folders":"Папки","%s: %d notes":"%s: %d заметок","Coming alarms":"Грядущие напоминания","On %s: %s":"В %s: %s","There are currently no notes. Create one by clicking on the (+) button.":"Сейчас здесь нет заметок. Создаёте новую, нажав кнопку (+).","Delete these notes?":"Удалить эти заметки?","Log":"Лог","Status":"Статус","Export Debug Report":"Экспортировать отладочный отчёт","Configuration":"Конфигурация","Move to notebook...":"Переместить в блокнот...","Move %d notes to notebook \"%s\"?":"Переместить %d заметок в блокнот «%s»?","Select date":"Выбрать дату","Confirm":"Подтвердить","Cancel synchronisation":"Отменить синхронизацию","The notebook could not be saved: %s":"Не удалось сохранить блокнот: %s","Edit notebook":"Редактировать блокнот","This note has been modified:":"Эта заметка была изменена:","Save changes":"Сохранить изменения","Discard changes":"Отменить изменения","Unsupported image type: %s":"Неподдерживаемый формат изображения: %s","Attach photo":"Прикрепить фото","Attach any file":"Прикрепить любой файл","Convert to note":"Преобразовать в заметку","Convert to todo":"Преобразовать в задачу","Hide metadata":"Скрыть метаданные","Show metadata":"Показать метаданные","View on map":"Посмотреть на карте","Delete notebook":"Удалить блокнот","Login with OneDrive":"Войти в OneDrive","Click on the (+) button to create a new note or notebook. Click on the side menu to access your existing notebooks.":"Нажмите на кнопку (+) для создания новой заметки или нового блокнота. Нажмите на боковое меню для доступа к вашим существующим блокнотам.","You currently have no notebook. Create one by clicking on (+) button.":"У вас сейчас нет блокнота. Создайте его нажатием на кнопку (+).","Welcome":"Добро пожаловать"} \ No newline at end of file diff --git a/docs/index.html b/docs/index.html index f7f762964..0a4d0ac14 100644 --- a/docs/index.html +++ b/docs/index.html @@ -303,7 +303,7 @@ sudo ln -s ~/.joplin-bin/bin/joplin /usr/bin/joplin

On mobile, the alarms will be displayed using the built-in notification system.

If for any reason the notifications do not work, please open an issue.

Localisation

-

Joplin is currently available in English, French and Spanish. If you would like to contribute a translation, it is quite straightforward, please follow these steps:

+

Joplin is currently available in English, French, Spanish, German, Portuguese and Italian. If you would like to contribute a translation, it is quite straightforward, please follow these steps: