i18n/0000755000000000000000000000000014122217711010331 5ustar rootrooti18n/translations/0000755000000000000000000000000014122217342013052 5ustar rootrooti18n/translations/gettrans.py0000755000000000000000000002366514122217342015272 0ustar rootroot#!/usr/bin/env python3 #****************************************************************************** # gettrans.py, updates Qt-style translation files from PyQt source # uses gettext-style markings and filenames as contexts # # Copyright (C) 2020, Douglas W. Bell # # This is free software; you can redistribute it and/or modify it under the # terms of the GNU General Public License, either Version 2 or any later # version. This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY. See the included LICENSE file for details. #****************************************************************************** import argparse import pathlib import ast import collections import copy import xml.etree.ElementTree as ET from xml.sax.saxutils import escape class TransItem: """Class to hold data for and output a single translation string. """ def __init__(self, contextName, lineNum, srcText, comment=''): """Initialize the tramslation string item. Arguments: contextName -- a string containing the filename-based context lineNum -- the line of the first occurrence in the source code srcText -- the untranslated source text string comment -- optional comment from source as a guide to translation """ self.contextName = contextName self.lineNum = lineNum self.srcText = srcText self.comment = comment self.transType = 'unfinished' self.transText = '' def xmlLines(self): """Return a list of XML output lines for this item. """ lines = [' ', f' ', f' {escape(self.srcText)}'] if self.comment: lines.append(f' {self.comment}') transType = f' type="{self.transType}"' if self.transType else '' lines.extend([f' ' f'{escape(self.transText)}', ' ']) return lines def readSource(path, sourceDict): """Read strings to be translated from the a single source file path. Updates the give source dict with any results from this context. Arguments: path -- the source file path to read sourceDict -- the dictionary to add a context dict to with results """ with path.open(encoding='utf-8') as f: src = f.read() tree = ast.parse(src) contextDict = collections.OrderedDict() for node in ast.walk(tree): if (isinstance(node, ast.Call) and isinstance(node.func, ast.Name) and (node.func.id == '_' or node.func.id == 'N_')): try: text = node.args[0].value text.replace # throw exception if not a string comment = node.args[1].value if len(node.args) > 1 else '' except AttributeError: continue # skip if no string is present item = TransItem(path.stem, node.lineno, text, comment) contextDict.setdefault((text, comment), item) if contextDict: # only add the context dictionary if there are results sourceDict[path.stem] = contextDict if verbose: print('Read', len(contextDict), 'items from', path.name) def readXml(root, sourceDict, keepObsolete=True): """Read the XML for a language file starting from an elemant tree root. Returns tuple of an outputDict with results by context and a globalDict with all translations to search for matches. Arguments: root -- the ET root to read sourceDict -- the dict with source strings for comparison keepObsolete -- save obsolete strings (no longer in source) if True """ outputDict = collections.OrderedDict() globalDict = {} for contextNode in root.findall('context'): contextName = contextNode.find('name').text currentDict = collections.OrderedDict() numObsolete = 0 for msgNode in contextNode.findall('message'): lineNum = int(msgNode.find('location').attrib['line']) srcText = msgNode.find('source').text commentNode = msgNode.find('comment') comment = commentNode.text if commentNode is not None else '' item = TransItem(contextName, lineNum, srcText, comment) transNode = msgNode.find('translation') item.transType = transNode.attrib.get('type', '') item.transText = transNode.text if transNode.text else '' try: sourceItem = sourceDict[contextName][(srcText, comment)] except KeyError: # string wasn't found in source dict if item.transType != 'obsolete': item.transType = 'obsolete' numObsolete += 1 else: item.lineNum = sourceItem.lineNum if item.transType == 'obsolete': item.transType = 'unfinished' if keepObsolete or item.transType != 'obsolete': currentDict[(srcText, comment)] = item if item.transText: globalDict[(srcText, comment)] = item outputDict[contextName] = currentDict if verbose and numObsolete: print(f' {numObsolete} newly obsolete strings in ' f'{contextName}.py') return (outputDict, globalDict) def addMissingItems(sourceDict, outputDict): """Add items from source dict that are missing from output dict. Arguments: sourceDict -- the source translations to add from outputDict -- the result dict to modify """ for contextName, sourceItems in sourceDict.items(): numNew = 0 currentDict = outputDict.get(contextName, {}) if not currentDict: outputDict[contextName] = currentDict for sourceItem in sourceItems.values(): if (verbose and (sourceItem.srcText, sourceItem.comment) not in currentDict): numNew += 1 currentDict.setdefault((sourceItem.srcText, sourceItem.comment), copy.copy(sourceItem)) if verbose and numNew: print(f' {numNew} new strings added from {contextName}.py') def updateFromGlobal(outputDict, globalDict): """Search strings from all contexts and add translations if they match. Arguments: outputDict -- the result dict to modify globalDict -- the overall dict to search """ for contextName, currentDict in outputDict.items(): numUpdates = 0 for item in currentDict.values(): if not item.transText: match = globalDict.get((item.srcText, item.comment)) if match: item.transText = match.transText numUpdates += 1 if verbose and numUpdates: print(f' {numUpdates} translations in {contextName} copied ' 'from other strings') def outputXml(outputDict, path, lang): """Return a list of output lines for a language file. Arguments: outputDict -- the result strings to output path -- the translation file path to write the file lang -- the language code for the file header """ outputLines = ['', f''] for contextName, currentDict in outputDict.items(): outputLines.extend(['', f' {contextName}']) for item in currentDict.values(): outputLines.extend(item.xmlLines()) outputLines.append('') outputLines.append('') with open(path, 'w', encoding='utf-8') as f: f.write('\n'.join(outputLines)) verbose = False def main(): """Main program entry function. """ parser = argparse.ArgumentParser() parser.add_argument('sourceDir', type=pathlib.Path, help='directory of input source files read with *.py') parser.add_argument('translateDir', type=pathlib.Path, help='directory of *.ts translation files to update') parser.add_argument('--no-obsolete', action='store_true', help='drop all obsolete strings') parser.add_argument('-R', '--recursive', action='store_true', help='recursively scan the directories') parser.add_argument('-v', '--verbose', action='store_true', help='increase output messages') args = parser.parse_args() global verbose verbose = args.verbose sourceDict = collections.OrderedDict() pyGlob = '**/*.py' if args.recursive else '*.py' for sourcePath in sorted(args.sourceDir.glob(pyGlob)): readSource(sourcePath, sourceDict) if verbose: print('-----------------------------------------') tsGlob = '**/*.ts' if args.recursive else '*.ts' for transPath in sorted(args.translateDir.glob(tsGlob)): try: root = ET.parse(transPath).getroot() except ET.ParseError: print('Warning: nothing read from', transPath) root = ET.ElementTree(ET.Element('TS')).getroot() lang = root.attrib.get('language') if not lang: # get from filename if not in header pathParts = transPath.stem.split('_') if len(pathParts) > 1: lang = pathParts[-1] if not lang: lang = 'xx' if verbose: print(f'For language code "{lang}":') outputDict, globalDict = readXml(root, sourceDict, not args.no_obsolete) addMissingItems(sourceDict, outputDict) updateFromGlobal(outputDict, globalDict) outputXml(outputDict, transPath, lang) if __name__ == '__main__': """Main program entry point. """ main() i18n/translations/treeline_xx.ts0000644000000000000000000055143114122217342015761 0ustar rootroot conditional starts with ends with contains True False and or [All Types] Node Type &Add New Rule &Remove Rule &OK &Cancel Find &Previous Find &Next &Filter &End Filter &Close No conditional matches were found Rule {0} Saved Rules Name: &Load &Save &Delete configdialog Configure Data Types T&ype List Typ&e Config Field &List &Field Config O&utput &Show Advanced &OK &Apply &Reset &Cancel &Hide Advanced Error - circular reference in math field equations Add or Remove Data Types &New Type... Co&py Type... Rena&me Type... &Delete Type Add Type Enter new type name: Copy Type &Derive from original Rename Type Rename from {} to: Cannot delete data type being used by nodes [None] no type set &Data Type Default Child &Type Icon Change &Icon Output Options Add &blank lines between nodes Allow &HTML rich text in format Add text bullet&s Use a table for field &data Combination && Child List Output &Separator Derived from &Generic Type Automatic Types None Modify Co&nditional Types Create Co&nditional Types Set Types Conditionally Modify &Field List Name Type Sort Key Move U&p Move Do&wn &New Field... Rena&me Field... Dele&te Field Sort &Keys... fwd rev Add Field Enter new field name: Rename Field File Info Reference F&ield &Field Type Outpu&t Format Format &Help Extra Text &Prefix Suffi&x Default &Value for New Nodes Editor Height Num&ber of text lines Math Equation Define Equation F&ield List &Title Format Out&put Format Other Field References Reference Le&vel Refere&nce Type The name cannot be empty The name must start with a letter The name cannot start with "xml" The name cannot contain spaces The following characters are not allowed: {} The name was already used Set Data Type Icon Clear &Select forward reverse Sort Key Fields Available &Fields &Sort Criteria Field Direction Move &Up &Move Down Flip &Direction Self Reference Parent Reference Root Reference Child Reference Child Count Date Result Time Result add subtract multiply divide floor divide modulus power sum of items maximum minimum average absolute value square root natural logarithm base-10 logarithm factorial round to num digits lower integer higher integer truncated integer floating point sine of radians cosine of radians tangent of radians arc sine arc cosine arc tangent radians to degrees degrees to radians pi constant natural log constant Define Math Field Equation Field References Reference &Level Reference &Type Available &Field List &Result Type Description &Equation Equation error: {} Boolean Result Text Result Arithmetic Operators Comparison Operators Text Operators equal to less than greater than less than or equal to greater than or equal to not equal to true value, condition, false value true if 1st text arg starts with 2nd arg true if 1st text arg ends with 2nd arg true if 1st text arg contains 2nd arg concatenate text join text using 1st arg as separator convert text to upper case convert text to lower case in 1st arg, replace 2nd arg with 3rd arg Operations O&perator Type Oper&ator List logical and logical or Output HTML Evaluate &HTML tags Child Type Limits [All Types Available] &Select All Select &None Number Result Count Number of Children dataeditors Today's &Date &Open Link Open &Folder External Link Scheme &Browse for File File Path Type Absolute Relative Address Display Name &OK &Cancel TreeLine - External Link File &Go to Target Internal Link &Open Picture Picture Link TreeLine - Picture File Set to &Now Clear &Link (Click link target in tree) link exports Bookmarks TreeLine - Export HTML TreeLine - Export Text Titles TreeLine - Export Plain Text TreeLine - Export Text Tables TreeLine - Export Generic XML TreeLine - Export TreeLine Subtree TreeLine - Export ODF Text TreeLine - Export HTML Bookmarks TreeLine - Export XBEL Bookmarks &HTML &Text &ODF Outline Book&marks &Single HTML page Single &HTML page with navigation pane Multiple HTML &pages with navigation pane Multiple HTML &data tables &Tabbed title text &Unformatted output of all text &HTML format bookmarks &XBEL format bookmarks File Export Choose export format type Choose export format subtype Choose export options What to Export &Entire tree Selected &branches Selected &nodes Other Options &Only open node children Include &print header && footer &Columns Navigation pane &levels Error - export template files not found. Check your TreeLine installation. Error - cannot link to unsaved TreeLine file. Save the file and retry. Warning - no relative path from "{0}" to "{1}". Continue with absolute path? Parent Tree&Line &XML (generic) Live tree view, linked to TreeLine file (for web server) Live tree view, single file (embedded data) &Comma delimited (CSV) table of descendants (level numbers) Comma &delimited (CSV) table of children (single level) Tab &delimited table of children (&single level) &Old TreeLine (2.0.x) &TreeLine Subtree &Include root nodes Must select nodes prior to export fieldformat Text HtmlText OneLineText SpacedText Number Math Numbering Boolean Date Time Choice AutoChoice Combination AutoCombination ExternalLink InternalLink Picture RegularExpression Now Optional Digit # Required Digit 0 Digit or Space (external) <space> Decimal Point . Decimal Comma , Space Separator (internal) <space> Optional Sign - Required Sign + Exponent (capital) E Exponent (small) e Number 1 Capital Letter A Small Letter a Capital Roman Numeral I Small Roman Numeral i Level Separator / Section Separator . "/" Character // "." Character .. Outline Example I../A../1../a)/i) Section Example 1.1.1.1 Separator / Example 1/2/3/4 yes/no true/false T/F Y/N Any Character . End of Text $ 0 Or More Repetitions * 1 Or More Repetitions + 0 Or 1 Repetitions ? Set of Numbers [0-9] Lower Case Letters [a-z] Upper Case Letters [A-Z] Not a Number [^0-9] Or | Escape a Special Character \ DateTime Day (1 or 2 digits) %-d Day (2 digits) %d Weekday Abbreviation %a Weekday Name %A Month (1 or 2 digits) %-m Month (2 digits) %m Month Abbreviation %b Month Name %B Year (2 digits) %y Year (4 digits) %Y Week Number (0 to 53) %-U Day of year (1 to 366) %-j Hour (0-23, 1 or 2 digits) %-H Hour (00-23, 2 digits) %H Hour (1-12, 1 or 2 digits) %-I Hour (01-12, 2 digits) %I Minute (1 or 2 digits) %-M Minute (2 digits) %M Second (1 or 2 digits) %-S Second (2 digits) %S Microseconds (6 digits) %f AM/PM %p Comma Separator \, Dot Separator \. DescendantCount genboolean true false yes no globalref TreeLine Files TreeLine Files - Compressed TreeLine Files - Encrypted All Files HTML Files Text Files XML Files ODF Text Files Treepad Files PDF Files CSV (Comma Delimited) Files All TreeLine Files Old TreeLine Files helpview Tools &Back &Forward &Home Find: Find &Previous Find &Next Text string not found imports &Tab indented text, one node per line Tab delimited text table with header &row Plain text &paragraphs (blank line delimited) Treepad &file (text nodes only) &Generic XML (non-TreeLine file) Open &Document (ODF) outline &HTML bookmarks (Mozilla Format) &XML bookmarks (XBEL format) FOLDER BOOKMARK SEPARATOR Link Text Import File Choose Import Method Invalid File "{0}" is not a valid TreeLine file. Use an import filter? TreeLine - Import File Error - could not read file {0} Error - improper format in {0} TABLE Bookmarks Too many entries on Line {0} Plain text, one &node per line (CR delimited) Bad CSV format on Line {0} Co&mma delimited (CSV) text table with level column && header row Comma delimited (CSV) text table &with header row Other Old Tree&Line File (1.x or 2.x) Invalid level number on line {0} Invalid level structure matheval Illegal "{}" characters Child references must be combined in a function Illegal syntax in equation Illegal function present: {0} Illegal object type or operator: {0} miscdialogs &OK &Cancel Fields File Properties File Storage &Use file compression Use file &encryption Spell Check Language code or dictionary (optional) Math Fields &Treat blank fields as zeros Encrypted File Password Type Password for "{0}": Type Password: Re-Type Password: Remember password during this session Zero-length passwords are not permitted Re-typed password did not match Default - Single Line Text &Search Text What to Search Full &data &Titles only How to Search &Key words Key full &words F&ull phrase &Regular expression Find Find &Previous Find &Next Filter &Filter &End Filter &Close Error - invalid regular expression Search string "{0}" not found Find and Replace Replacement &Text Any &match Full &words Re&gular expression &Node Type N&ode Fields &Find Next &Replace Replace &All [All Types] [All Fields] Search text "{0}" not found Error - replacement failed Replaced {0} matches Sort Nodes What to Sort &Entire tree Selected &branches Selection's childre&n Selection's &siblings Sort Method &Predefined Key Fields Node &Titles Sort Direction &Forward &Reverse &Apply Update Node Numbering What to Update &Selection's children Root Node Include top-level nodes Handling Nodes without Numbering Fields &Ignore and skip &Restart numbers for next siblings Reserve &numbers TreeLine Numbering No numbering fields were found in data types File Menu File Edit Menu Edit Node Menu Node Data Menu Data Tools Menu Tools View Menu View Window Menu Window Help Menu Help Keyboard Shortcuts &Restore Defaults Key {0} is already used Clear &Key --Separator-- Customize Toolbars Toolbar &Size Small Icons Large Icons Toolbar Quantity &Toolbars A&vailable Commands Tool&bar Commands Move &Up Move &Down Tree View Font Output View Font Editor View Font No menu TreeLine - Serious Error A serious error has occurred. TreeLine could be in an unstable state. Recommend saving any file changes under another filename and restart TreeLine. The debugging info shown below can be copied and emailed to doug101@bellz.org along with an explanation of the circumstances. Format Menu Format Customize Fonts &Use system default font App Default Font &Use app default font nodeformat Name optiondefaults Monday Tuesday Wednesday Thursday Friday Saturday Sunday Startup Condition Automatically open last file used Show descendants in output view Restore tree view states of recent files Restore previous window geometry Features Available Open files in new windows Click node to rename Rename new nodes when created Tree drag && drop available Show icons in the tree view Show math fields in the Data Edit view Show numbering fields in the Data Edit view Undo Memory Number of undo levels Auto Save Minutes between saves (set to 0 to disable) Recent Files Number of recent files in the file menu Data Editor Formats Times Dates First day of week Appearance Child indent offset (in font height units) Show breadcrumb ancestor view Show child pane in right hand views Remove inaccessible recent file entries Activate data editors on mouse hover Minimize application to system tray Indent (pretty print) TreeLine JSON files Limit data editor height to window size options Choose configuration file location User's home directory (recommended) Program directory (for portable use) &OK &Cancel printdata Error initializing printer TreeLine - Export PDF Warning: Page size and margin settings unsupported on current printer. Save page adjustments? Warning: Page size setting unsupported on current printer. Save adjustment? Warning: Margin settings unsupported on current printer. Save adjustments? printdialogs Print Preview Fit Width Fit Page Zoom In Zoom Out Previous Page Next Page Single Page Facing Pages Print Setup Print Printing Setup &General Options Page &Setup &Font Selection &Header/Footer Print Pre&view... &Print... &OK &Cancel What to print &Entire tree Selected &branches Selected &nodes Included Nodes &Include root node Onl&y open node children Features &Draw lines to children &Keep first child with parent Indent Indent Offse&t (line height units) Letter (8.5 x 11 in.) Legal (8.5 x 14 in.) Tabloid (11 x 17 in.) A3 (279 x 420 mm) A4 (210 x 297 mm) A5 (148 x 210 mm) Custom Size Inches (in) Millimeters (mm) Centimeters (cm) &Units Paper &Size &Width: Height: Orientation Portra&it Lan&dscape Margins &Left: &Top: &Right: &Bottom: He&ader: Foot&er: Columns &Number of columns Space between colu&mns Default Font &Use TreeLine output view font Select Font &Font Font st&yle Si&ze Sample AaBbCcDdEeFfGg...TtUuVvWvXxYyZz &Header Left Header C&enter Header &Right Footer &Left Footer Ce&nter Footer Righ&t Fiel&ds Field For&mat Header and Footer Field Format for "{0}" Output &Format Format &Help Extra Text &Prefix &Suffix Error: Page size or margins are invalid TreeLine PDF Printer Select &Printer spellcheck Could not find either aspell.exe, ispell.exe or hunspell.exe Browse for location? Spell Check Error Locate aspell.exe, ipsell.exe or hunspell.exe Program (*.exe) TreeLine Spell Check Error Make sure aspell, ispell or hunspell is installed TreeLine Spell Check Finished spell checking Spell Check Not in Dictionary Word: Context: Suggestions Ignor&e &Ignore All &Add Add &Lowercase &Replace Re&place All &Cancel Finished checking the branch Continue from the top? titlelistview Select in Tree treeformats DEFAULT FILE TYPE FIELD FieldType TitleFormat OutputFormat SpaceBetween FormatHtml Bullets Table ChildType Icon GenericType ConditionalRule ListSeparator ChildTypeLimit Format Prefix Suffix InitialValue NumLines SortKeyNum SortForward EvalHtml treelocalcontrol Error - could not delete backup file {} Save changes to {}? Save changes? &Save Save File Save the current file Save &As... Save the file with a new name &Export... Export the file in various other formats Prop&erties... Set file parameters like compression and encryption P&rint Setup... Set margins, page size and other printing options Print Pre&view... Show a preview of printing results &Print... Print tree output based on current options Print &to PDF... Export to PDF with current printing options &Undo Undo the previous action &Redo Redo the previous undo Cu&t Cut the branch or text to the clipboard &Copy Copy the branch or text to the clipboard &Paste Paste nodes or text from the clipboard Paste non-formatted text from the clipboard &Bold Font Set the current or selected font to bold &Italic Font Set the current or selected font to italic U&nderline Font Set the current or selected font to underline &Font Size Set size of the current or selected text Small Default Large Larger Largest Set Font Size Font C&olor... Set the color of the current or selected text &External Link... Add or modify an extrnal web link Internal &Link... Add or modify an internal node link Clear For&matting Clear current or selected text formatting &Rename Rename the current tree entry title Insert Sibling &Before Insert new sibling before selection Insert Sibling &After Insert new sibling after selection Add &Child Add new child to selected parent &Delete Node Delete the selected nodes &Indent Node Indent the selected nodes &Unindent Node Unindent the selected nodes &Move Up Move the selected nodes up M&ove Down Move the selected nodes down Move &First Move the selected nodes to be the first children Move &Last Move the selected nodes to be the last children &Set Node Type Set the node type for selected nodes Set Node Type Copy Types from &File... Copy the configuration from another TreeLine file Flatten &by Category Collapse descendants by merging fields Add Category &Level... Insert category nodes above children &Spell Check... &New Window Open a new window for the same file Error - could not write to {} TreeLine - Save As Error - could not write to file TreeLine - Open Configuration File Error - could not read file {0} Cannot expand without common fields Category Fields Select fields for new level File saved Pa&ste Plain Text Paste C&hild Paste a child node from the clipboard Paste Sibling &Before Paste a sibling before selection Paste Sibling &After Paste a sibling after selection Paste Cl&oned Child Paste a child clone from the clipboard Paste Clo&ned Sibling Before Paste a sibling clone before selection Paste Clone&d Sibling After Paste a sibling clone after selection Clone All &Matched Nodes Convert all matching nodes into clones &Detach Clones Detach all cloned nodes in current branches S&wap Category Levels Swap child and grandchild category nodes Converted {0} branches into clones No identical nodes found Warning - file corruption! Skipped bad child references in the following nodes: Spell check the tree's text data &Regenerate References Force update of all conditional types & math fields Insert &Date Insert current date as text treemaincontrol Warning: Could not create local socket Error - could not write config file to {} Error - could not read file {0} Backup file "{}" exists. A previous session may have crashed &Restore Backup &Delete Backup &Cancel File Open Error - could not rename "{0}" to "{1}" Error - could not remove backup file {} &New... New File Start a new file &Open... Open File Open a file from disk Open Sa&mple... Open Sample Open a sample file &Import... Open a non-TreeLine file &Quit Exit the application &Select All Select all text in an editor &Configure Data Types... Modify data types, fields & output lines Sor&t Nodes... Define node sort operations Update &Numbering... Update node numbering fields &Find Text... Find text in node titles & data &Conditional Find... Use field conditions to find nodes Find and &Replace... Replace text strings in node data &Text Filter... Filter nodes to only show text matches C&onditional Filter... Use field conditions to filter nodes &General Options... Set user preferences for all files Set &Keyboard Shortcuts... Customize keyboard commands C&ustomize Toolbars... Customize toolbar buttons Customize Fo&nts... Customize fonts in various views &Basic Usage... Display basic usage instructions &Full Documentation... Open a TreeLine file with full documentation &About TreeLine... Display version info about this program &Select Template TreeLine - Open File Open Sample File &Select Sample Conditional Find Conditional Filter General Options Error - basic help file not found TreeLine Basic Usage Error - documentation file not found Error - invalid TreeLine file {0} TreeLine version {0} written by {0} Library versions: missing directory Show C&onfiguration Structure... Show read-only visualization of type structure Custo&mize Colors... Customize GUI colors and themes treenode New treestructure Main treeview Filtering by "{0}", found {1} nodes Conditional filtering, found {0} nodes Search for: Search for: {0} Search for: {0} (not found) Next: {0} Next: {0} (not found) treewindow Data Output Data Edit Title List &Expand Full Branch Expand all children of the selected nodes &Collapse Full Branch Collapse all children of the selected nodes &Previous Selection Return to the previous tree selection &Next Selection Go to the next tree selection in history Show Data &Output Show data output in right view Show Data &Editor Show data editor in right view Show &Title List Show title list in right view &Show Child Pane Toggle showing right-hand child views Toggle showing output view indented descendants &Close Window Close this window &File &Edit &Node &Data &Tools &View &Window &Help Start Incremental Search Next Incremental Search Previous Incremental Search Show &Breadcrumb View Toggle showing breadcrumb ancestor view Show Output &Descendants Fo&rmat colorset Dialog background color Dialog text color Text widget background color Text widget foreground color Selected item background color Selected item text color Link text color Tool tip background color Tool tip foreground color Button background color Button text color Disabled text foreground color Disabled button text color Color Settings Color Theme Default system theme Dark theme Custom theme &OK &Cancel Custom Colors Theme Colors Select {0} color i18n/translations/treeline_pt.ts0000644000000000000000000056454114122217342015753 0ustar rootroot conditional starts with começa com ends with acaba com contains contém True Verdadeiro False Falso and e or ou Node Type Tipo de ramo &Add New Rule Adicionar &Nova Regra &Remove Rule &Eliminar Regra &OK &OK &Cancel &Cancelar Find &Previous Encontrar &Anterior Find &Next Encontrar &Seguinte &Filter F&iltrar &End Filter &Terminar Filtragem &Close &Fechar No conditional matches were found Nenhum resultado satisfaz as condições Rule {0} Regra {0} [All Types] [Todos os Tipos] Saved Rules Name: &Load &Save &Guardar &Delete configdialog Configure Data Types Configurar Tipos de Dados T&ype List &Lista de Tipos Typ&e Config Configuração de &Tipos Field &List Lista de &Campos &Field Config C&onfiguração de Campos O&utput &Apresentação &Show Advanced &Mostrar Avançadas &OK &OK &Apply &Aplicar &Reset &Repor &Cancel &Cancelar &Hide Advanced &Ocultar Avançadas Error - circular reference in math field equations Erro - referência cíclica em equações de campos matemáticos Add or Remove Data Types Adicionar ou Remover Tipos de Dados &New Type... &Novo Tipo... Co&py Type... Co&piar Tipo... Rena&me Type... &Mudar o Nome... &Delete Type &Eliminar Tipo Add Type Adicionar Tipo Enter new type name: Introduza novo nome para o tipo: Copy Type Copiar Tipo &Derive from original &Derivadar de Original Rename Type Mudar Nome a Tipo Rename from {} to: Mudar nome de {} para: Cannot delete data type being used by nodes Não é possivel apagar tipo de dados em utilização por ramos [None] no type set [Nenhum] &Data Type Tipo de &Dados Default Child &Type Tipo de &descendente pré definido Icon Ícone Change &Icon Mudar &Ícone Output Options Opções de apresentação Add &blank lines between nodes Adicionar linhas &vazias entre ramos Allow &HTML rich text in format Permitir texto formatado em &HTML Add text bullet&s Adicionar &pontos de tópico Use a table for field &data &Utilizar uma tabela para dados dos campos Combination && Child List Output &Separator Carácter de &Separação de Combinações e Lista de Descendentes Derived from &Generic Type &Derivado de Tipo Genérico Automatic Types Tipos Automáticos None Nenhum Modify Co&nditional Types &Modificar Tipos Condicionais Create Co&nditional Types &Criar Tipos Condicionais Set Types Conditionally Definir tipos condicionalmente Modify &Field List &Modificar Lista de Campos Name Nome Type Tipo Sort Key Prioridade de Ordenamento Move U&p Mover para &cima Move Do&wn Mover para &Baixo &New Field... &Novo Campo... Rena&me Field... M&udar Nome... Dele&te Field &Eliminar Campo Sort &Keys... &Prioridade de Ordenamento... fwd Descendente rev Ascendente Add Field Adicionar Campo Enter new field name: Introduza o nome do novo campo: Rename Field Mudar Nome File Info Reference Informação sobre o ficheiro F&ield Ca&mpo &Field Type T&ipo de Campo Outpu&t Format &Formato de Apresentação Format &Help &Ajuda de Formato Extra Text Texto adicional &Prefix &Prefixo Suffi&x &Sufixo Default &Value for New Nodes Valor pré &definido para novos ramos Editor Height Altura da Caixa de Introdução Num&ber of text lines &Número de linhas de texto Math Equation Equação Matemática Define Equation Definir Equação F&ield List Li&sta de Campos &Title Format &Formatação do Título Out&put Format &Formatação de Apresentação Other Field References Referências a outros campo Reference Le&vel &Nível de Referência Refere&nce Type &Tipo de Referência The name cannot be empty O nome não pode ser vazio The name must start with a letter O nome deve começar com uma letra The name cannot start with "xml" O nome não pode começar com "xml" The name cannot contain spaces O nome não pode conter espaços The following characters are not allowed: {} Os seguintes carácteres não são permitidos: {} The name was already used Nome já em utilização Set Data Type Icon Definir Ícone do Tipo de Dados Clear &Select &Limpar Selecção forward Descendente reverse Ascendente Sort Key Fields Campos de Ordenamento Available &Fields Campos &Disponíveis &Sort Criteria &Critério de Ordenamento Field Campo Direction Direcção Move &Up Mover para &Cima &Move Down Mover para &Baixo Flip &Direction &Inverter Direcção Self Reference Auto Referência Parent Reference Referência a Ascendentes Child Reference Referência a Descendentes Child Count Número de Descendentes add adicionar subtract subtrair multiply multiplicar divide dividir floor divide Divisão arredondada modulus resto power potência sum of items sumatório maximum máximo minimum mínimo average média absolute value valor absoluto square root raiz quadrada natural logarithm logarítmo natural base-10 logarithm logarítmo de base 10 factorial factorial round to num digits arredondar para x dígitos lower integer inteiro inferior higher integer inteiro superior truncated integer inteiro truncado floating point ponto flutuante sine of radians seno de radianos cosine of radians coseno de radianos tangent of radians tangente de radianos arc sine arco seno arc cosine arco coseno arc tangent arco tangente radians to degrees radianos para graus degrees to radians graus para radianos pi constant constante pi natural log constant constante logarítmo natural Define Math Field Equation Definir equação do campo matemático Field References Referências a Campos Reference &Level &Nível de Referência Reference &Type &Tipo de Referência Description Descrição &Equation &Equação Equation error: {} Erro na equação: {} Root Reference Referência à Raiz Date Result Resultado de Data Time Result Resultado de Tempo Available &Field List Lista de &Campos Disponíveis &Result Type &Tipo de Resultados Boolean Result Resultado Boleano Text Result Resultado Textual Arithmetic Operators Operadores Aritméticos Comparison Operators Operadores de Comparação Text Operators Operadores de Texto equal to igual a less than menor que greater than maior que less than or equal to menor ou igual a greater than or equal to maior ou igual not equal to diferente de true value, condition, false value valor verdadeiro, condição, valor falso true if 1st text arg starts with 2nd arg verdadeiro se o 1º argumento de texto começar com o 2º argumento true if 1st text arg ends with 2nd arg verdadeiro se o 1º argumento de texto terminar com o 2º argumento true if 1st text arg contains 2nd arg verdadeiro se o 1º argumento de texto contiver o 2º argumento concatenate text concatenar texto join text using 1st arg as separator juntar texto utilizando o primeiro argumento como separador convert text to upper case converter texto para maiúsculas convert text to lower case converter texto para minúsculas in 1st arg, replace 2nd arg with 3rd arg no 1º argumento, substituir o 2º argumento pelo 3º argumento Operations Operações O&perator Type &Tipo de Operador Oper&ator List &Lista de Operadores logical and e lógico logical or ou lógico Output HTML Evaluate &HTML tags Child Type Limits [All Types Available] &Select All &Seleccionar Tudo Select &None Number Result Count Number of Children dataeditors Today's &Date Data de &Hoje &Open Link &Abrir Ligação External Link Ligação Externa Scheme Protocolo &Browse for File Procurar &Ficheiro File Path Type Tipo de Caminho para o Ficheiro Absolute Absoluto Relative Relativo Address Endereço Display Name Texto de Apresentação &OK &OK &Cancel &Cancelar TreeLine - External Link File TreeLine - Ligação para Ficheiro Externo &Go to Target &Ir para Destino Internal Link Ligação Interna &Open Picture &Abrir Imagem Picture Link Ligação para imagem TreeLine - Picture File TreeLine - Ficheiro de Imagem Open &Folder Abrir &Pasta Set to &Now Clear &Link (Click link target in tree) link dataeditview exports Bookmarks Favoritos TreeLine - Export HTML TreeLine - Exportar HTML TreeLine - Export Text Titles TreeLine - Exportar Texto de Títulos TreeLine - Export Plain Text TreeLine - Exportar Texto Simples TreeLine - Export Text Tables TreeLine - Exportar Tabelas de Texto TreeLine - Export Generic XML TreeLine - Exportar XML Genérico TreeLine - Export TreeLine Subtree TreeLine - Exportar Sub Árvore TreeLine TreeLine - Export ODF Text TreeLine - Exportar Texto ODF TreeLine - Export HTML Bookmarks TreeLine - Exportar Favoritos em HTML TreeLine - Export XBEL Bookmarks TreeLine - Exportar Favoritos em XBEL &HTML &HTML &Text &Texto &ODF Outline Índice &ODF Book&marks &Favoritos &Single HTML page HTML Página &Única Single &HTML page with navigation pane HTML página única com barra de &navegação Multiple HTML &pages with navigation pane &Multiplas páginas HTML com barra de navegação Multiple HTML &data tables Multiplas páginas HTML com &tabelas de informação &Tabbed title text &Títulos separados por tabulação &Unformatted output of all text Conteúdo não &formatado para todos os textos &HTML format bookmarks Favoritos em formato &HTML &XBEL format bookmarks Favoritos em formato &XBEL File Export Exportação de ficheiros Choose export format type Escolha o formato de exportação Choose export format subtype Escolha o subtipo do formato de exportação Choose export options Escolha as opções de exportação What to Export O que exportar &Entire tree Árvore &Inteira Selected &branches &Subramos Seleccionados Selected &nodes &Ramos Seleccionados Other Options Outras Opções &Only open node children &Apenas descendentes expandidos Include &print header && footer Incluir &cabeçalho e rodapé de impressão &Columns &Colunas Navigation pane &levels &Níveis da barra de navegação Error - export template files not found. Check your TreeLine installation. Error - cannot link to unsaved TreeLine file. Save the file and retry. Warning - no relative path from "{0}" to "{1}". Continue with absolute path? Parent Tree&Line &XML (generic) Live tree view, linked to TreeLine file (for web server) Live tree view, single file (embedded data) &Comma delimited (CSV) table of descendants (level numbers) Comma &delimited (CSV) table of children (single level) Tab &delimited table of children (&single level) &Old TreeLine (2.0.x) &TreeLine Subtree &Include root nodes Must select nodes prior to export fieldformat Text Texto HtmlText TextoHTML SpacedText TextoEspaçado Number Número Math Matemática Numbering Numeração Boolean Boleano Date Data Time Tempo Choice Escolha AutoChoice AutoEscolha Combination Combinação AutoCombination AutoCombinação ExternalLink LigaçãoExterna InternalLink LigaçãoInterna Picture Imagem RegularExpression ExpressãoRegular Now Agora Optional Digit # Dígito Opcional # Required Digit 0 Dígito Obrigatório 0 Digit or Space (external) <space> Dígito ou espaço (externo) <space> Decimal Point . Ponto Decimal . Decimal Comma , Vírgula Decimal , Space Separator (internal) <space> Espaço de Separação (interno) <space> Optional Sign - Sinal Opcional - Required Sign + Sinal Obrigatório + Exponent (capital) E Exponente (maiúscula) E Exponent (small) e Exponente (minúscula) e Number 1 Número 1 Capital Letter A Letra Maiúscula A Small Letter a Letra Minúscula a Capital Roman Numeral I Numeral Romano Maiúsculo I Small Roman Numeral i Numeral Romano Minúsculo i Level Separator / Separador de Nível / Section Separator . Separador de Secção . "/" Character // Carácter "/" // "." Character .. Carácter "." .. Outline Example I../A../1../a)/i) Exemplo de Índice I../A../1../a)/i) Section Example 1.1.1.1 Exemplo de Secção 1.1.1.1 Separator / Separador / Example 1/2/3/4 Exemplo 1/2/3/4 yes/no sim/não true/false verdadeiro/falso T/F V/F Y/N S/N Any Character . Qualquer carácter . End of Text $ Fim de texto $ 0 Or More Repetitions * 0 ou Mais Repetições * 1 Or More Repetitions + 1 Ou Mais Repetições + 0 Or 1 Repetitions ? 0 Ou 1 Repetições ? Set of Numbers [0-9] Conjunto de Números [0-9] Lower Case Letters [a-z] Letras Minúsculas [a-z] Upper Case Letters [A-Z] Letras Maiúsculas [A-Z] Not a Number [^0-9] Carácter não numérico [^0-9] Or | Ou | Escape a Special Character \ Terminar Carácter Especial \ OneLineText TextoLinhaUnica DateTime Day (1 or 2 digits) %-d Day (2 digits) %d Weekday Abbreviation %a Weekday Name %A Month (1 or 2 digits) %-m Month (2 digits) %m Month Abbreviation %b Month Name %B Year (2 digits) %y Year (4 digits) %Y Week Number (0 to 53) %-U Day of year (1 to 366) %-j Hour (0-23, 1 or 2 digits) %-H Hour (00-23, 2 digits) %H Hour (1-12, 1 or 2 digits) %-I Hour (01-12, 2 digits) %I Minute (1 or 2 digits) %-M Minute (2 digits) %M Second (1 or 2 digits) %-S Second (2 digits) %S Microseconds (6 digits) %f AM/PM %p Comma Separator \, Dot Separator \. DescendantCount genboolean true verdadeiro false falso yes sim no não globalref TreeLine Files Ficheiros TreeLine TreeLine Files - Compressed Ficheiros TreeLine - Comprimidos TreeLine Files - Encrypted Ficheiros TreeLine - Encriptados All Files Todos os Ficheiros HTML Files Ficheiros HTML Text Files Ficheiros de Texto XML Files Ficheiros XML ODF Text Files Ficheiros ODF Treepad Files Ficheiros Treepad PDF Files Ficheiros PDF CSV (Comma Delimited) Files All TreeLine Files Old TreeLine Files helpview Tools Ferramentas &Back &Retroceder &Forward &Avançar &Home &Início Find: Encontrar: Find &Previous Encontrar &Anterior Find &Next Encontrar &Seguinte Text string not found Texto não encontrado imports &Tab indented text, one node per line &Texto recuado por tabulação, um ramo por linha Tab delimited text table with header &row Tabela de texto delimitada por tabulação com &cabeçalhos e colunas Plain text &paragraphs (blank line delimited) &Parágrafos de texto simples (delimitados por linha em branco) Treepad &file (text nodes only) &Ficheiro Treepad (ramos de texto apenas) &Generic XML (non-TreeLine file) &XML Genérico (ficheiro não específico do TreeLine) Open &Document (ODF) outline Índice &Open Document (ODF) &HTML bookmarks (Mozilla Format) Favoritos em &HTML (Formato Mozilla) &XML bookmarks (XBEL format) &Favoritos XML (Formato XBEL) FOLDER PASTA BOOKMARK FAVORITO SEPARATOR SEPARADOR Link Ligação Text Texto Import File Importar Ficheiro Choose Import Method Escolher Método de Importação Invalid File Ficheiro Inválido "{0}" is not a valid TreeLine file. Use an import filter? "{0}" não é um ficheiro TreeLine válido. Utilizar um filtro de importação? TreeLine - Import File TreeLine - Importar Ficheiro Error - could not read file {0} Erro - não foi possível ler o ficheiro {0} Error - improper format in {0} Erro - formato de ficheiro impróprio {0} TABLE TABELA Bookmarks Favoritos Too many entries on Line {0} Plain text, one &node per line (CR delimited) Bad CSV format on Line {0} Co&mma delimited (CSV) text table with level column && header row Comma delimited (CSV) text table &with header row Other Old Tree&Line File (1.x or 2.x) Invalid level number on line {0} Invalid level structure matheval Illegal "{}" characters Carácteres "{0}" ilegais Child references must be combined in a function Referências a descendentes devem ser combinadas numa função Illegal syntax in equation Sintaxe ilegal na equação Illegal function present: {0} Função ilegal presente: {0} Illegal object type or operator: {0} Operador ou tipo de objecto ilegal: {0} miscdialogs &OK &OK &Cancel &Cancelar Fields Campos File Properties Propriedades do Ficheiro File Storage Armazenamento do Ficheiro &Use file compression Utilizar &compressão de ficheiro Use file &encryption Utilizar &encriptação de ficheiro Spell Check Verificar Ortografia Language code or dictionary (optional) Código de linguagem ou dicionário (opcional) Math Fields Campos Matemáticos &Treat blank fields as zeros &Tratar campos vazios como zeros Encrypted File Password Palavra Passe de Ficheiro Encriptado Type Password for "{0}": Introduza a palavra passe para "{0}": Type Password: Introduza a Palavra Passe: Re-Type Password: Re-Introduza a Palavra Passe: Remember password during this session Lembrar a palavra passe durante esta sessão Zero-length passwords are not permitted Palavras passe vazias não são permitidas Re-typed password did not match Palavras passe introduzidas são diferentes Default - Single Line Text Pré definido - Texto em linha única &Search Text &Pesquisar Texto What to Search Onde pesquisar Full &data Toda a &informação &Titles only Apenas &Títulos How to Search Como pesquisar &Key words &Palavras chave parciais Key full &words Palavras chave &completas F&ull phrase &Frase completa &Regular expression &Expressão regular Find Encontrar Find &Previous Encontrar &Anterior Find &Next Encontrar &Seguinte Filter Filtrar &Filter &Filtrar &End Filter &Terminar Filtro &Close &Fechar Error - invalid regular expression Erro - Expressão Regular inválida Search string "{0}" not found Termos de pesquisa "{0}" não encontrados Find and Replace Encontrar e Substituir Replacement &Text Texto de &Substituição Any &match &Qualquer ocorrência Full &words Palavras &Completas Re&gular expression &Expressão regular &Node Type &Tipo de ramo N&ode Fields &Campos dos Ramos &Find Next Encontrar &Seguinte &Replace &Substituir Replace &All Substituir &Todos [All Types] [Todos os Tipos] [All Fields] [Todos os Campos] Search text "{0}" not found Termo de pesquisa "{0}" não encontrado Error - replacement failed Erro - substituição falhou Replaced {0} matches Foram substituidas {0} ocorrências Sort Nodes Ordenar Ramos What to Sort O que Ordenar &Entire tree &Toda a árvore Selected &branches Ramos &Seleccionados Selection's childre&n &Descendentes da selecção Selection's &siblings &Irmãos da selecção Sort Method Método de Ordenamento &Predefined Key Fields &Campos de ordenamento pré definidos Node &Titles Títulos dos &Ramos Sort Direction Direcção de Ordenamento &Forward &Ascendente &Reverse &Descendente &Apply &Aplicar Update Node Numbering Actualizar Numeração dos Ramos What to Update O que Actualizar &Selection's children &Descendentes da Selecção Root Node Raiz Include top-level nodes Icluir ramos dos níveis superiores Handling Nodes without Numbering Fields Critério para Ramos sem Campos de Numeração &Ignore and skip &Ignorar e saltar &Restart numbers for next siblings &Reiniciar contagem para próximos irmãos Reserve &numbers &Reservar números TreeLine Numbering Numeração TreeLine No numbering fields were found in data types Não foram encontrados campos de numeração nos tipos de dados File Menu Menu Ficheiro File Ficheiro Edit Menu Menu Editar Edit Editar Node Menu Menu Ramo Node Ramo Data Menu Menu Informação Data Informação Tools Menu Menu Ferramentas Tools Ferramentas View Menu Menu Ver View Ver Window Menu Menu Janela Window Janela Help Menu Menu Ajuda Help Ajuda Keyboard Shortcuts Atalhos de Teclado &Restore Defaults &Restaurar pré definições Key {0} is already used Tecla {0} já em utilização Clear &Key &Remover Atalho --Separator-- --Separador-- Customize Toolbars Personalizar Barra de Ferramentas Toolbar &Size &Tamanho da Barra de Ferramentas Small Icons Ícones Pequenos Large Icons Ícones Grandes Toolbar Quantity Número de Barras de Ferramentas &Toolbars &Barras de Ferramentas A&vailable Commands Comandos &Disponíveis Tool&bar Commands Comandos da &Barra de Ferramentas Move &Up Mover para &Cima Move &Down Mover para &Baixo Tree View Font Tipo de Letra da Árvore Output View Font Tipo de Letra de Apresentação Editor View Font Tipo de Letra da Vista de Edição No menu TreeLine - Serious Error A serious error has occurred. TreeLine could be in an unstable state. Recommend saving any file changes under another filename and restart TreeLine. The debugging info shown below can be copied and emailed to doug101@bellz.org along with an explanation of the circumstances. Format Menu Format Customize Fonts &Use system default font Utilizar fonte pré definida do &sistema App Default Font &Use app default font nodeformat Name Nome optiondefaults Monday Segunda-Feira Tuesday Terça-Feira Wednesday Quarta-Feira Thursday Quinta-Feira Friday Sexta-Feira Saturday Sábado Sunday Domingo Startup Condition Opções de Arranque Automatically open last file used Abrir automaticamente último ficheiro utilizado Show descendants in output view Mostrar descendentes na vista de apresentação Restore tree view states of recent files Restaurar o estado de visualização dos ficheiros recentes Restore previous window geometry Repor a anterior disposição de janelas Features Available Funcionalidades Disponíveis Open files in new windows Abrir ficheiros em novas janelas Click node to rename Clicar nos ramos para alterar nome Rename new nodes when created Editar nome de ramos após criação Tree drag && drop available Permitir arrastar e largar na vista da árvore Show icons in the tree view Mostrar ícones na vista em árvore Show math fields in the Data Edit view Mostrar campos matemáticos na Vista de Edição Show numbering fields in the Data Edit view Mostrar campos de numeração na Vista de Edição Undo Memory Memória de operações Number of undo levels Número de passos a desfazer Auto Save Gravação Automática Minutes between saves (set to 0 to disable) Minutos entre gravações (0 desactiva) Recent Files Ficheiros Recentes Number of recent files in the file menu Número de ficheiros recentes no menu ficheiro Data Editor Formats Formatos do Editor de Dados Times Tempo Dates Datas First day of week Primeiro dia da semana Appearance Aparência Child indent offset (in font height units) Recuo dos descendentes (em unidades de altura da fonte) Show breadcrumb ancestor view Show child pane in right hand views Remove inaccessible recent file entries Activate data editors on mouse hover Minimize application to system tray Indent (pretty print) TreeLine JSON files Limit data editor height to window size options Choose configuration file location Escolher localização do ficheiro de configuração User's home directory (recommended) Pasta do utilizador (recomendado) Program directory (for portable use) Pasta do programa (para utilização portátil) &OK &OK &Cancel &Cancelar printdata Error initializing printer Erro ao iniciar a impressora TreeLine - Export PDF TreeLine - Exportar PDF Warning: Page size and margin settings unsupported on current printer. Save page adjustments? Warning: Page size setting unsupported on current printer. Save adjustment? Warning: Margin settings unsupported on current printer. Save adjustments? printdialogs Print Preview Previsualização de Impressão Fit Width Ajustar à Largura Fit Page Ajustar à Página Zoom In Aproximar Zoom Out Afastar Previous Page Página Anterior Next Page Página Seguinte Single Page Página única Facing Pages Páginas Consecutivas Print Setup Definições de Impressão Print Imprimir Printing Setup Opções de impressão &General Options &Opções Gerais Page &Setup Configuração de &Página &Font Selection Selecção de &Fonte &Header/Footer &Cabeçalho/Rodapé Print Pre&view... &Previsualização de Impressão... &Print... &Imprimir... &OK &OK &Cancel &Cancelar What to print O que imprimir &Entire tree &Árvore completa Selected &branches &Ramos e descendentes seleccionados Selected &nodes Ramos &Seleccioandos Included Nodes Ramos Incluídos &Include root node &Incluir Raiz Onl&y open node children Apenas descendentes de ramos &expandidos Features Opções &Draw lines to children &Desenhar linhas até descendentes &Keep first child with parent &Manter primeiro descendente com o ascendente Indent Avanço Indent Offse&t (line height units) &Distancia do Avanço (em unidades de altura de linha) Letter (8.5 x 11 in.) Carta (8.5 x 11 pol.) Legal (8.5 x 14 in.) Legal (8.5 x 14 pol.) Tabloid (11 x 17 in.) Tablóide (11 x 17 pol.) A3 (279 x 420 mm) A3 (279 x 420 mm) A4 (210 x 297 mm) A4 (210 x 297 mm) A5 (148 x 210 mm) A5 (148 x 210 mm) Custom Size Tamanho personalizado Inches (in) Polegadas (pol) Millimeters (mm) Milímetros (mm) Centimeters (cm) Centímetros (cm) &Units &Unidades Paper &Size &Tamanho do Papel &Width: &Largura: Height: Altura: Orientation Orientação Portra&it Ao &baixo Lan&dscape Ao &alto Margins Margens &Left: &Esquerda: &Top: &Topo: &Right: &Direita: &Bottom: &Base: He&ader: &Cabeçalho: Foot&er: &Rodapé: Columns Colunas &Number of columns &Número de colunas Space between colu&mns &Espaçamento entre colunas Default Font Fonte Pré Definida &Use TreeLine output view font Utilizar a fonte de apresentação do &TreeLine Select Font Seleccionar Fonte &Font &Fonte Font st&yle &Estilo de Fonte Si&ze &Tamanho Sample Amostra AaBbCcDdEeFfGg...TtUuVvWvXxYyZz AaBbCcDdEeFfGg...TtUuVvWvXxYyZz &Header Left &Esquerda do Cabeçalho Header C&enter &Centro do Cabeçalho Header &Right &Direita do Cabeçalho Footer &Left E&squerda do Rodapé Footer Ce&nter Ce&ntro do Rodapé Footer Righ&t Direi&ta do Rodapé Fiel&ds &Campos Field For&mat &Formato dos Campos Header and Footer Cabeçalho e Rodapé Field Format for "{0}" Formato de campo para "{0}" Output &Format Formato de &Apresentação Format &Help &Ajuda de Formato Extra Text Texto Extra &Prefix &Prefixo &Suffix &Sufixo Error: Page size or margins are invalid TreeLine PDF Printer Select &Printer recentfiles spellcheck Could not find either aspell.exe, ispell.exe or hunspell.exe Browse for location? Não foi possível encontrar aspell.exe, ispell.exe ou hunspell.exe Procurar localização? Spell Check Error Erro de Verificação Ortográfica Locate aspell.exe, ipsell.exe or hunspell.exe Localizar aspell.exe, ispell.exe ou hunspell.exe Program (*.exe) Programa (*.exe) TreeLine Spell Check Error Make sure aspell, ispell or hunspell is installed Erro de verificação Ortográfica do TreeLine Cerifique-se que aspell, ispell ou hunspell estão instalados TreeLine Spell Check Verificação Ortográfica TreeLine Finished spell checking Terminada verificação ortográfica Spell Check Verificação Ortográfica Not in Dictionary Ausente no Dicionário Word: Palavra: Context: Contexto: Suggestions Sugestões Ignor&e &Ignorar &Ignore All Ignorar &Todas &Add &Adicionar Add &Lowercase Adicionar em &Minúsculas &Replace &Substituir Re&place All S&ubstituir Todas &Cancel &Cancelar Finished checking the branch Continue from the top? titlelistview Select in Tree treeformats DEFAULT PRÉ DEFINIDO FILE TYPE FIELD FieldType TitleFormat OutputFormat SpaceBetween FormatHtml Bullets Table ChildType Icon Ícone GenericType ConditionalRule ListSeparator ChildTypeLimit Format Prefix Suffix InitialValue NumLines SortKeyNum SortForward EvalHtml treelocalcontrol Error - could not delete backup file {} Erro - não foi possível apagar cópia de segurança {} Save changes to {}? Guardar alterações em {}? Save changes? Guardar alterações? &Save &Guardar Save File Guardar Ficheiro Save the current file Guardar o ficheiro actual Save &As... Guardar &Como... Save the file with a new name Guardar o ficheiro com um novo nome &Export... &Exportar... Export the file in various other formats Exportar o ficheiro em diversos outros formatos Prop&erties... &Propriedades... Set file parameters like compression and encryption Definir parâmetros do ficheiro como compressão e encriptação P&rint Setup... &Definições de Impressão... Set margins, page size and other printing options Definir margens, tamanho de papel e outras opções de impressão Print Pre&view... Pré &visualizar impressão... Show a preview of printing results Mostrar uma pré visualização do resultado da impressão &Print... &Imprimir... Print tree output based on current options Imprimir apresentação da árvore baseada nas opções actuais Print &to PDF... Imprimir para &PDF... Export to PDF with current printing options Exportar para PDF com as actuais opções de impressão &Undo &Desfazer Undo the previous action Reverte a última acção &Redo &Refazer Redo the previous undo Repõe a última acção desfeita Cu&t Cor&tar Cut the branch or text to the clipboard Cortar o ramo ou texto para a memória de trabalho &Copy &Copiar Copy the branch or text to the clipboard Copiar o ramo ou texto para a memória de trabalho &Paste C&olar Paste nodes or text from the clipboard Colar ramos ou texto da memória de trabalho Paste non-formatted text from the clipboard Colar texto sem formatação da memória de trabalho &Bold Font &Negrito Set the current or selected font to bold Definir o texto actual ou seleccionado como negrito &Italic Font &Itálico Set the current or selected font to italic Definir o texto actual ou seleccionado como itálico U&nderline Font &Sublinhado Set the current or selected font to underline Definir o texto actual ou seleccionado como sublinhado &Font Size &Tamanho do texto Set size of the current or selected text Definir o tamanho do texto actual ou seleccionado Small Pequeno Default Normal Large Grande Larger Maior Largest Muito Grande Set Font Size Definir tamanho do texto Font C&olor... Co&r do Texto... Set the color of the current or selected text Definir a cor do texto actual ou seleccionado &External Link... &Ligação Externa... Add or modify an extrnal web link Adicionar ou modificar uma ligação externa para a internet Internal &Link... Ligação &Interna... Add or modify an internal node link Adicionar ou modificar uma ligação interna para outro ramo Clear current or selected text formatting Remover a formatação do texto actual ou seleccionado &Rename &Mudar Nome Rename the current tree entry title Alterar o nome da entrada actual na árvore Insert Sibling &Before Inserir Irmão &Antes Insert new sibling before selection Inserir novo ramo acima da selecção Insert Sibling &After Inserir Irmão &Depois Insert new sibling after selection Inserir novo ramo abaixo da selecção Add &Child Adicionar De&scendente Add new child to selected parent Adicionar sub ramo ao ramo seleccionado &Delete Node &Eliminar Ramo Delete the selected nodes Eliminar os ramos seleccionados &Indent Node &Recuar Ramo Indent the selected nodes Avançar os ramos seleccionados &Unindent Node A&vançar Ramo Unindent the selected nodes Recuar os ramos seleccionados &Move Up Mover para &Cima Move the selected nodes up Mover para cima os ramos seleccionados M&ove Down Mover para &Baixo Move the selected nodes down Mover para baixo os ramos seleccionados Move &First Colocar em &Primeiro Move the selected nodes to be the first children Mover os ramos seleccionados para que sejam os primeiros descendentes Move &Last Colocar em &Último Move the selected nodes to be the last children Mover os ramos seleccionados para que sejam os últimos descendentes &Set Node Type Definir &Tipo de Ramo Set the node type for selected nodes Definir o tipo de dados para os ramos seleccionados Set Node Type Definir Tipo de Ramo Copy Types from &File... Copiar Tipos de Outro &Ficheiro... Copy the configuration from another TreeLine file Copiar configuração de outro ficheiro TreeLine Flatten &by Category &Nivelar por categoria Collapse descendants by merging fields Colapsar descendentes juntando campos Add Category &Level... &Adicionar Nível por Categoria... Insert category nodes above children Insere ramos sobre descendentes classificanado segundo um campo &Spell Check... &Verificar Ortografia... &New Window &Nova Janela Open a new window for the same file Abrir nova vista do mesmo ficheiro Error - could not write to {} Erro - não é possível escrever para {} TreeLine - Save As TreeLine - Guardar Como Error - could not write to file Erro - não foi possível escrever para o ficheiro TreeLine - Open Configuration File TreeLine - Abrir Ficheiro de Configuração Error - could not read file {0} Erro - não foi possível ler o ficheiro {0} Cannot expand without common fields Não é possível expandir sem campos em comum Category Fields Campos de Categorias Select fields for new level Seleccione campo para novo nível Clear For&matting Limpar &Formatação File saved Ficheiro gravado Pa&ste Plain Text Paste C&hild Paste a child node from the clipboard Paste Sibling &Before Paste a sibling before selection Paste Sibling &After Paste a sibling after selection Paste Cl&oned Child Paste a child clone from the clipboard Paste Clo&ned Sibling Before Paste a sibling clone before selection Paste Clone&d Sibling After Paste a sibling clone after selection Clone All &Matched Nodes Convert all matching nodes into clones &Detach Clones Detach all cloned nodes in current branches S&wap Category Levels Swap child and grandchild category nodes Converted {0} branches into clones No identical nodes found Warning - file corruption! Skipped bad child references in the following nodes: Spell check the tree's text data &Regenerate References Force update of all conditional types & math fields Insert &Date Insert current date as text treemaincontrol Warning: Could not create local socket Aviso: Não foi possível criar ligação local Error - could not write config file to {} Erro - não foi possível gravar configuração no ficheiro {0} Error - could not read file {0} Erro - não foi possível ler o ficheiro {0} Backup file "{}" exists. A previous session may have crashed Cópia de segurança {0} existente. Uma sessão anterior pode ter terminado inesperadamente &Restore Backup &Restaurar Cópia de Segurança &Delete Backup &Apagar Cópia de Segurança &Cancel File Open &Cancelar Abertura de Ficheiro Error - could not rename "{0}" to "{1}" Erro - não foi possível alterar o nome de "{0}" para"{1}" Error - could not remove backup file {} Erro - não foi possível remover a cópia de segurança {} &New... &Novo... New File Novo Ficheiro Start a new file Criar um novo ficheiro &Open... &Abrir... Open File Abrir um Ficheiro Open a file from disk Abrir um ficheiro do disco Open Sa&mple... A&brir Exemplo... Open Sample Abrir um Exemplo Open a sample file Abrir um ficheiro de exemplo &Import... &Importar... Open a non-TreeLine file Abrir um ficheiro alheio ao TreeLine &Quit &Sair Exit the application Sair da aplicação &Configure Data Types... &Configurar Tipos de Dados... Modify data types, fields & output lines Modificar tipos de dados, campos e opções de apresentação Sor&t Nodes... &Ordenar Ramos... Define node sort operations Definir operações de ordenamento Update &Numbering... &Actualizar Numeração... Update node numbering fields Actualizar os campos de numeração &Find Text... &Encontrar Texto... Find text in node titles & data Encontrar texto nos títulos e conteúdo dos ramos &Conditional Find... &Procura Condicional... Use field conditions to find nodes Utilizar condições para encontrar ramos Find and &Replace... Encontar e &Substituir... Replace text strings in node data Substituir texto no conteúdo dos ramos &Text Filter... Filtro de &Texto... Filter nodes to only show text matches Filtrar ramos para mostrar apenas textos correspondentes C&onditional Filter... Filtro &Condicional... Use field conditions to filter nodes Utilizar condições para filtrar ramos &General Options... &Opções Gerais... Set user preferences for all files Definir opções do utilizador para todos os ficheiros Set &Keyboard Shortcuts... Definir &Atalhos de Teclado... Customize keyboard commands Personalizar comandos de teclado C&ustomize Toolbars... Personalizar &Barras de Ferramentas... Customize toolbar buttons Personalizar os botões das barras de ferramentas Customize Fo&nts... Personalizar &Fontes... Customize fonts in various views Personalizar as fontes utilizadas nas diversas vistas &Basic Usage... Utilização &Básica... Display basic usage instructions Mostrar instruções de utilização básica &Full Documentation... &Documentação Completa... Open a TreeLine file with full documentation Abrir um ficheiro TreeLine com a documentação completa &About TreeLine... &Acerca do TreeLine... Display version info about this program Mostrar informção sobre a versão deste programa &Select Template Seleccionar &Modelo TreeLine - Open File TreeLine -Abrir Ficheiro Open Sample File Abrir Ficheiro de Exemplo &Select Sample &Seleccione um exemplo Conditional Find Procura Condicional Conditional Filter Filtro Condicional General Options Opções Gerais Error - basic help file not found Erro -Ficheiro de ajuda básica não encontrado TreeLine Basic Usage Utilização Básica TreeLine Error - documentation file not found Erro - Ficheiro de documentação não encontrado &Select All &Seleccionar Tudo Select all text in an editor Seleccionar todo o texto num editor Error - invalid TreeLine file {0} TreeLine version {0} written by {0} Library versions: missing directory Show C&onfiguration Structure... Show read-only visualization of type structure Custo&mize Colors... Customize GUI colors and themes treemodel treenode New Novo treeopener treestructure Main Principal treeview Filtering by "{0}", found {1} nodes Filtragem por "{0}", encontrados {1} ramos Conditional filtering, found {0} nodes Filtragem condicional, encontrados {0} ramos Search for: Search for: {0} Search for: {0} (not found) Next: {0} Next: {0} (not found) treewindow Data Output Apresentação de Informação Data Edit Edição de Informação Title List Lista de Títulos &Expand Full Branch &Expandir Ramo Completo Expand all children of the selected nodes Expandir todos os descendentes dos ramos seleccionados &Collapse Full Branch &Colapsar Ramo Completo Collapse all children of the selected nodes Colapsar todos os descendentos dos ramos seleccionados &Previous Selection Selecção &Anterior Return to the previous tree selection Repor a anterior selecção da árvore &Next Selection Selecção &Seguinte Go to the next tree selection in history Ir para a selecção da árvore seguinte no histórico Show Data &Output M&ostrar Apresentação de Informação Show data output in right view Mostrar Apresentação de Dados na vista direita Show Data &Editor Mostrar Editor de &Informação Show data editor in right view Mostrar o editor de informação na vista direita Show &Title List Mostrar &Lista de Títulos Show title list in right view Mostra lista de títulos na vista direita &Show Child Pane Mostrar Painel dos &Descendentes Toggle showing right-hand child views Alternar mostrar vista de descendentes na vista direita Toggle showing output view indented descendants Alternar mostrar a apresentação de descendentes &Close Window &Fechar Janela Close this window Fechar esta janela &File &Ficheiro &Edit &Editar &Node &Ramo &Data &Informação &Tools Fe&rramentas &View &Ver &Window &Janela &Help &Ajuda Start Incremental Search Next Incremental Search Previous Incremental Search Show &Breadcrumb View Toggle showing breadcrumb ancestor view Show Output &Descendants Fo&rmat colorset Dialog background color Dialog text color Text widget background color Text widget foreground color Selected item background color Selected item text color Link text color Tool tip background color Tool tip foreground color Button background color Button text color Disabled text foreground color Disabled button text color Color Settings Color Theme Default system theme Dark theme Custom theme &OK &OK &Cancel &Cancelar Custom Colors Theme Colors Select {0} color i18n/translations/treeline_zh.ts0000644000000000000000000055627114122217342015752 0ustar rootroot conditional starts with 以...开始 ends with 以...结尾 contains 包含 True False and or [All Types] [所有类型] Node Type 节点类型 &Add New Rule 添加新规则(&A) &Remove Rule 删除规则(&R) &OK 确认(&O) &Cancel 取消(&C) Find &Previous 查找上一个(&P) Find &Next 查找下一个(&N) &Filter 过滤(&F) &End Filter 结束过滤(&E) &Close 关闭(&C) No conditional matches were found 没有找到条件匹配 Rule {0} 规则{0} Saved Rules 保存规则 Name: 名字: &Load 载入(&L) &Save 保存(&S) &Delete 删除(&D) configdialog Configure Data Types 配置数据类型 T&ype List 类型列表(&y) Typ&e Config 类型配置(&e) Field &List 字段列表(&L) &Field Config 字段配置(&F) O&utput 输出(&u) &Show Advanced 显示高级(&S) &OK 确认(&O) &Apply 应用(&A) &Reset 重置(&R) &Cancel 取消(&C) &Hide Advanced 隐藏高级(&H) Error - circular reference in math field equations 错误 - 数学场方程中的循环引用 Add or Remove Data Types 添加或删除数据类型 &New Type... 新类型(&N)... Co&py Type... 拷贝类型(&p)... Rena&me Type... 重命名类型(&m)... &Delete Type 删除类型(&D) Add Type 添加类型 Enter new type name: 输入新类型的名字: Copy Type 复制类型 &Derive from original 从原来类型衍生(&D) Rename Type 重命名类型 Rename from {} to: 从{}重命名为: Cannot delete data type being used by nodes 无法删除节点使用的数据类型 [None] no type set [无] &Data Type 数据类型(&D) Default Child &Type 默认子节点类型(&T) Icon 图标 Change &Icon 改变图标(&I) Output Options 输出选项 Add &blank lines between nodes 在节点之间添加空行(&b) Allow &HTML rich text in format 允许&HTML多格式文本 Add text bullet&s 添加文本项目符号(&s) Use a table for field &data 为字段数据使用表格(&d) Combination && Child List Output &Separator 组合&&子列表输出分隔符(&S) Derived from &Generic Type 从通用类型衍生(&G) Automatic Types 自动类型 None Modify Co&nditional Types 修改条件类型(&n) Create Co&nditional Types 创建条件类型(&n) Set Types Conditionally 有条件地设置类型 Modify &Field List 修改字段列表(&F) Name 名字 Type 类型 Sort Key 排序键 Move U&p 上移(&p) Move Do&wn 下移(&w) &New Field... 新字段(&N)... Rena&me Field... 重命名字段(&m)... Dele&te Field 删除字段(&t) Sort &Keys... 排序键(&K)... fwd 正向 rev 逆向 Add Field 添加字段 Enter new field name: 输入新的字段名称: Rename Field 重命名字段 File Info Reference 文件信息参考 F&ield 字段(&i) &Field Type 字段类型(&F) Outpu&t Format 输出格式(&t) Format &Help 格式帮助(&H) Extra Text 额外文字 &Prefix 前缀(&P) Suffi&x 后缀(&x) Default &Value for New Nodes 新节点的缺省值(&V) Editor Height 编辑器高度 Num&ber of text lines 文本行数(&b) Math Equation 数学方程式 Define Equation 定义方程式 F&ield List 字段列表(&i) &Title Format 标题格式(&T) Out&put Format 输出格式(&p) Other Field References 其他字段参考 Reference Le&vel 参考级别(&v) Refere&nce Type 参考类型(&n) The name cannot be empty 名称不能为空 The name must start with a letter 名称必须以字母开头 The name cannot start with "xml" 名称不能以“xml”开头 The name cannot contain spaces 名称不能包含空格 The following characters are not allowed: {} 不允许使用以下字符:{} The name was already used 该名称已被使用 Set Data Type Icon 设置数据类型图标 Clear &Select 清除选择(&S) forward 正向 reverse 逆向 Sort Key Fields 排序关键字段 Available &Fields 可用字段(&F) &Sort Criteria 排序标准(&S) Field 字段 Direction 方向 Move &Up 上移(&U) &Move Down 下移(&M) Flip &Direction 翻转方向(&D) Self Reference 自引用 Parent Reference 父引用 Root Reference 根引用 Child Reference 子引用 Child Count 子计数 Date Result 日期结果 Time Result 时间结果 add subtract multiply divide floor divide 向下取整除 modulus 系数 power 乘方 sum of items 项目总和 maximum 最大 minimum 最小 average 平均 absolute value 绝对值 square root 平方根 natural logarithm 自然对数 base-10 logarithm 以10为底的对数 factorial 阶乘 round to num digits 四舍五入 lower integer 较低的整数(lower integer) higher integer 更高的整数(higher integer) truncated integer 截断的整数(truncated integer) floating point 浮点 sine of radians 正弦 cosine of radians 余弦 tangent of radians 切线(tangent of radians) arc sine 正弦波 arc cosine 反余弦 arc tangent 反正切 radians to degrees 弧度到度 degrees to radians 度数到弧度 pi constant π常数 natural log constant 自然对数常数 Define Math Field Equation 定义数学字段方程 Field References 字段引用 Reference &Level 引用级别(&L) Reference &Type 引用类型(&T) Available &Field List 可用字段列表(&F) &Result Type 结果类型(&R) Description 描述 &Equation 方程式(&E) Equation error: {} 方程式错误:{} Boolean Result 布尔结果 Text Result 文本结果 Arithmetic Operators 算术运算符 Comparison Operators 比较运算符 Text Operators 文本运算符 equal to 等于 less than 小于 greater than 大于 less than or equal to 小于等于 greater than or equal to 大于等于 not equal to 不等 true value, condition, false value 真值, 条件, 假值 true if 1st text arg starts with 2nd arg 如果第一个文本参数以第二个参数开头,则为真 true if 1st text arg ends with 2nd arg 如果第一个文本参数以第二个参数结尾,则为真 true if 1st text arg contains 2nd arg 如果第一个文本参数包含第二个参数,则为真 concatenate text 连接文本 join text using 1st arg as separator 使用第一个参数作为分隔符连接文本 convert text to upper case 将文本转换为大写 convert text to lower case 将文本转换为小写 in 1st arg, replace 2nd arg with 3rd arg 在第一个参数中,将第二个参数替换为第三个参数 Operations 运算 O&perator Type 运算类型(&p) Oper&ator List 运算列表(&a) logical and 逻辑与 logical or 逻辑或 Output HTML 输出HTML Evaluate &HTML tags 评估&HTML标记 Child Type Limits 子类型限制 [All Types Available] [所有可用类型] &Select All 选择所有(&S) Select &None 都不选(&N) Number Result 数字结果 Count 计数 Number of Children 子节点数量 dataeditors Today's &Date 当前日期(&D) &Open Link 打开链接(&O) Open &Folder 打开文件夹(&F) External Link 外部链接 Scheme 方案 &Browse for File 浏览文件(&B) File Path Type 文件路径类型 Absolute 绝对 Relative 相对 Address 地址 Display Name 显示名称 &OK 确认(&O) &Cancel 取消(&C) TreeLine - External Link File TreeLine - 外部链接文件 &Go to Target 转到目标(&G) Internal Link 内部链接 &Open Picture 打开图片(&O) Picture Link 图片链接 TreeLine - Picture File TreeLine - 图片文件 Set to &Now 设置为当前时间(&N) Clear &Link 清除链接(&L) (Click link target in tree) (在树中点击链接目标) link 链接 exports Bookmarks 书签 TreeLine - Export HTML TreeLine - 导出HTML TreeLine - Export Text Titles TreeLine - 导出文本标题 TreeLine - Export Plain Text TreeLine - 导出纯文本 TreeLine - Export Text Tables TreeLine - 导出文本表格 TreeLine - Export Generic XML TreeLine - 导出通用XML TreeLine - Export TreeLine Subtree TreeLine - 导出TreeLine子树 TreeLine - Export ODF Text TreeLine - 导出ODF文本 TreeLine - Export HTML Bookmarks TreeLine - 导出HTML书签 TreeLine - Export XBEL Bookmarks TreeLine - 导出XBEL书签 &HTML &HTML &Text 文本(&T) &ODF Outline &ODF大纲 Book&marks 书签(&m) &Single HTML page 单个HTML页面(&S) Single &HTML page with navigation pane 带有导航窗格的单个&HTML页面 Multiple HTML &pages with navigation pane 带导航窗格的多个HTML页面(&p) Multiple HTML &data tables 多个HTML和数据表(&d) &Tabbed title text 标签标题文字(&T) &Unformatted output of all text 未格式化的所有文本输出(&U) &HTML format bookmarks &HTML格式的书签 &XBEL format bookmarks &XBEL格式的书签 File Export 文件导出 Choose export format type 选择导出格式类型 Choose export format subtype 选择导出格式子类型 Choose export options 选择导出选项 What to Export 导出什么 &Entire tree 整棵树(&E) Selected &branches 选定的分支(&b) Selected &nodes 选定的节点(&n) Other Options 其他选项 &Only open node children 只有打开节点的子节点(&O) Include &print header && footer 包括打印标题和页脚(&p) &Columns 列(&C) Navigation pane &levels 导航窗格级别(&l) Error - export template files not found. Check your TreeLine installation. 错误 - 未找到导出模板文件。 检查TreeLine安装。 Error - cannot link to unsaved TreeLine file. Save the file and retry. 错误 - 无法链接到未保存的TreeLine文件。 保存文件并重试。 Warning - no relative path from "{0}" to "{1}". Continue with absolute path? 警告 - 没有从“{0}”到“{1}”的相对路径。 继续绝对路径? Parent Tree&Line Tree&Line &XML (generic) &XML (通用) Live tree view, linked to TreeLine file (for web server) 实时树视图,链接到TreeLine文件(用于Web服务器) Live tree view, single file (embedded data) 实时树视图,单个文件(嵌入数据) &Comma delimited (CSV) table of descendants (level numbers) 逗号分隔(CSV)后代表格(级别编号)(&C) Comma &delimited (CSV) table of children (single level) 逗号分隔(CSV)子表格(单级)(&d) Tab &delimited table of children (&single level) 制表符分隔(CSV)子表格(单级)(&d) &Old TreeLine (2.0.x) 老版本TreeLine (2.0.x)(&O) &TreeLine Subtree TreeLine子树(&T) &Include root nodes 包括根节点(&I) Must select nodes prior to export 必须在导出之前选择节点 fieldformat Text 文本 HtmlText Html文本 OneLineText 单行文本 SpacedText 间隔文本 Number 数字 Math 数学 Numbering 编号 Boolean 布尔 Date 日期 Time 时间 Choice 选择 AutoChoice 自动选择 Combination 组合 AutoCombination 自动组合 ExternalLink 外部链接 InternalLink 内部链接 Picture 图片 RegularExpression 正则表达式 Now 现在 Optional Digit # 可选数字 # Required Digit 0 必需数字 0 Digit or Space (external) <space> 数字或空格(外部) <space> Decimal Point . 小数点 . Decimal Comma , 十进制逗号 , Space Separator (internal) <space> 空格分隔符 (内部) <space> Optional Sign - 可选标志 - Required Sign + 必需的标志 + Exponent (capital) E 指数 (大写) E Exponent (small) e 指数(小写) e Number 1 数 1 Capital Letter A 大写字母 A Small Letter a 小写字母 a Capital Roman Numeral I 大写罗马数字 I Small Roman Numeral i 小写罗马数字 i Level Separator / 级分隔符 / Section Separator . 段落分隔符 . "/" Character // "/" 字符 // "." Character .. "." 字符 .. Outline Example I../A../1../a)/i) 大纲例子 I../A../1../a)/i) Section Example 1.1.1.1 段落例子 1.1.1.1 Separator / 分隔符 / Example 1/2/3/4 例子 1/2/3/4 yes/no yes/no true/false true/false T/F T/F Y/N Y/N Any Character . 任意字符 . End of Text $ 文本结尾 $ 0 Or More Repetitions * 重复0或多次 * 1 Or More Repetitions + 重复1或多次 + 0 Or 1 Repetitions ? 重复0或1次 ? Set of Numbers [0-9] 数字 [0-9] Lower Case Letters [a-z] 小写字母 [a-z] Upper Case Letters [A-Z] 大写字母 [A-Z] Not a Number [^0-9] 非数字 [^0-9] Or | 或 | Escape a Special Character \ 特殊字符转义 \ DateTime 日期时间 Day (1 or 2 digits) %-d 日 (1或2位) %-d Day (2 digits) %d 日 (2位) %d Weekday Abbreviation %a 星期缩写 %a Weekday Name %A 星期名字 %A Month (1 or 2 digits) %-m 月 (1 or 2 digits) %-m Month (2 digits) %m 月 (2 digits) %m Month Abbreviation %b 月缩写 %b Month Name %B 月名字 %B Year (2 digits) %y 年 (2 digits) %y Year (4 digits) %Y 年 (4 digits) %Y Week Number (0 to 53) %-U 星期数字 (0 to 53) %-U Day of year (1 to 366) %-j 年内第几日 (1 to 366) %-j Hour (0-23, 1 or 2 digits) %-H 小时(0-23, 1 or 2 digits) %-H Hour (00-23, 2 digits) %H 小时(00-23, 2 digits) %H Hour (1-12, 1 or 2 digits) %-I 小时 (1-12, 1 or 2 digits) %-I Hour (01-12, 2 digits) %I 小时 (01-12, 2 digits) %I Minute (1 or 2 digits) %-M 分 (1 or 2 digits) %-M Minute (2 digits) %M 分 (2 digits) %M Second (1 or 2 digits) %-S 秒 (1 or 2 digits) %-S Second (2 digits) %S 秒 (2 digits) %S Microseconds (6 digits) %f 毫秒 (6 digits) %f AM/PM %p AM/PM %p Comma Separator \, 逗号分隔符 \, Dot Separator \. 点分隔符 \. DescendantCount 后代数 genboolean true false yes no globalref TreeLine Files TreeLine文件 TreeLine Files - Compressed TreeLine文件 - 压缩 TreeLine Files - Encrypted TreeLine文件 - 加密 All Files 所有文件 HTML Files HTML文件 Text Files 文本文件 XML Files XML文件 ODF Text Files ODF文本文件 Treepad Files Treepad文件 PDF Files PDF文件 CSV (Comma Delimited) Files CSV(逗号分隔)文件 All TreeLine Files 所有TreeLine文件 Old TreeLine Files 老TreeLine文件 helpview Tools 工具 &Back 返回(&B) &Forward 前进(&F) &Home 主页(&H) Find: 查找: Find &Previous 查找前一个(&P) Find &Next 查找后一个(&N) Text string not found 没找到文本串 imports &Tab indented text, one node per line &Tab缩进文本,每行一个节点 Tab delimited text table with header &row 带标题和行的Tab分隔文本表格(&r) Plain text &paragraphs (blank line delimited) 纯文本与段落(空白行分隔)(&p) Treepad &file (text nodes only) Treepad文件(仅限文本节点)(&f) &Generic XML (non-TreeLine file) 通用XML(非TreeLine文件)(&G) Open &Document (ODF) outline Open &Document (ODF)大纲 &HTML bookmarks (Mozilla Format) &HTML书签(Mozilla格式) &XML bookmarks (XBEL format) &XML书签(XBEL格式) FOLDER 目录 BOOKMARK 书签 SEPARATOR 分隔符 Link 链接 Text 文本 Import File 导入文件 Choose Import Method 选择导入方式 Invalid File 无效的文件 "{0}" is not a valid TreeLine file. Use an import filter? "{0}"不是有效的TreeLine文件。 使用导入过滤器? TreeLine - Import File TreeLine - 导入文件 Error - could not read file {0} 错误 - 无法读取文件{0} Error - improper format in {0} 错误 - {0}中的格式不正确 TABLE 表格 Bookmarks 书签 Too many entries on Line {0} 行{0}上的条目太多 Plain text, one &node per line (CR delimited) 纯文本,每行一个节点(回车分隔)(&n) Bad CSV format on Line {0} 行{0}上的错误CSV格式 Co&mma delimited (CSV) text table with level column && header row 带有级别列 && 标题行的逗号分隔(CSV)文本表格(&m) Comma delimited (CSV) text table &with header row 带有标题行的逗号分隔(CSV)文本表格(&w) Other 其他 Old Tree&Line File (1.x or 2.x) 老版本Tree&Line文件(1.x或2.x) Invalid level number on line {0} 第{0}行上的级别编号无效 Invalid level structure 级别结构无效 matheval Illegal "{}" characters 非法的"{}"字符 Child references must be combined in a function 必须在函数中组合子引用 Illegal syntax in equation 等式中的非法语法 Illegal function present: {0} 存在非法函数: {0} Illegal object type or operator: {0} 非法对象类型或运算符: {0} miscdialogs &OK 确认(&O) &Cancel 取消(&C) Fields 字段 File Properties 文件属性 File Storage 文件存储 &Use file compression 使用文件压缩(&U) Use file &encryption 使用文件加密(&e) Spell Check 拼写检查 Language code or dictionary (optional) 语言代码或 字典(可选) Math Fields 数学字段 &Treat blank fields as zeros 将空白字段视为零(&T) Encrypted File Password 加密文件密码 Type Password for "{0}": 输入“{0}”的密码: Type Password: 输入密码: Re-Type Password: 重新输入密码: Remember password during this session 在此会话期间记住密码 Zero-length passwords are not permitted 不允许使用零长度密码 Re-typed password did not match 重新输入的密码不匹配 Default - Single Line Text 默认 - 单行文字 &Search Text 搜索文字(&S) What to Search 搜索内容 Full &data 完整数据(&d) &Titles only 只有标题(&T) How to Search 如何搜索 &Key words 关键词(&K) Key full &words 完整的关键词(&w) F&ull phrase 完整的短语(&u) &Regular expression 正则表达式(&R) Find 查找 Find &Previous 查找上一个(&P) Find &Next 查找下一个(&N) Filter 过滤 &Filter 过滤(&F) &End Filter 结束过滤(&E) &Close 关闭(&C) Error - invalid regular expression 错误 - 无效的正则表达式 Search string "{0}" not found 搜索字符串“{0}”未找到 Find and Replace 查找和替换 Replacement &Text 替换文字(&T) Any &match 任意匹配(&m) Full &words 完整的词(&w) Re&gular expression 正则表达式(&g) &Node Type 节点类型(&N) N&ode Fields 节点字段(&o) &Find Next 查找下一个(&F) &Replace 替换(&R) Replace &All 替换全部(&A) [All Types] [所有类型] [All Fields] [所有字段] Search text "{0}" not found 搜索文本“{0}”未找到 Error - replacement failed 错误 - 替换失败 Replaced {0} matches 替换了{0}个匹配项 Sort Nodes 节点排序 What to Sort 排序内容 &Entire tree 整棵树(&E) Selected &branches 选定的分支(&b) Selection's childre&n 选择节点的子节点(&n) Selection's &siblings 选择节点的同级节点(&s) Sort Method 排序方法 &Predefined Key Fields 预定义的关键字段(&P) Node &Titles 节点标题(&T) Sort Direction 排序方向 &Forward 正向(&F) &Reverse 反向(&R) &Apply 应用(&A) Update Node Numbering 更新节点编号 What to Update 更新的内容 &Selection's children 选择节点的子节点(&S) Root Node 根节点 Include top-level nodes 包括顶级节点 Handling Nodes without Numbering Fields 处理没有编号字段的节点 &Ignore and skip 忽略并跳过(&I) &Restart numbers for next siblings 重启下一个同级节点的编号(&R) Reserve &numbers 保留的编号(&n) TreeLine Numbering TreeLine编号 No numbering fields were found in data types 在数据类型中找不到编号字段 File Menu 文件菜单 File 文件 Edit Menu 编辑菜单 Edit 编辑 Node Menu 节点菜单 Node 节点 Data Menu 数据菜单 Data 数据 Tools Menu 工具菜单 Tools 工具 View Menu 视图菜单 View 视图 Window Menu 窗口菜单 Window 窗口 Help Menu 帮助菜单 Help 帮助 Keyboard Shortcuts 键盘快捷键 &Restore Defaults 恢复默认(&R) Key {0} is already used 键{0}已被使用 Clear &Key 清除键(&K) --Separator-- - 分隔符 - Customize Toolbars 自定义工具栏 Toolbar &Size 工具栏尺寸(&S) Small Icons 小图标 Large Icons 大图标 Toolbar Quantity 工具栏数量 &Toolbars 工具栏(&T) A&vailable Commands 可用命令(&v) Tool&bar Commands 工具栏命令(&b) Move &Up 上移(&U) Move &Down 下移(&D) Tree View Font 树视图字体 Output View Font 输出视图字体 Editor View Font 编辑器视图字体 No menu 无菜单 TreeLine - Serious Error TreeLine - 严重错误 A serious error has occurred. TreeLine could be in an unstable state. Recommend saving any file changes under another filename and restart TreeLine. The debugging info shown below can be copied and emailed to doug101@bellz.org along with an explanation of the circumstances. 发生了严重错误。 TreeLine可能处于不稳定状态. 建议在另一个文件名下保存任何文件更改并重新启动TreeLine. 下面显示的调试信息可以复制并通过电子邮件发送到doug101@bellz.org 对情况的解释. Format Menu 格式菜单 Format 格式 Customize Fonts 自定义字体 &Use system default font 使用系统默认字体(&U) App Default Font 应用默认字体 &Use app default font 使用应用默认字体(&U) nodeformat Name 名字 optiondefaults Monday 星期一 Tuesday 星期二 Wednesday 星期三 Thursday 星期四 Friday 星期五 Saturday 星期六 Sunday 星期日 Startup Condition 启动条件 Automatically open last file used 自动打开上次使用的文件 Show descendants in output view 在输出视图中显示后代 Restore tree view states of recent files 恢复最近文件的树视图状态 Restore previous window geometry 恢复上一个窗口几何 Features Available 可用功能 Open files in new windows 在新窗口中打开文件 Click node to rename 单击节点重命名 Rename new nodes when created 创建时重命名新节点 Tree drag && drop available 树拖放可用 Show icons in the tree view 在树视图中显示图标 Show math fields in the Data Edit view 在数据编辑视图中显示数学字段 Show numbering fields in the Data Edit view 在数据编辑视图中显示编号字段 Undo Memory 撤消内存 Number of undo levels 撤消级别数 Auto Save 自动保存 Minutes between saves (set to 0 to disable) 保存之间的分钟数 (设为0表示禁用) Recent Files 最近的文件 Number of recent files in the file menu 最近文件的数量 在文件菜单中 Data Editor Formats 数据编辑器格式 Times Dates 日期 First day of week 第一天 每周 Appearance 呈现 Child indent offset (in font height units) 子缩进偏移 (字体高度单位) Show breadcrumb ancestor view 显示面包屑祖先视图 Show child pane in right hand views 在右手视图中显示子窗格 Remove inaccessible recent file entries 删除无法访问的最近文件条目 Activate data editors on mouse hover 在鼠标悬停时激活数据编辑器 Minimize application to system tray 最小化应用程序到系统托盘 Indent (pretty print) TreeLine JSON files 缩进(优雅打印)TreeLine JSON文件 Limit data editor height to window size options Choose configuration file location 选择配置文件位置 User's home directory (recommended) 用户的主目录(推荐) Program directory (for portable use) 程序目录(便携式使用) &OK 确认(&O) &Cancel 取消(&C) printdata Error initializing printer 初始化打印机时出错 TreeLine - Export PDF TreeLine - 导出PDF Warning: Page size and margin settings unsupported on current printer. Save page adjustments? 警告:当前打印机不支持页面大小和边距设置。 保存页面调整? Warning: Page size setting unsupported on current printer. Save adjustment? 警告:当前打印机不支持页面大小设置。 保存调整? Warning: Margin settings unsupported on current printer. Save adjustments? 警告:当前打印机不支持边距设置。 保存调整? printdialogs Print Preview 打印预览 Fit Width 适合宽度 Fit Page 适合页面 Zoom In 放大 Zoom Out 缩小 Previous Page 前一页 Next Page 后一页 Single Page 单页 Facing Pages 面对页面 Print Setup 打印设置 Print 打印 Printing Setup 打印设置 &General Options 常规选项(&G) Page &Setup 页面设置(&S) &Font Selection 字体选择(&F) &Header/Footer 页眉/页脚(&H) Print Pre&view... 打印预览(&v)... &Print... 打印(&P)... &OK 确认(&O) &Cancel 取消(&C) What to print 打印什么 &Entire tree 整棵树(&E) Selected &branches 选定的分支(&b) Selected &nodes 选定的节点(&n) Included Nodes 包括的节点 &Include root node 包括根节点(&I) Onl&y open node children 只有打开节点的子节点(&y) Features 特征 &Draw lines to children 给子节点画线(&D) &Keep first child with parent 保持第一个子节点在父节点上(&K) Indent 缩进 Indent Offse&t (line height units) 缩进偏移量(&t) (线高单位) Letter (8.5 x 11 in.) 信纸 (8.5 x 11 in.) Legal (8.5 x 14 in.) 法律文书 (8.5 x 14 in.) Tabloid (11 x 17 in.) 小型报纸 (11 x 17 in.) A3 (279 x 420 mm) A3 (279 x 420 mm) A4 (210 x 297 mm) A4 (210 x 297 mm) A5 (148 x 210 mm) A5 (148 x 210 mm) Custom Size 自定义大小 Inches (in) 英寸(in) Millimeters (mm) 毫米 (mm) Centimeters (cm) 厘米 (cm) &Units 单位(&U) Paper &Size 纸张尺寸(&S) &Width: 宽(&W): Height: 高: Orientation 方向 Portra&it 竖向(&i) Lan&dscape 水平(&d) Margins 边距 &Left: 左(&L): &Top: 上(&T): &Right: 右(&R): &Bottom: 下(&B): He&ader: 页眉(&a): Foot&er: 页脚(&e): Columns &Number of columns 列数(&N) Space between colu&mns 列之间空格(&m) Default Font 默认字体 &Use TreeLine output view font 使用TreeLine输出视图字体(&U) Select Font 选择字体 &Font 字体(&F) Font st&yle 字体样式(&y) Si&ze 尺寸(&z) Sample 示例 AaBbCcDdEeFfGg...TtUuVvWvXxYyZz AaBbCcDdEeFfGg...TtUuVvWvXxYyZz &Header Left 页眉左(&H) Header C&enter 页眉中(&e) Header &Right 页眉右(&R) Footer &Left 页脚左(&L) Footer Ce&nter 页脚中(&n) Footer Righ&t 页脚右(&t) Fiel&ds 字段(&d) Field For&mat 字段格式(&m) Header and Footer 页眉和页脚 Field Format for "{0}" "{0}"的字段格式 Output &Format 输出格式(&F) Format &Help 格式帮助(&H) Extra Text 额外文字 &Prefix 前缀(&P) &Suffix 后缀(&S) Error: Page size or margins are invalid 错误:页面大小或边距无效 TreeLine PDF Printer TreeLine PDF 打印机 Select &Printer 选择打印机(&P) spellcheck Could not find either aspell.exe, ispell.exe or hunspell.exe Browse for location? 找不到aspell.exe,ispell.exe或hunspell.exe 指定位置? Spell Check Error 拼写检查错误 Locate aspell.exe, ipsell.exe or hunspell.exe 定位aspell.exe,ipsell.exe或hunspell.exe Program (*.exe) 程序(*.exe) TreeLine Spell Check Error Make sure aspell, ispell or hunspell is installed TreeLine拼写检查错误 确保安装了aspell,ispell或hunspell TreeLine Spell Check TreeLine拼写检查 Finished spell checking 完成拼写检查 Spell Check 拼写检查 Not in Dictionary 不在字典中 Word: 词: Context: 上下文: Suggestions 建议 Ignor&e 忽略(&e) &Ignore All 忽略全部(&I) &Add 添加(&A) Add &Lowercase 添加小写(&L) &Replace 替换(&R) Re&place All 替换全部(&p) &Cancel 取消(&C) Finished checking the branch Continue from the top? 完成检查分支 从顶部继续? titlelistview Select in Tree 在树中选择 treeformats DEFAULT 默认 FILE 文件 TYPE 类型 FIELD 字段 FieldType 字段类型 TitleFormat 标题格式 OutputFormat 输出格式 SpaceBetween 中间空格 FormatHtml 格式Html Bullets 项目符号 Table 表格 ChildType 子类型 Icon 图标 GenericType 一般类型 ConditionalRule 条件规则 ListSeparator 列表分割符 ChildTypeLimit 子类型限制 Format 格式 Prefix 前缀 Suffix 后缀 InitialValue 初始值 NumLines 数字线 SortKeyNum 排序键编号 SortForward 向前排序 EvalHtml 评估Html treelocalcontrol Error - could not delete backup file {} 错误 - 无法删除备份文件{} Save changes to {}? 将更改保存到{}? Save changes? 保存更改? &Save 保存(&S) Save File 保存文件 Save the current file 保存当前文件 Save &As... 另存为(&A)... Save the file with a new name 使用新名称保存文件 &Export... 导出(&E)... Export the file in various other formats 以各种其他格式导出文件 Prop&erties... 属性(&e)... Set file parameters like compression and encryption 设置压缩和加密等文件参数 P&rint Setup... 打印设置(&r)... Set margins, page size and other printing options 设置边距,页面大小和其他打印选项 Print Pre&view... 打印预览(&v)... Show a preview of printing results 显示打印结果的预览 &Print... 打印(&P)... Print tree output based on current options 根据当前选项打印树输出 Print &to PDF... 打印到PDF(&t)... Export to PDF with current printing options 使用当前打印选项导出为PDF &Undo 撤消(&U) Undo the previous action 撤消上一个操作 &Redo 重做(&R) Redo the previous undo 重做上一个撤消 Cu&t 剪切(&t) Cut the branch or text to the clipboard 将分支或文本剪切到剪贴板 &Copy 拷贝(&C) Copy the branch or text to the clipboard 将分支或文本复制到剪贴板 &Paste 粘贴(&P) Paste nodes or text from the clipboard 粘贴剪贴板中的节点或文本 Paste non-formatted text from the clipboard 从剪贴板粘贴未格式化的文本 &Bold Font 粗体(&B) Set the current or selected font to bold 将当前或选定的字体设置为粗体 &Italic Font 斜体(&I) Set the current or selected font to italic 将当前或选定的字体设置为斜体 U&nderline Font 下划线(&n) Set the current or selected font to underline 将当前或选定的字体设置为下划线 &Font Size 字体大小(&F) Set size of the current or selected text 设置当前或所选文本的大小 Small Default 默认 Large Larger 更大 Largest 最大 Set Font Size 设置字体大小 Font C&olor... 字体颜色(&o)... Set the color of the current or selected text 设置当前或所选文本的颜色 &External Link... 外部链接(&E)... Add or modify an extrnal web link 添加或修改外部Web链接 Internal &Link... 内部链接(&L)... Add or modify an internal node link 添加或修改内部节点链接 Clear For&matting 清除格式(&m) Clear current or selected text formatting 清除当前或选定的文本格式 &Rename 重命名(&R) Rename the current tree entry title 重命名当前树条目标题 Insert Sibling &Before 之前插入同级(&B) Insert new sibling before selection 在选择节点之前插入新的同级节点 Insert Sibling &After 之后插入同级(&A) Insert new sibling after selection 在选择节点之后插入新的同级节点 Add &Child 添加子节点(&C) Add new child to selected parent 将新子项添加到选定的父项 &Delete Node 删除节点(&D) Delete the selected nodes 删除所选节点 &Indent Node 缩进节点(&I) Indent the selected nodes 缩进选定的节点 &Unindent Node 取消缩进节点(&U) Unindent the selected nodes 取消缩进选定的节点 &Move Up 上移(&M) Move the selected nodes up 上移选定的节点 M&ove Down 下移(&o) Move the selected nodes down 下移选定的节点 Move &First 移到首位(&F) Move the selected nodes to be the first children 将所选节点移动为第一个子节点 Move &Last 移到最后(&L) Move the selected nodes to be the last children 将所选节点移动为最后一个子节点 &Set Node Type 设置节点类型(&S) Set the node type for selected nodes 设置所选节点的节点类型 Set Node Type 设置节点类型 Copy Types from &File... 从文件复制类型(&F)... Copy the configuration from another TreeLine file 从另一个TreeLine文件复制配置 Flatten &by Category 按类别拼合(&b) Collapse descendants by merging fields 通过合并字段折叠后代 Add Category &Level... 添加类别级别(&L)... Insert category nodes above children 在子项上方插入类别节点 &Spell Check... 拼写检查(&S)... &New Window 新建窗口(&N) Open a new window for the same file 打开同一文件的新窗口 Error - could not write to {} 错误 - 无法写入{} TreeLine - Save As TreeLine - 另存为 Error - could not write to file 错误 - 无法写入文件 TreeLine - Open Configuration File TreeLine - 打开配置文件 Error - could not read file {0} 错误 - 无法读取文件{0} Cannot expand without common fields 没有常见字段无法扩展 Category Fields 类别字段 Select fields for new level 选择新级别的字段 File saved 文件已保存 Pa&ste Plain Text 粘贴纯文本(&s) Paste C&hild 粘贴子节点(&h) Paste a child node from the clipboard 从剪贴板粘贴子节点 Paste Sibling &Before 之前粘贴同级(&B) Paste a sibling before selection 在选择节点之前粘贴新的同级节点 Paste Sibling &After 之后粘贴同级(&A) Paste a sibling after selection 在选择节点之后粘贴新的同级节点 Paste Cl&oned Child 粘贴克隆的子节点(&o) Paste a child clone from the clipboard 从剪贴板粘贴克隆的子节点 Paste Clo&ned Sibling Before 之前粘贴克隆的同级(&n) Paste a sibling clone before selection 在选择节点之前粘贴新的同级克隆节点 Paste Clone&d Sibling After 之后粘贴克隆的同级(&d) Paste a sibling clone after selection 在选择节点之后粘贴新的同级克隆节点 Clone All &Matched Nodes 克隆所有匹配的节点(&M) Convert all matching nodes into clones 将所有匹配的节点转换为克隆 &Detach Clones 分离克隆(&D) Detach all cloned nodes in current branches 分离当前分支中的所有克隆节点 S&wap Category Levels 交换类别级别(&w) Swap child and grandchild category nodes 交换子节点和孙节点类节点 Converted {0} branches into clones 将{0}分支转换为克隆 No identical nodes found 找不到相同的节点 Warning - file corruption! Skipped bad child references in the following nodes: 警告 - 文件损坏! 在以下节点中跳过了坏子引用: Spell check the tree's text data 拼写检查树的文本数据 &Regenerate References 重新生成参考(&R) Force update of all conditional types & math fields 强制更新所有条件类型和数学字段 Insert &Date Insert current date as text treemaincontrol Warning: Could not create local socket 警告:无法创建本地套接字 Error - could not write config file to {} 错误 - 无法将配置文件写入{} Error - could not read file {0} 错误 - 无法读取文件{0} Backup file "{}" exists. A previous session may have crashed 备份文件“{}”存在。 之前的会话可能已经崩溃 &Restore Backup 恢复备份(&R) &Delete Backup 删除备份(&D) &Cancel File Open 取消文件打开(&C) Error - could not rename "{0}" to "{1}" 错误 - 无法将“{0}”重命名为“{1}” Error - could not remove backup file {} 错误 - 无法删除备份文件{} &New... 新建(&N)... New File 新文件 Start a new file 开始一个新文件 &Open... 打开(&O)... Open File 打开文件 Open a file from disk 从磁盘上打开文件 Open Sa&mple... 打开示例文件(&m)... Open Sample 打开示例文件 Open a sample file 打开一个示例文件 &Import... 导入(&I)... Open a non-TreeLine file 打开一个非TreeLine文件 &Quit 退出(&Q) Exit the application 退出应用 &Select All 选择所有(&S) Select all text in an editor 在编辑器里选择所有 &Configure Data Types... 配置数据类型(&C)... Modify data types, fields & output lines 编辑数据类型,字段和输出行 Sor&t Nodes... 节点排序(&t)... Define node sort operations 定义节点排序操作 Update &Numbering... 更新编号(&N)... Update node numbering fields 更新节点数值型字段 &Find Text... 查找文本(&F)... Find text in node titles & data 在标题和数据中查找文本 &Conditional Find... 条件查找(&C)... Use field conditions to find nodes 使用字段条件查找节点 Find and &Replace... 查找和替换(&R)... Replace text strings in node data 替换节点数据中的文本字符串 &Text Filter... 文本过滤器(&T)... Filter nodes to only show text matches 过滤节点仅显示匹配文本 C&onditional Filter... 条件过滤器(&o)... Use field conditions to filter nodes 使用字段条件过滤节点 &General Options... 常规选项(&G)... Set user preferences for all files 设置所有文件的用户首选项 Set &Keyboard Shortcuts... 设置键盘快捷键(&K)... Customize keyboard commands 自定义键盘命令 C&ustomize Toolbars... 自定义工具栏(&u)... Customize toolbar buttons 自定义工具栏按钮 Customize Fo&nts... 自定义字体(&n)... Customize fonts in various views 在各种视图中自定义字体 &Basic Usage... 基本用法(&B)... Display basic usage instructions 显示基本使用说明 &Full Documentation... 完整文档(&F)... Open a TreeLine file with full documentation 使用完整文档打开TreeLine文件 &About TreeLine... 关于TreeLine(&A)... Display version info about this program 显示有关此程序的版本信息 &Select Template 选择模板(&S) TreeLine - Open File TreeLine - 打开文件 Open Sample File 打开一个示例文件 &Select Sample 选择示例文件(&S) Conditional Find 条件查找 Conditional Filter 条件过滤器 General Options 常规选项 Error - basic help file not found 错误 - 找不到基本帮助文件 TreeLine Basic Usage TreeLine基本用法 Error - documentation file not found 错误 - 找不到文档文件 Error - invalid TreeLine file {0} 错误 - 无效的TreeLine文件{0} TreeLine version {0} TreeLine版本{0} written by {0} 由{0}编写 Library versions: 库版本: missing directory 缺少目录 Show C&onfiguration Structure... 显示配置结构(&o)... Show read-only visualization of type structure 显示只读的类型结构可视化 Custo&mize Colors... Customize GUI colors and themes treenode New 新建 treestructure Main treeview Filtering by "{0}", found {1} nodes 按"{0}"过滤,找到{1}个节点 Conditional filtering, found {0} nodes 条件过滤,找到{0}个节点 Search for: 搜索: Search for: {0} 搜索: {0} Search for: {0} (not found) 搜索: {0} (未找到) Next: {0} 下一个: {0} Next: {0} (not found) 下一个: {0} (未找到) treewindow Data Output 数据输出 Data Edit 数据编辑 Title List 标题列表 &Expand Full Branch 展开完整分支(&E) Expand all children of the selected nodes 展开选定节点的所有子节点 &Collapse Full Branch 折叠完整分支(&C) Collapse all children of the selected nodes 折叠选定节点的所有子节点 &Previous Selection 上一个选则(&P) Return to the previous tree selection 返回上一个树选择 &Next Selection 下一个选择(&N) Go to the next tree selection in history 去到下一个历史树选择 Show Data &Output 显示数据输出(&O) Show data output in right view 在右侧视图显示数据输出 Show Data &Editor 显示数据编辑器(&E) Show data editor in right view 在右侧视图显示数据编辑器 Show &Title List 显示标题列表(&T) Show title list in right view 在右侧视图显示标题列表 &Show Child Pane 显示子窗格(&S) Toggle showing right-hand child views 切换显示右侧子视图 Toggle showing output view indented descendants 切换显示输出视图缩进后代 &Close Window 关闭窗口(&C) Close this window 关闭这个窗口 &File 文件(&F) &Edit 编辑(&E) &Node 节点(&N) &Data 数据(&D) &Tools 工具(&T) &View 视图(&V) &Window 窗口(&W) &Help 帮助(&H) Start Incremental Search 开始增量搜索 Next Incremental Search 下一个增量搜索 Previous Incremental Search 上一个增量搜索 Show &Breadcrumb View 显示面包屑视图(&B) Toggle showing breadcrumb ancestor view 切换显示面包屑祖视图 Show Output &Descendants 显示输出后代(&D) Fo&rmat 格式(&r) colorset Dialog background color Dialog text color Text widget background color Text widget foreground color Selected item background color Selected item text color Link text color Tool tip background color Tool tip foreground color Button background color Button text color Disabled text foreground color Disabled button text color Color Settings Color Theme 色彩主题 Default system theme Dark theme Custom theme &OK 确认(&O) &Cancel 取消(&C) Custom Colors Theme Colors Select {0} color i18n/translations/treeline_it.ts0000644000000000000000000055143114122217342015736 0ustar rootroot conditional starts with ends with contains True False and or [All Types] Node Type &Add New Rule &Remove Rule &OK &Cancel Find &Previous Find &Next &Filter &End Filter &Close No conditional matches were found Rule {0} Saved Rules Name: &Load &Save &Delete configdialog Configure Data Types T&ype List Typ&e Config Field &List &Field Config O&utput &Show Advanced &OK &Apply &Reset &Cancel &Hide Advanced Error - circular reference in math field equations Add or Remove Data Types &New Type... Co&py Type... Rena&me Type... &Delete Type Add Type Enter new type name: Copy Type &Derive from original Rename Type Rename from {} to: Cannot delete data type being used by nodes [None] no type set &Data Type Default Child &Type Icon Change &Icon Output Options Add &blank lines between nodes Allow &HTML rich text in format Add text bullet&s Use a table for field &data Combination && Child List Output &Separator Derived from &Generic Type Automatic Types None Modify Co&nditional Types Create Co&nditional Types Set Types Conditionally Modify &Field List Name Type Sort Key Move U&p Move Do&wn &New Field... Rena&me Field... Dele&te Field Sort &Keys... fwd rev Add Field Enter new field name: Rename Field File Info Reference F&ield &Field Type Outpu&t Format Format &Help Extra Text &Prefix Suffi&x Default &Value for New Nodes Editor Height Num&ber of text lines Math Equation Define Equation F&ield List &Title Format Out&put Format Other Field References Reference Le&vel Refere&nce Type The name cannot be empty The name must start with a letter The name cannot start with "xml" The name cannot contain spaces The following characters are not allowed: {} The name was already used Set Data Type Icon Clear &Select forward reverse Sort Key Fields Available &Fields &Sort Criteria Field Direction Move &Up &Move Down Flip &Direction Self Reference Parent Reference Root Reference Child Reference Child Count Date Result Time Result Boolean Result Text Result Arithmetic Operators Comparison Operators Text Operators add subtract multiply divide floor divide modulus power sum of items maximum minimum average absolute value square root natural logarithm base-10 logarithm factorial round to num digits lower integer higher integer truncated integer floating point sine of radians cosine of radians tangent of radians arc sine arc cosine arc tangent radians to degrees degrees to radians pi constant natural log constant equal to less than greater than less than or equal to greater than or equal to not equal to true value, condition, false value logical and logical or true if 1st text arg starts with 2nd arg true if 1st text arg ends with 2nd arg true if 1st text arg contains 2nd arg concatenate text join text using 1st arg as separator convert text to upper case convert text to lower case in 1st arg, replace 2nd arg with 3rd arg Define Math Field Equation Field References Reference &Level Reference &Type Available &Field List &Result Type Operations O&perator Type Oper&ator List Description &Equation Equation error: {} Output HTML Evaluate &HTML tags Child Type Limits [All Types Available] &Select All Select &None Number Result Count Number of Children dataeditors Today's &Date &Open Link Open &Folder External Link Scheme &Browse for File File Path Type Absolute Relative Address Display Name &OK &Cancel TreeLine - External Link File &Go to Target Internal Link &Open Picture Picture Link TreeLine - Picture File Set to &Now Clear &Link (Click link target in tree) link exports Bookmarks TreeLine - Export HTML TreeLine - Export Text Titles TreeLine - Export Plain Text TreeLine - Export Text Tables TreeLine - Export Generic XML TreeLine - Export TreeLine Subtree TreeLine - Export ODF Text TreeLine - Export HTML Bookmarks TreeLine - Export XBEL Bookmarks &HTML &Text &ODF Outline Book&marks &Single HTML page Single &HTML page with navigation pane Multiple HTML &pages with navigation pane Multiple HTML &data tables &Tabbed title text &Unformatted output of all text &HTML format bookmarks &XBEL format bookmarks File Export Choose export format type Choose export format subtype Choose export options What to Export &Entire tree Selected &branches Selected &nodes Other Options &Only open node children Include &print header && footer &Columns Navigation pane &levels Error - export template files not found. Check your TreeLine installation. Error - cannot link to unsaved TreeLine file. Save the file and retry. Warning - no relative path from "{0}" to "{1}". Continue with absolute path? Parent Tree&Line &XML (generic) Live tree view, linked to TreeLine file (for web server) Live tree view, single file (embedded data) &Comma delimited (CSV) table of descendants (level numbers) Comma &delimited (CSV) table of children (single level) Tab &delimited table of children (&single level) &Old TreeLine (2.0.x) &TreeLine Subtree &Include root nodes Must select nodes prior to export fieldformat Text HtmlText OneLineText SpacedText Number Math Numbering Boolean Date Time Choice AutoChoice Combination AutoCombination ExternalLink InternalLink Picture RegularExpression Now Optional Digit # Required Digit 0 Digit or Space (external) <space> Decimal Point . Decimal Comma , Space Separator (internal) <space> Optional Sign - Required Sign + Exponent (capital) E Exponent (small) e Number 1 Capital Letter A Small Letter a Capital Roman Numeral I Small Roman Numeral i Level Separator / Section Separator . "/" Character // "." Character .. Outline Example I../A../1../a)/i) Section Example 1.1.1.1 Separator / Example 1/2/3/4 yes/no true/false T/F Y/N Any Character . End of Text $ 0 Or More Repetitions * 1 Or More Repetitions + 0 Or 1 Repetitions ? Set of Numbers [0-9] Lower Case Letters [a-z] Upper Case Letters [A-Z] Not a Number [^0-9] Or | Escape a Special Character \ DateTime Day (1 or 2 digits) %-d Day (2 digits) %d Weekday Abbreviation %a Weekday Name %A Month (1 or 2 digits) %-m Month (2 digits) %m Month Abbreviation %b Month Name %B Year (2 digits) %y Year (4 digits) %Y Week Number (0 to 53) %-U Day of year (1 to 366) %-j Hour (0-23, 1 or 2 digits) %-H Hour (00-23, 2 digits) %H Hour (1-12, 1 or 2 digits) %-I Hour (01-12, 2 digits) %I Minute (1 or 2 digits) %-M Minute (2 digits) %M Second (1 or 2 digits) %-S Second (2 digits) %S Microseconds (6 digits) %f AM/PM %p Comma Separator \, Dot Separator \. DescendantCount genboolean true false yes no globalref TreeLine Files TreeLine Files - Compressed TreeLine Files - Encrypted All Files HTML Files Text Files XML Files ODF Text Files Treepad Files PDF Files CSV (Comma Delimited) Files All TreeLine Files Old TreeLine Files helpview Tools &Back &Forward &Home Find: Find &Previous Find &Next Text string not found imports &Tab indented text, one node per line Tab delimited text table with header &row Plain text &paragraphs (blank line delimited) Treepad &file (text nodes only) &Generic XML (non-TreeLine file) Open &Document (ODF) outline &HTML bookmarks (Mozilla Format) &XML bookmarks (XBEL format) FOLDER BOOKMARK SEPARATOR Link Text Import File Choose Import Method Invalid File "{0}" is not a valid TreeLine file. Use an import filter? TreeLine - Import File Error - could not read file {0} Error - improper format in {0} TABLE Bookmarks Too many entries on Line {0} Plain text, one &node per line (CR delimited) Bad CSV format on Line {0} Co&mma delimited (CSV) text table with level column && header row Comma delimited (CSV) text table &with header row Other Old Tree&Line File (1.x or 2.x) Invalid level number on line {0} Invalid level structure matheval Illegal "{}" characters Child references must be combined in a function Illegal syntax in equation Illegal function present: {0} Illegal object type or operator: {0} miscdialogs &OK &Cancel Fields File Properties File Storage &Use file compression Use file &encryption Spell Check Language code or dictionary (optional) Math Fields &Treat blank fields as zeros Encrypted File Password Type Password for "{0}": Type Password: Re-Type Password: Remember password during this session Zero-length passwords are not permitted Re-typed password did not match Default - Single Line Text &Search Text What to Search Full &data &Titles only How to Search &Key words Key full &words F&ull phrase &Regular expression Find Find &Previous Find &Next Filter &Filter &End Filter &Close Error - invalid regular expression Search string "{0}" not found Find and Replace Replacement &Text Any &match Full &words Re&gular expression &Node Type N&ode Fields &Find Next &Replace Replace &All [All Types] [All Fields] Search text "{0}" not found Error - replacement failed Replaced {0} matches Sort Nodes What to Sort &Entire tree Selected &branches Selection's childre&n Selection's &siblings Sort Method &Predefined Key Fields Node &Titles Sort Direction &Forward &Reverse &Apply Update Node Numbering What to Update &Selection's children Root Node Include top-level nodes Handling Nodes without Numbering Fields &Ignore and skip &Restart numbers for next siblings Reserve &numbers TreeLine Numbering No numbering fields were found in data types File Menu File Edit Menu Edit Node Menu Node Data Menu Data Tools Menu Tools View Menu View Window Menu Window Help Menu Help Keyboard Shortcuts &Restore Defaults Key {0} is already used Clear &Key --Separator-- Customize Toolbars Toolbar &Size Small Icons Large Icons Toolbar Quantity &Toolbars A&vailable Commands Tool&bar Commands Move &Up Move &Down Tree View Font Output View Font Editor View Font No menu TreeLine - Serious Error A serious error has occurred. TreeLine could be in an unstable state. Recommend saving any file changes under another filename and restart TreeLine. The debugging info shown below can be copied and emailed to doug101@bellz.org along with an explanation of the circumstances. Format Menu Format Customize Fonts &Use system default font App Default Font &Use app default font nodeformat Name optiondefaults Monday Tuesday Wednesday Thursday Friday Saturday Sunday Startup Condition Automatically open last file used Show descendants in output view Restore tree view states of recent files Restore previous window geometry Features Available Open files in new windows Click node to rename Rename new nodes when created Tree drag && drop available Show icons in the tree view Show math fields in the Data Edit view Show numbering fields in the Data Edit view Undo Memory Number of undo levels Auto Save Minutes between saves (set to 0 to disable) Recent Files Number of recent files in the file menu Data Editor Formats Times Dates First day of week Appearance Child indent offset (in font height units) Show breadcrumb ancestor view Show child pane in right hand views Remove inaccessible recent file entries Activate data editors on mouse hover Minimize application to system tray Indent (pretty print) TreeLine JSON files Limit data editor height to window size options Choose configuration file location User's home directory (recommended) Program directory (for portable use) &OK &Cancel printdata Error initializing printer TreeLine - Export PDF Warning: Page size and margin settings unsupported on current printer. Save page adjustments? Warning: Page size setting unsupported on current printer. Save adjustment? Warning: Margin settings unsupported on current printer. Save adjustments? printdialogs Print Preview Fit Width Fit Page Zoom In Zoom Out Previous Page Next Page Single Page Facing Pages Print Setup Print Printing Setup &General Options Page &Setup &Font Selection &Header/Footer Print Pre&view... &Print... &OK &Cancel What to print &Entire tree Selected &branches Selected &nodes Included Nodes &Include root node Onl&y open node children Features &Draw lines to children &Keep first child with parent Indent Indent Offse&t (line height units) Letter (8.5 x 11 in.) Legal (8.5 x 14 in.) Tabloid (11 x 17 in.) A3 (279 x 420 mm) A4 (210 x 297 mm) A5 (148 x 210 mm) Custom Size Inches (in) Millimeters (mm) Centimeters (cm) &Units Paper &Size &Width: Height: Orientation Portra&it Lan&dscape Margins &Left: &Top: &Right: &Bottom: He&ader: Foot&er: Columns &Number of columns Space between colu&mns Default Font &Use TreeLine output view font Select Font &Font Font st&yle Si&ze Sample AaBbCcDdEeFfGg...TtUuVvWvXxYyZz &Header Left Header C&enter Header &Right Footer &Left Footer Ce&nter Footer Righ&t Fiel&ds Field For&mat Header and Footer Field Format for "{0}" Output &Format Format &Help Extra Text &Prefix &Suffix Error: Page size or margins are invalid TreeLine PDF Printer Select &Printer spellcheck Could not find either aspell.exe, ispell.exe or hunspell.exe Browse for location? Spell Check Error Locate aspell.exe, ipsell.exe or hunspell.exe Program (*.exe) TreeLine Spell Check Error Make sure aspell, ispell or hunspell is installed TreeLine Spell Check Finished spell checking Spell Check Not in Dictionary Word: Context: Suggestions Ignor&e &Ignore All &Add Add &Lowercase &Replace Re&place All &Cancel Finished checking the branch Continue from the top? titlelistview Select in Tree treeformats DEFAULT FILE TYPE FIELD FieldType TitleFormat OutputFormat SpaceBetween FormatHtml Bullets Table ChildType Icon GenericType ConditionalRule ListSeparator ChildTypeLimit Format Prefix Suffix InitialValue NumLines SortKeyNum SortForward EvalHtml treelocalcontrol Error - could not delete backup file {} Save changes to {}? Save changes? &Save Save File Save the current file Save &As... Save the file with a new name &Export... Export the file in various other formats Prop&erties... Set file parameters like compression and encryption P&rint Setup... Set margins, page size and other printing options Print Pre&view... Show a preview of printing results &Print... Print tree output based on current options Print &to PDF... Export to PDF with current printing options &Undo Undo the previous action &Redo Redo the previous undo Cu&t Cut the branch or text to the clipboard &Copy Copy the branch or text to the clipboard &Paste Paste nodes or text from the clipboard Paste non-formatted text from the clipboard &Bold Font Set the current or selected font to bold &Italic Font Set the current or selected font to italic U&nderline Font Set the current or selected font to underline &Font Size Set size of the current or selected text Small Default Large Larger Largest Set Font Size Font C&olor... Set the color of the current or selected text &External Link... Add or modify an extrnal web link Internal &Link... Add or modify an internal node link Clear For&matting Clear current or selected text formatting &Rename Rename the current tree entry title Insert Sibling &Before Insert new sibling before selection Insert Sibling &After Insert new sibling after selection Add &Child Add new child to selected parent &Delete Node Delete the selected nodes &Indent Node Indent the selected nodes &Unindent Node Unindent the selected nodes &Move Up Move the selected nodes up M&ove Down Move the selected nodes down Move &First Move the selected nodes to be the first children Move &Last Move the selected nodes to be the last children &Set Node Type Set the node type for selected nodes Set Node Type Copy Types from &File... Copy the configuration from another TreeLine file Flatten &by Category Collapse descendants by merging fields Add Category &Level... Insert category nodes above children &Spell Check... &New Window Open a new window for the same file Error - could not write to {} File saved TreeLine - Save As Error - could not write to file TreeLine - Open Configuration File Error - could not read file {0} Cannot expand without common fields Category Fields Select fields for new level Pa&ste Plain Text Paste C&hild Paste a child node from the clipboard Paste Sibling &Before Paste a sibling before selection Paste Sibling &After Paste a sibling after selection Paste Cl&oned Child Paste a child clone from the clipboard Paste Clo&ned Sibling Before Paste a sibling clone before selection Paste Clone&d Sibling After Paste a sibling clone after selection Clone All &Matched Nodes Convert all matching nodes into clones &Detach Clones Detach all cloned nodes in current branches S&wap Category Levels Swap child and grandchild category nodes Converted {0} branches into clones No identical nodes found Warning - file corruption! Skipped bad child references in the following nodes: Spell check the tree's text data &Regenerate References Force update of all conditional types & math fields Insert &Date Insert current date as text treemaincontrol Warning: Could not create local socket Error - could not write config file to {} Error - could not read file {0} Backup file "{}" exists. A previous session may have crashed &Restore Backup &Delete Backup &Cancel File Open Error - could not rename "{0}" to "{1}" Error - could not remove backup file {} &New... New File Start a new file &Open... Open File Open a file from disk Open Sa&mple... Open Sample Open a sample file &Import... Open a non-TreeLine file &Quit Exit the application &Select All Select all text in an editor &Configure Data Types... Modify data types, fields & output lines Sor&t Nodes... Define node sort operations Update &Numbering... Update node numbering fields &Find Text... Find text in node titles & data &Conditional Find... Use field conditions to find nodes Find and &Replace... Replace text strings in node data &Text Filter... Filter nodes to only show text matches C&onditional Filter... Use field conditions to filter nodes &General Options... Set user preferences for all files Set &Keyboard Shortcuts... Customize keyboard commands C&ustomize Toolbars... Customize toolbar buttons Customize Fo&nts... Customize fonts in various views &Basic Usage... Display basic usage instructions &Full Documentation... Open a TreeLine file with full documentation &About TreeLine... Display version info about this program &Select Template TreeLine - Open File Open Sample File &Select Sample Conditional Find Conditional Filter General Options Error - basic help file not found TreeLine Basic Usage Error - documentation file not found Error - invalid TreeLine file {0} TreeLine version {0} written by {0} Library versions: missing directory Show C&onfiguration Structure... Show read-only visualization of type structure Custo&mize Colors... Customize GUI colors and themes treenode New treestructure Main treeview Filtering by "{0}", found {1} nodes Conditional filtering, found {0} nodes Search for: Search for: {0} Search for: {0} (not found) Next: {0} Next: {0} (not found) treewindow Data Output Data Edit Title List &Expand Full Branch Expand all children of the selected nodes &Collapse Full Branch Collapse all children of the selected nodes &Previous Selection Return to the previous tree selection &Next Selection Go to the next tree selection in history Show Data &Output Show data output in right view Show Data &Editor Show data editor in right view Show &Title List Show title list in right view &Show Child Pane Toggle showing right-hand child views Toggle showing output view indented descendants &Close Window Close this window &File &Edit &Node &Data &Tools &View &Window &Help Start Incremental Search Next Incremental Search Previous Incremental Search Show &Breadcrumb View Toggle showing breadcrumb ancestor view Show Output &Descendants Fo&rmat colorset Dialog background color Dialog text color Text widget background color Text widget foreground color Selected item background color Selected item text color Link text color Tool tip background color Tool tip foreground color Button background color Button text color Disabled text foreground color Disabled button text color Color Settings Color Theme Default system theme Dark theme Custom theme &OK &Cancel Custom Colors Theme Colors Select {0} color i18n/translations/treeline_es.ts0000644000000000000000000057024714122217342015737 0ustar rootroot conditional starts with comienza con ends with termina con contains contiene True Verdadero False Falso and y or o [All Types] [Todos los tipos] Node Type Tipo de nodo &Add New Rule Añadir &Nueva Regla &Remove Rule &Eliminar Regla &OK &OK &Cancel &Cancelar Find &Previous B&uscar Anterior Find &Next Buscar &Siguiente &Filter &Filtro &End Filter &Terminar filtro &Close &Cerrar No conditional matches were found Coincidencias condicionales no encontradas Rule {0} Regla {0} Saved Rules Reglas Guardadas Name: Nombre: &Load Car&gar &Save Guar&dar &Delete &Borrar configdialog Configure Data Types Configurar Tipos de Datos T&ype List Lista de &Tipos Field &List Lista de &Campos &Field Config Configuración de &Campos &Show Advanced &Mostrar Avanzado &OK &OK &Apply &Aplicar &Reset &Reiniciar &Cancel &Cancelar Add or Remove Data Types Añadir o Quitar Datos de Tipos &New Type... &Nuevo Tipo... Co&py Type... Co&piar Tipo... &Delete Type &Eliminar tipo Add Type Añadir tipo Enter new type name: Establecer nombre del nuevo tipo: Rename Type Renombrar tipo Cannot delete data type being used by nodes No se puede eliminar un tipo de datos que esté siendo usado por algún nodo &Data Type Tipo de &Datos Icon Icono Change &Icon Cambiar &Icono Derived from &Generic Type Derivado del Tipo &Genérico Automatic Types Tipos Automáticos Modify Co&nditional Types Modificar Tipos Co&ndicionales Create Co&nditional Types Crear Tipos Co&ndicionales Set Types Conditionally Configurar Tipos Condicionalmente Name Nombre Type Tipo Move &Up Mover A&rriba Move Do&wn Mover Aba&jo &New Field... &Nuevo Campo... Add Field Añadir Campo Enter new field name: Introduzca el nombre del nuevo campo: Rename Field Renombrar Campo F&ield Cam&po Format &Help Ayuda sobre &Formato Extra Text Texto Adicional &Prefix P&refijo Suffi&x Sufi&jo Editor Height Altura del editor Num&ber of text lines Número de líneas de te&xto File Info Reference Referencia de información de archivo Parent Reference Referencia Padre Child Reference Referencia Hija Child Count Recuento de Hijos F&ield List &Lista de Campos Other Field References Otras Referencias de Campos Copy Type Copiar Tipo Set Data Type Icon Establecer el Icono del Tipo de Datos Clear &Select Borrar &Selección Typ&e Config Configurar &Tipo O&utput &Salida de Datos &Hide Advanced &Ocultar Avanzado Error - circular reference in math field equations Error - referencia circular en ecuaciones de campo matemático Rena&me Type... Renom&brar Tipo... &Derive from original &Derivado del original Rename from {} to: Renombrar de {} a: [None] no type set [Nada] Default Child &Type Tipo Hi&jo por Defecto Output Options Opciones de Salida Add &blank lines between nodes Agregar línea en &blanco entre nodos Allow &HTML rich text in format Permitir &HTML con formato de texto enriquecido Add text bullet&s Agregar &viñetas al texto Use a table for field &data Mostrar datos de campo en tab&la Combination && Child List Output &Separator Combinación && &separador lista de hijos de Salida None Nada Modify &Field List Modificar &Lista de Campos Sort Key Clave de Clasificación Move U&p Mo&ver Arriba Rena&me Field... Renombrar Cam&po... Dele&te Field &Borrar Campo Sort &Keys... Ord&enar Claves... fwd Adelante rev Atrás &Field Type Tip&o de Campo Outpu&t Format Formato de Sa&lida Default &Value for New Nodes &Valor por Defecto para Nuevos Nodos Math Equation Ecuación matemática Define Equation Definir Ecuación &Title Format &Formato de Título Out&put Format &Formato de Salida Reference Le&vel Niv&el de Referencia Refere&nce Type Tipo de Refere&ncia The name cannot be empty El nombre no puede estar vacío The name must start with a letter El nombre debe comenzar con una letra The name cannot start with "xml" El nombre no puede comenzar con "xml" The name cannot contain spaces El nombre no puede contener espacios The following characters are not allowed: {} Los siguientes caracteres no están permitidos: {} The name was already used El nombre ya está en uso forward adelante reverse atrás Sort Key Fields Ordenar Campos Clave Available &Fields Campos &Disponibles &Sort Criteria C&riterio de Ordenación Field Campo Direction Dirección &Move Down Mover Aba&jo Flip &Direction Cam&biar Dirección Self Reference Autoreferencia Root Reference Referencia Raíz Date Result Resultado de Fecha Time Result Resultado de Tiempo add sumar subtract restar multiply multiplicar divide dividir floor divide división por redondeo modulus módulo power potencia sum of items suma de ítems maximum máximo minimum mínimo average promedio absolute value valor absoluto square root raíz cuadrada natural logarithm logaritmo natural base-10 logarithm logaritmo en base 10 factorial factorial round to num digits redondear a número de dígitos lower integer entero menor higher integer entero mayor truncated integer entero truncado floating point punto flotante sine of radians seno de radián cosine of radians coseno de radián tangent of radians Tangente de Radián arc sine arcoseno arc cosine arcocoseno arc tangent arcotangente radians to degrees radianes a grados degrees to radians grados a radianes pi constant número pi (constante) natural log constant constante logaritmo natural Define Math Field Equation Definir el Campo de Ecuación Matemática Field References Referencias de Campo Reference &Level Referencia de &Nivel Reference &Type Referencia de &Tipo Available &Field List Lista de &Campos Disponible &Result Type &Resultado Tipo Description Descripción &Equation &Ecuación Equation error: {} Erron en ecuación: {} Boolean Result Resultado Booleano Text Result Texto Resultante Arithmetic Operators Operadores Aritméticos Comparison Operators Operadores Comparativos Text Operators Operadores de Texto equal to igual a less than menor que greater than mayor que less than or equal to menor o igual que greater than or equal to mayor o igual que not equal to distinto a true value, condition, false value valor verdadero, condición, valor falso true if 1st text arg starts with 2nd arg verdadero si el argumentdo del primer texto comienza con un segundo argumento true if 1st text arg ends with 2nd arg verdadero si el argumentdo del primer texto termina con un segundo argumento true if 1st text arg contains 2nd arg verdadero si el argumentdo del primer texto contiene un segundo argumento concatenate text concatenar texto join text using 1st arg as separator unir texto usando como primer argumento un separador convert text to upper case convertir texto a mayúsculas convert text to lower case convertir texto a minúsculas in 1st arg, replace 2nd arg with 3rd arg en primer argumento, reemplazar segundo argumento con tercer argumento Operations Operaciones O&perator Type Tipo de O&perador Oper&ator List Lista de Oper&adores logical and lógico y logical or lógico o Output HTML Salida HTML Evaluate &HTML tags Evaluar etiquetas &HTML Child Type Limits Límites de los Tipos Hijo [All Types Available] [Todos los Tipos Disponibles] &Select All &Seleccionar Todo Select &None Seleccionar &Ninguno Number Result Resultado Numérico Count Number of Children dataeditors Today's &Date Fecha de &Hoy &Open Link &Abrir Enlace Open &Folder Abrir &Carpeta External Link Enlace Externo Scheme Esquema &Browse for File &Seleccionar Archivo File Path Type Tipo de ruta de archivo Absolute Absoluta Relative Relativa Address Dirección Display Name Mostrar Nombre &OK &OK &Cancel &Cancelar TreeLine - External Link File TreeLine - Enlace a archivo externo &Go to Target &Ir al Destino Internal Link Enlace Interno &Open Picture &Abrir Imagen Picture Link Enlace de Imagen TreeLine - Picture File TreeLine - Archivo de Imagen Set to &Now Establecer A&hora Clear &Link Borrar En&lace (Click link target in tree) (Clicar objeto a enlazar en el árbol) link enlace exports Bookmarks Favoritos TreeLine - Export HTML TreeLine - Exportar HTML TreeLine - Export Text Titles TreeLine - Exportar Textos de Títulos TreeLine - Export Plain Text TreeLine - Exportar Texto Plano TreeLine - Export Text Tables TreeLine - Exportar Tablas de Texto TreeLine - Export Generic XML TreeLine - Exportar XML Genérico TreeLine - Export TreeLine Subtree TreeLine - Exportar Subárbol TreeLine TreeLine - Export ODF Text Exportar Texto ODF TreeLine - Export HTML Bookmarks TreeLine - Exportar Favoritos HTML TreeLine - Export XBEL Bookmarks TreeLine - Exportar Favoritos XBEL &HTML &HTML &Text &Texto &ODF Outline &ODF Texto (esquema) Book&marks &Favoritos &Single HTML page Página HTML &Simple Single &HTML page with navigation pane &Página HTML simple con panel de navegación Multiple HTML &pages with navigation pane &Multiples páginas HTML con panel de navegación Multiple HTML &data tables Múltiples tablas de datos &HTML &Tabbed title text &Texto con tabulación por títulos &Unformatted output of all text &Salida sin formato para todo el texto &HTML format bookmarks Formato &HTML de favoritos &XBEL format bookmarks Formato &XBEL de favoritos File Export Exportar Archivo Choose export format type Seleccionar tipo de formato para exportar Choose export format subtype Seleccionar subtipo de formato para exportar Choose export options Seleccionar opciones para exportar What to Export Qué exportar &Entire tree &Todo el Árbol Selected &branches &Ramas Seleccionadas Selected &nodes &Nodos Seleccionados Other Options Otras Opciones &Only open node children Abrir s&olo nodos hijos Include &print header && footer Incluir im&presión de encabezado y pie &Columns &Columnas Navigation pane &levels Nive&les del Panel de Navegación Error - export template files not found. Check your TreeLine installation. Error - Exportar archivos de plantilla no encontrados. Verifique la instalación de su TreeLine. Error - cannot link to unsaved TreeLine file. Save the file and retry. Error: No se puede vincular al archivo TreeLine no guardado. Guarde el archivo y vuelva a intentarlo. Warning - no relative path from "{0}" to "{1}". Continue with absolute path? Advertencia: no hay una ruta relativa entre "{0}" y "{1}". Continuar con la ruta absoluta? Parent Padre Tree&Line Tree&Line &XML (generic) &XML (genérico) Live tree view, linked to TreeLine file (for web server) Vista de árbol en tiempo real, vinculada al archivo TreeLine (para servidor web) Live tree view, single file (embedded data) Vista de árbol en tiempo real, archivo único (datos incrustados) &Comma delimited (CSV) table of descendants (level numbers) Tabla &de descendientes delimitada por comas (CSV) (número de niveles) Comma &delimited (CSV) table of children (single level) T&abla de hijos delimitada por comas (CSV) (nivel único) Tab &delimited table of children (&single level) Ta&bla delimitada por tabulaciones según nodos hijos (nivel único) &Old TreeLine (2.0.x) &Antiguos TreeLine (2.0.x) &TreeLine Subtree &Subárbol TreeLine &Include root nodes &Incluir noddos principales Must select nodes prior to export Debe seleccionar nodos antes de exportar fieldformat yes/no sí/no true/false verdadero/falso T/F V/F Y/N S/N Text Texto HtmlText Texto Html OneLineText Texto de una línea SpacedText Texto espaciado Number Número Math Matemáticas Numbering Numeración Boolean Booleano Date Fecha Time Hora Choice Elección AutoChoice AutoElección Combination Combinación AutoCombination AutoCombinación ExternalLink Enlace Externo InternalLink EnlaceInterno Picture Imagen RegularExpression Expresión regular Now Ahora Optional Digit # Dígito Opcional # Required Digit 0 Dígito Requerido 0 Digit or Space (external) <space> Dígito o Espacio (externo) <space> Decimal Point . Punto Decimal . Decimal Comma , Coma Decimal , Space Separator (internal) <space> Separador Espacio (interno) <space> Optional Sign - Signo Opcional - Required Sign + Signo Requerido + Exponent (capital) E Exponente (mayúscula) E Exponent (small) e Exponente (minúscula) e Number 1 Número 1 Capital Letter A Mayúsculas A Small Letter a Minúsculas a Capital Roman Numeral I Números Romanos (mayúsculas) I Small Roman Numeral i Números romanos (minúsculas) i Level Separator / Separador de nivel / Section Separator . Separador de sección . "/" Character // "/" Carácter // "." Character .. "." Carácter .. Outline Example I../A../1../a)/i) Ejemplo de esquema I../A../1../a)/i) Section Example 1.1.1.1 Ejemplo de sección 1.1.1.1 Separator / Separador / Example 1/2/3/4 Ejemplo 1/2/3/4 Any Character . Cualquier Carácter . End of Text $ Final del Texto $ 0 Or More Repetitions * 0 o más repeticiones * 1 Or More Repetitions + 1 o más repeticiones + 0 Or 1 Repetitions ? 0 ó 1 Repeticiones ? Set of Numbers [0-9] Conjunto de Números [0-9] Lower Case Letters [a-z] Minúsculas [a-z] Upper Case Letters [A-Z] Mayúsculas [A-Z] Not a Number [^0-9] No es un número [^0-9] Or | O | Escape a Special Character \ Escape carácter especial \ DateTime Fecha y hora Day (1 or 2 digits) %-d Día (1 ó 2 dígitos) %-d Day (2 digits) %d Día (2 dígitos) %d Weekday Abbreviation %a Día de la semana (abreviado) %a Weekday Name %A Día de la semana %A Month (1 or 2 digits) %-m Mes (1 o 2 dígitos) %-m Month (2 digits) %m Mes (2 dígitos) %m Month Abbreviation %b Mes (abreviado) %b Month Name %B Mes (nombre completo) %B Year (2 digits) %y Año (2 dígitos) %y Year (4 digits) %Y Año (4 dígitos) %Y Week Number (0 to 53) %-U Semana (0 a 53) %-U Day of year (1 to 366) %-j Día del año (1 a 366) %-j Hour (0-23, 1 or 2 digits) %-H Hora (0-23, 1 ó 2 dígitos) %-H Hour (00-23, 2 digits) %H Hora (00-23, 2 dígitos) %H Hour (1-12, 1 or 2 digits) %-I Hora (1-12, 1 ó 2 dígitos) %-I Hour (01-12, 2 digits) %I Hora (01-12, 2 dígitos) %I Minute (1 or 2 digits) %-M Minutos (1 ó 2 dígitos) %-M Minute (2 digits) %M Minutos (2 dígitos) %M Second (1 or 2 digits) %-S Segundos (1 ó 2 dígitos) %-S Second (2 digits) %S Segundos (2 dígitos) %S Microseconds (6 digits) %f Microsegundos (6 dígitos) %f AM/PM %p AM/PM %p Comma Separator \, Separador Coma \, Dot Separator \. Separador Punto \. DescendantCount Cuenta Descendiente genboolean true verdadero false falso yes no no globalref TreeLine Files Archivos TreeLine TreeLine Files - Compressed Archivos TreeLine - Comprimido TreeLine Files - Encrypted Archivos TreeLine - Encriptado All Files Todos los Archivos HTML Files Archivos HTML Text Files Archivos de Texto XML Files Archivos XML ODF Text Files Archivos de Texto ODF Treepad Files Archivos de Treepad PDF Files Archivos PDF CSV (Comma Delimited) Files Archivos CSV (Delimitado por Comas) All TreeLine Files Todos los Archivos TreeLine Old TreeLine Files Archivos TreeLine Antiguos helpview &Back &Volver &Forward &Siguiente &Home &Inicio Find: Buscar: Find &Previous Buscar &Anterior Find &Next &Buscar Siguiente Text string not found Cadena de texto no encontrada Tools Herramientas imports &Tab indented text, one node per line &Sangrado de texto por tabulaciones, un nodo por línea Tab delimited text table with header &row Tabl&a de texto delimitada por tabulaciones con fila de encabezado Plain text &paragraphs (blank line delimited) Texto &plano en párrafos (delimitado por línea en blanco) Treepad &file (text nodes only) &Archivo Treepad (únicamente nodos de texto) &Generic XML (non-TreeLine file) XML &genérico (No es un archivo TreeLine) Open &Document (ODF) outline Open &Document (ODF) &HTML bookmarks (Mozilla Format) &HTML favoritos (Formato Mozilla) &XML bookmarks (XBEL format) Favoritos en &XML (Formato XBEL) FOLDER CARPETA BOOKMARK FAVORITO SEPARATOR SEPARADOR Link Enlace Text Texto Import File Importar Archivo Choose Import Method Escoger Método de Importación Invalid File Archivo no Válido "{0}" is not a valid TreeLine file. Use an import filter? "{0}" no es un archivo válido TreeLine. ¿Usar filtro de importación de archivo? TreeLine - Import File TreeLine - Importar archivo Error - could not read file {0} Error-no se puede leer archivo {0} Error - improper format in {0} Error - formato incorrecto en {0} TABLE TABLA Bookmarks Favoritos Too many entries on Line {0} Demasiadas entradas en la Línea {0} Plain text, one &node per line (CR delimited) Text&o plano, un &nodo por línea (delimitado por retorno de carro -CR-) Bad CSV format on Line {0} Formato CSV.erróneo en Línea {0} Co&mma delimited (CSV) text table with level column && header row T&exto delimitado por comas (CSV) tabla de texto con nivel de columna y fila de encabezado Comma delimited (CSV) text table &with header row Texto &delimitado por comas (CSV) tabla con fila de encabezado Other Otro Old Tree&Line File (1.x or 2.x) Archivo Antiguo de Tree&Line (1.x o 2.x) Invalid level number on line {0} Número de nivel no válido en la línea {0} Invalid level structure Estructura de nivel no válida matheval Illegal "{}" characters Caracteres "{}" no permitidos Child references must be combined in a function Las referencias secundarias deben combinarse en una función Illegal syntax in equation Sintaxis ilegar en la ecuación Illegal function present: {0} Función ilegal presente: {0} Illegal object type or operator: {0} Tipo de objeto u operador no permitido: {0} miscdialogs &OK &OK &Cancel &Cancelar Fields Campos File Properties Propiedades de Archivo File Storage Almacenamiento de Archivos &Use file compression &Comprimir Archivo Use file &encryption &Encriptar Archivo Spell Check Comprobación de la ortografía Language code or dictionary (optional) Código de idioma o diccionario (opcional) Math Fields Campos Matemáticos &Treat blank fields as zeros Considerar los espacios en blanco como ceros (&0) Encrypted File Password Contraseña del Archivo Encriptado Type Password for "{0}": Escriba la Contraseña para "{0}": Type Password: Escriba la Contraseña: Re-Type Password: Escriba de nuevo la contraseña: Remember password during this session Recordar la contraseña durante esta sesión Zero-length passwords are not permitted No se permiten contraseñas de longitud cero Re-typed password did not match La contraseña reescrita no coincide Default - Single Line Text Predeterminado - Texto Simple &Search Text &Buscar texto What to Search Dónde Buscar Full &data En to&do &Titles only Sólo en &títulos How to Search Cómo Buscar &Key words &Contiene Key full &words Texto E&xacto F&ull phrase Frase co&mpleta &Regular expression Exp&resión regular Find Buscar Find &Previous Buscar &Anterior Find &Next Buscar &Siguiente Filter Filtro &Filter &Filtro &End Filter C&errar Filtro &Close &Cerrar Error - invalid regular expression Error - Expresión regular no válida Search string "{0}" not found Buscar cadena "{0}". No encontrada Find and Replace Buscar y reemplazar Replacement &Text Reemplazar &Texto Any &match Co&ntiene Full &words Coinci&de Re&gular expression Expresión re&gular &Node Type Tipo de &Nodo N&ode Fields Campos de N&odo &Find Next &Buscar Siguiente &Replace &Reemplazar Replace &All Reemplaz&ar Todo [All Types] [Todos los tipos] [All Fields] [Todos los campos] Search text "{0}" not found Búsqueda del texto "{0}" no encontrado Error - replacement failed Error - reemplazo fallido Replaced {0} matches Reemplazadas {0} coincidencias Sort Nodes Ordenar Nodos What to Sort Qué ordenar &Entire tree Árbol compl&eto Selected &branches Ramas &Seleccionadas Selection's childre&n &Hijos seleccionados Selection's &siblings Her&manos seleccionados Sort Method Método de ordenado &Predefined Key Fields Nombres de Campos &Predefinidos Node &Titles &Títulos de Nodos Sort Direction Dirección de Ordenado &Forward &Adelante &Reverse At&rás &Apply A&plicar Update Node Numbering Actualizar Numeración de Nodo What to Update Qué Actualizar &Selection's children &Selección de Hijos Root Node Nodo Principal Include top-level nodes Incluir nodos de nivel superior Handling Nodes without Numbering Fields Manejar nodos sin Campos de Numeración &Ignore and skip &Ignorar y omitir &Restart numbers for next siblings &Reiniciar números para los siguientes hermanos Reserve &numbers Reserva &números TreeLine Numbering Numeración TreeLine No numbering fields were found in data types No se encontraron campos de numeración en los tipos de datos File Menu Menú de Archivo File Archivo Edit Menu Menú Edición Edit Editar Node Menu Menú de Nodo Node Nodo Data Menu Menú de datos Data Datos Tools Menu Menú de Herramientas Tools Herramientas View Menu Menú Ver View Ver Window Menu Menú Ventana Window Ventana Help Menu Menú Ayuda Help Ayuda Keyboard Shortcuts Atajos de Teclado &Restore Defaults &Restaurar Valores por &Defecto Key {0} is already used Clave {0} ya está en uso Clear &Key Borrar Cla&ve --Separator-- --Separador-- Customize Toolbars Personalizar Barra de Herramientas Toolbar &Size Tamaño Barra de Herramienta&s Small Icons Iconos Pequeños Large Icons Iconos Grandes Toolbar Quantity Cantidad de barras de herramientas &Toolbars Barras de herramien&tas A&vailable Commands Comandos Dis&ponibles Tool&bar Commands Comandos de la &barra de herramientas Move &Up Mover &Arriba Move &Down Mover Aba&jo Tree View Font Fuente del Árbol Output View Font Fuente de Salida Editor View Font Fuente del Editor No menu No.menu TreeLine - Serious Error TreeLine - Error Grave A serious error has occurred. TreeLine could be in an unstable state. Recommend saving any file changes under another filename and restart TreeLine. The debugging info shown below can be copied and emailed to doug101@bellz.org along with an explanation of the circumstances. Se ha producido un error grave. TreeLine podría estar en un estado inestable. Se recomienda guardar cualquier cambio de archivo con otro nombre de archivo y reiniciar TreeLine. La información de depuración que se muestra a continuación se puede copiar y enviar por correo electrónico a doug101@bellz.org junto con una explicación de las circunstancias del error. Format Menu Menú Formato Format Formato Customize Fonts Personalizar Fuentes &Use system default font &Usar fuente por defecto del sistema App Default Font Fuente por defecto de la aplicación &Use app default font &Usar la fuente predeterminada de la aplicación nodeformat Name Nombre optiondefaults Monday Lunes Tuesday Martes Wednesday Miércoles Thursday Jueves Friday Viernes Saturday Sábado Sunday Domingo Startup Condition Condición de Inicio Automatically open last file used Abrir automáticamente el último archivo usado Show descendants in output view Mostrar hijos en la vista de salida Restore tree view states of recent files Restaurar estados de vista en árbol de archivos recientes Restore previous window geometry Restaurar la geometría de la ventana anterior Features Available Funcionalidades disponibles Open files in new windows Abrir archivos en una nueva ventana Click node to rename Clicar en nodo para renombrar Rename new nodes when created Renombrar los nodos nuevos cuando sean creados Tree drag && drop available Disponible la opción de pulsar y arrastrar en el árbol Show icons in the tree view Mostrar iconos en la vista de árbol Show math fields in the Data Edit view Mostrar campos matemáticos en la vista de Edición de Datos Show numbering fields in the Data Edit view Mostrar campos de numeración en la vista de Edición de Datos Undo Memory Memoria usada por la opción "deshacer" Number of undo levels Número de niveles de deshacer Auto Save Grabación automática Minutes between saves (set to 0 to disable) Minutos entre respaldos (seleccione 0 para desactivar) Recent Files Archivos recientes Number of recent files in the file menu Cantidad de archivos recientes en el menú de archivo Data Editor Formats Formatos del editor de datos Times Horas Dates Fechas First day of week Primer día de la semana Appearance Apariencia Child indent offset (in font height units) Corrección de sangrado de hijos (en unidades de altura de fuente) Show breadcrumb ancestor view Mostrar panel de navegación Show child pane in right hand views Motrar paneles hijos en la vista derecha Remove inaccessible recent file entries Eliminar archivos inaccesibles en la vista de archivos recientes Activate data editors on mouse hover Activar editores de datos cuando el puntero del ratón esté encima Minimize application to system tray Minimiza aplicación a la bandeja del sistema Indent (pretty print) TreeLine JSON files Sangrado (mejor impresión) Archivos TreeLine JSON Limit data editor height to window size options Choose configuration file location Elija la ubicación del archivo de configuración User's home directory (recommended) Directorio de inicio de usuario (recomendado) Program directory (for portable use) Carpeta del programa (para uso portable) &OK &Aceptar &Cancel &Cancelar printdata Error initializing printer Error inicializando la impresora TreeLine - Export PDF TreeLine - Exportar a PDF Warning: Page size and margin settings unsupported on current printer. Save page adjustments? Advertencia: configuración de tamaño de página y margen no admitida en la impresora actual. ¿Guardar los ajustes de página? Warning: Page size setting unsupported on current printer. Save adjustment? Advertencia: configuración de tamaño de página no admitida en la impresora actual. ¿Guardar ajustes? Warning: Margin settings unsupported on current printer. Save adjustments? Advertencia: configuración de margen no compatible en la impresora actual. ¿Guardar los ajustes? printdialogs Print Preview Vista Previa de Impresión &Print... &Imprimir... &General Options Opciones &Generales &Font Selection Selección de &Fuente &Header/Footer &Encabezado y pie Print Pre&view... &Vista Previa... &OK &OK &Cancel &Cancelar What to print Qué imprimir &Entire tree &Árbol completo Selected &branches &Ramas seleccionadas Selected &nodes &Nodos seleccionados Features Características &Include root node Incluir el nodo rai&z &Keep first child with parent &Mantener el primer nodo hijo con el padre Letter (8.5 x 11 in.) Carta (8.5 x 11 in.) Legal (8.5 x 14 in.) Legal (8.5 x 14 in.) Tabloid (11 x 17 in.) Tabloide (11 x 17 in.) A3 (279 x 420 mm) A3 (279 x 420 mm) A4 (210 x 297 mm) A4 (210 x 297 mm) A5 (148 x 210 mm) A5 (148 x 210 mm) Paper &Size Tamaño del Pape&l Orientation Orientación &Units &Unidades Columns Columnas &Number of columns &Número de columnas Default Font Fuente predeterminada Select Font Seleccionar Fuente &Font &Fuente Font st&yle E&stilo de fuente Sample Ejemplo &Header Left Encabezado I&zquierdo Header C&enter Encabezado cen&trado Footer &Left Pie Iz&quierdo Footer Ce&nter Pie ce&ntrado Fiel&ds Campo&s Header and Footer Encabezado y pie de página Extra Text Texto adicional &Prefix &Prefijo Format &Help A&yuda de Formato Fit Width Ajuste de ancho Fit Page Ajuste de página Zoom In Zoom Aumentar Zoom Out Zorrm Reducir Previous Page Página anterior Next Page Página Siguiente Single Page Página sencilla Facing Pages Páginas enfrentadas Print Setup Configuración de Impresión Print Imprimir Printing Setup Configuración de Impresión Page &Setup Configuración de &Página Included Nodes Nodos Incluídos Onl&y open node children Incluir solo nodos &hijos &Draw lines to children &Dibujar líneas para los nodos hijos Indent Sangrar Indent Offse&t (line height units) Sangrado de &Salida (unidades de altura de línea) Custom Size Tamaño Personalizado Inches (in) Pulgadas (in) Millimeters (mm) Milímetros (mm) Centimeters (cm) Centímetros (cm) &Width: A&nchura: Height: Altura: Portra&it Retra&to Lan&dscape Paisa&je Margins Márgenes &Left: Iz&quierda: &Top: A&rriba: &Right: Derec&ha: &Bottom: A&bajo: He&ader: Encabe&zado: Foot&er: &Pie: Space between colu&mns Espacio entre colu&mnas &Use TreeLine output view font &Usar la misma que haya configurada en "Salida de Datos" de TreeLine Si&ze &Tamaño AaBbCcDdEeFfGg...TtUuVvWvXxYyZz AaBbCcDdEeFfGg...TtUuVvWvXxYyZz Header &Right Encabezado &Derecho Footer Righ&t Pie De&recho Field For&mat For&mato de Campo Field Format for "{0}" Formato de Campo para "{0}" Output &Format Salida &Formato &Suffix &Sufijo Error: Page size or margins are invalid Error: Tamaño de página o márgenes inválidos TreeLine PDF Printer TreeLine Impresora PDF Select &Printer Seleccionar Im&presora recentfiles spellcheck Could not find either aspell.exe, ispell.exe or hunspell.exe Browse for location? No se pudo encontrar aspell.exe, ispell.exe o hunspell.exe ¿Buscar la ubicación? Spell Check Error Error ortográfico Locate aspell.exe, ipsell.exe or hunspell.exe Ubique aspell.exe, ipsell.exe o hunspell.exe Program (*.exe) Programa (*.exe) TreeLine Spell Check Error Make sure aspell, ispell or hunspell is installed Error de comprobación ortográfica TreeLine Comprobar que esté instalado aspell, ispell o hunspell TreeLine Spell Check Comprobación ortográfica de TreeLIne Finished spell checking Comprobación ortográfica finalizada Spell Check Comprobación de la ortografía Not in Dictionary No está en el diccionario Word: Palabra: Context: Contexto: Suggestions Sugerencias Ignor&e Ignor&ar &Ignore All &Ignorar todo &Add &Añadir Add &Lowercase Añadir &minúscula &Replace &Reemplazar Re&place All Reem&plazar todo &Cancel &Cancelar Finished checking the branch Continue from the top? Terminada revisión de la rama Continuar desde la parte superior? titlelistview Select in Tree Seleccionar en Árbol treeformats DEFAULT PREDETERMINADO FILE ARCHIVO TYPE TIPO FIELD CAMPO FieldType TipoCampo TitleFormat OutputFormat SpaceBetween FormatHtml Bullets Table ChildType Icon Icono GenericType ConditionalRule ListSeparator ChildTypeLimit Format Formato Prefix Suffix InitialValue NumLines SortKeyNum SortForward EvalHtml treelocalcontrol Error - could not delete backup file {} Error - No se puede borrar el archivo de respaldo {} Save changes to {}? ¿Guardar cambios en {}? Save changes? ¿Guardar cambios? &Save &Guardar Save File Guardar archivo Save the current file Guardar el archivo actual Save &As... Guardar &Como... Save the file with a new name Guardar el archivo con un nombre nuevo &Export... &Exportar... Export the file in various other formats Exportar el archivo en varios formatos Prop&erties... &Propiedades... Set file parameters like compression and encryption Establecer parámetros de archivo como compresión y encriptación P&rint Setup... Config&uración de Impresión... Set margins, page size and other printing options Establecer márgenes, tamaño de página y otras opciones de impresión Print Pre&view... &Vista Previa de Impresión... Show a preview of printing results Vista previa de los resultados de impresión &Print... &Imprimir... Print tree output based on current options Imprimir salida de árbol en base a las opciones actuales Print &to PDF... Imprimir a PD&F... Export to PDF with current printing options Exportar a PDF con las opciones de impresión actuales &Undo &Deshacer Undo the previous action Deshacer la acción anterior &Redo &Rehacer Redo the previous undo Rehacer la última acción sobre la que se ha aplicado deshacer Cu&t Cor&tar Cut the branch or text to the clipboard Cortar la rama o el texto al portapapeles &Copy &Copiar Copy the branch or text to the clipboard Copiar la rama o texto al portapapeles &Paste &Pegar Paste nodes or text from the clipboard Pegar nodos o texto desde el portapapeles Paste non-formatted text from the clipboard Pegar texto sin formato del portapapeles &Bold Font &Negrita Set the current or selected font to bold Establecer la fuente actual o seleccionada en negrita &Italic Font &Cursiva Set the current or selected font to italic Establecer la fuente actual o seleccionada en cursiva U&nderline Font &Subrayado Set the current or selected font to underline Establecer la fuente actual o seleccionada para subrayar &Font Size &Tamaño de Fuente Set size of the current or selected text Establecer el tamaño del texto actual o seleccionado Small Pequeño Default Predeterminado Large Grande Larger Más grande Largest El más grande Set Font Size Definir tamaño de fuente Font C&olor... Color de &Fuente... Set the color of the current or selected text Establecer el color del texto actual o seleccionado &External Link... Enlace &Externo... Add or modify an extrnal web link Añadir o modificar un enlace web externo Internal &Link... Enlace &Interno... Add or modify an internal node link Añadir o modificar un enlace interno a nodo Clear For&matting &Borrar Formato Clear current or selected text formatting Borrar actual o seleccionado formato de texto &Rename &Renombrar Rename the current tree entry title Renombrar título completo del árbol en uso Insert Sibling &Before Añadir &Hermano Antes Insert new sibling before selection Añadir nuevo hermano antes de la selección Insert Sibling &After Añadir Hermano &Después Insert new sibling after selection Añadir nuevo hermano despues de la selección Add &Child &Añadir Hijo Add new child to selected parent Añadir nuevo hijo al padre seleccionado &Delete Node &Eliminar Nodo Delete the selected nodes Eliminar los nodos seleccionados &Indent Node &Sangrar Nodos Indent the selected nodes Sangrar los nodos seleccionados &Unindent Node Deshacer Sangrado de &Nodo Unindent the selected nodes Eliminar sangrado de los nodos seleccionados &Move Up Mover A&rriba Move the selected nodes up Desplazar hacia arriba los nodos seleccionados M&ove Down Mover Aba&jo Move the selected nodes down Desplazar hacia abajo los nodos seleccionados Move &First Mover al &Principio Move the selected nodes to be the first children Mover nodos seleccionados para ser los primeros hijos Move &Last Mover al &Final Move the selected nodes to be the last children Mover nodos seleccionados para ser los últimos hijos &Set Node Type &Establecer Tipo de Nodo Set the node type for selected nodes Establecer tipo de nodo para los nodos seleccionados Set Node Type Establecer tipo de nodo Copy Types from &File... &Copiar Tipos desde Archivo... Copy the configuration from another TreeLine file Copiar la configuración desde otro archivo de TreeLine Flatten &by Category &Acoplar por Categoría Collapse descendants by merging fields Contraer descendientes cuando se fusionen campos Add Category &Level... Añadir Ni&vel de Categoría... Insert category nodes above children Añadir los nodos con las categorías por encima de los hijos &Spell Check... Corrector &Ortográfico... &New Window &Nueva Ventana Open a new window for the same file Abrir nueva ventana para el mismo archivo Error - could not write to {} Error - No se pudo escribir en {} TreeLine - Save As TreeLine - Guardar como Error - could not write to file Error - no se pudo escribir en el archivo TreeLine - Open Configuration File TreeLine - Abrir archivo de configuración Error - could not read file {0} Error: no se pudo leer el archivo {0} Cannot expand without common fields No es posible expandir sin campos comunes Category Fields Campos de las categorías Select fields for new level Seleccionar campos para nuevo nivel File saved Archivo guardado Pa&ste Plain Text Pegar Texto sin &Formato Paste C&hild Pegar &Hijo Paste a child node from the clipboard Pegar un nodo hijo desde el portapapeles Paste Sibling &Before Pegar Hermano &Antes Paste a sibling before selection Pegar hermano antes de la selección Paste Sibling &After Pegar Hermano Despué&s Paste a sibling after selection Pegar un hermano después de la selección Paste Cl&oned Child Pegar Hijo C&lonado Paste a child clone from the clipboard Pegar hijo clonado desde el portapapeles Paste Clo&ned Sibling Before Pegar Hermano Clo&nado Antes Paste a sibling clone before selection Pegar un clon hermano antes de la selección Paste Clone&d Sibling After Pegar Hermano Clonad&o Después Paste a sibling clone after selection Pegar un clon hermano después de la selección Clone All &Matched Nodes Clonar &Todos los Nodos Emparejados Convert all matching nodes into clones Convertir todos los nodos coincidentes en clones &Detach Clones &Separar Clones Detach all cloned nodes in current branches Separar todos los nodos clonados en las ramas actuales S&wap Category Levels &Intercambiar Niveles de Categoría Swap child and grandchild category nodes Intercambiar categoría nodos hijos y nietos Converted {0} branches into clones Convierte ramas {0} en clones No identical nodes found No existen nodos idénticos Warning - file corruption! Skipped bad child references in the following nodes: Advertencia: ¡archivo corrupto! Se omitieron referencias de elementos secundarios incorrectos en los siguientes nodos: Spell check the tree's text data Revisar los datos de texto del árbol &Regenerate References Re&generar Referencias Force update of all conditional types & math fields Forzar actualización de todos los tipos condicionales y campos matemáticos Insert &Date Insert current date as text treemaincontrol Warning: Could not create local socket Advertencia: no se pudo crear el socket local Error - could not write config file to {} Error - no se pudo escribir el archivo de configuración en {} Error - could not read file {0} Error: no se pudo leer el archivo {0} Backup file "{}" exists. A previous session may have crashed Existe un archivo de respaldo: "{}". Una sesión anterior puede haberse bloqueado &Restore Backup &Restaurar copia de seguridad &Delete Backup Eliminar copia de segurida&d &Cancel File Open &Cancelar archivo abierto Error - could not rename "{0}" to "{1}" Error: - no se pudo cambiar el nombre de "{0}" a "{1}" Error - could not remove backup file {} Error - no se pudo eliminar el archivo de copia de seguridad {} &New... &Nuevo... New File Archivo nuevo Start a new file Comenzar un archivo nuevo &Open... &Abrir... Open File Abrir archivo Open a file from disk Abrir un archivo desde el disco Open Sa&mple... Abrir Archivo de Eje&mplo... Open Sample Abrir ejemplo Open a sample file Abrir un archivo de ejemplo &Import... Importa&r... Open a non-TreeLine file Abriri un arhchivo no-TreeLine &Quit &Salir Exit the application Salir de la aplicación &Select All Seleccionar T&odo Select all text in an editor Seleccionar todo el texto en un editor &Configure Data Types... Configurar Tipos de &Datos... Modify data types, fields & output lines Modificar tipos de datos, campos y líneas de salida Sor&t Nodes... &Ordenar Nodos... Define node sort operations Definir operaciones de ordenación de nodos Update &Numbering... Actualizar &Numeración... Update node numbering fields Actualizar campos de numeración de nodos &Find Text... &Buscar Texto... Find text in node titles & data Buscar texto en títulos y datos de nodo &Conditional Find... Búsqueda &Condicional... Use field conditions to find nodes Use condiciones de campo para encontrar nodos Find and &Replace... Buscar y &Reemplazar... Replace text strings in node data Reemplazar cadenas de texto en datos de nodo &Text Filter... Filtro de &Texto... Filter nodes to only show text matches Filtrar nodos para mostrar solo coincidencias de texto C&onditional Filter... &Filtro Condicional... Use field conditions to filter nodes Usar condiciones de campo para filtrar nodos &General Options... Opciones &Generales... Set user preferences for all files Configurar las preferencias para todos los archivos Set &Keyboard Shortcuts... Establecer &Atajos de Teclado... Customize keyboard commands Personalizar comandos de teclado C&ustomize Toolbars... Personalizar Barras de &Herramientas... Customize toolbar buttons Personalizar botones de la barra de herramientas Customize Fo&nts... &Personalizar Fuentes... Customize fonts in various views Personalizar fuentes en varias vistas &Basic Usage... Uso &Básico... Display basic usage instructions Mostrar instrucciones de uso básico &Full Documentation... &Documentación completa... Open a TreeLine file with full documentation Abrir un archivo TreeLine con documentación completa &About TreeLine... &Acerca de TreeLine... Display version info about this program Mostrar información de versión de esta aplicación &Select Template &Seleccionar Plantilla TreeLine - Open File TreeLine - Abrir Archivo Open Sample File Abrir archivo de ejemplo &Select Sample &Seleccionar Ejemplo Conditional Find Búsqueda Condicional Conditional Filter Filtro Condicional General Options Opciones generales Error - basic help file not found Error - archivo de ayuda básica no encontrado TreeLine Basic Usage TreeLine Uso Básico Error - documentation file not found Error - archivo de documentación no encontrado Error - invalid TreeLine file {0} Error - archivo TreeLine no válido {0} TreeLine version {0} TreeLine version {0} written by {0} escrito por {} Library versions: Versiones de la biblioteca: missing directory Directorio no encontrado Show C&onfiguration Structure... Mostrar Confi&guración de Estructura... Show read-only visualization of type structure Mostrar visualización de solo lectura del tipo de estructura Custo&mize Colors... Customize GUI colors and themes treemodel treenode New Nuevo treestructure Main Principal treeview Filtering by "{0}", found {1} nodes Filtrando por "{0}", encontrados.{1} nodos Conditional filtering, found {0} nodes Filtrado condicional, encontrados {0} nodos Search for: Buscar: Search for: {0} Buscar {0} Search for: {0} (not found) Buscar {0} (no encontrado) Next: {0} Siguiente: {0} Next: {0} (not found) Siguiente: {0} (no encontrado) treewindow Data Output Salida de Datos Data Edit Editor de Datos Title List Lista de Títulos &Expand Full Branch &Expandir Toda la Rama Expand all children of the selected nodes Expandir todos los hijos de los nodos seleccionados &Collapse Full Branch &Reducir Toda la Rama Collapse all children of the selected nodes Reducir todos los hijos de los nodos seleccionados &Previous Selection Selección &Previa Return to the previous tree selection Volver a la selección de árbol anterior &Next Selection Selección &Siguiente Go to the next tree selection in history Ir a la siguiente selección de árbol en el historial Show Data &Output &Mostrar Salida de Datos Show data output in right view Mostrar la salida de datos en la vista derecha Show Data &Editor Mostrar Editor de &Datos Show data editor in right view Mostrar el editor de datos en la vista de la derecha Show &Title List Mostrar &Lista de Títulos Show title list in right view Mostrar la lista de títulos en la vista de la derecha &Show Child Pane Mostrar Panel &Hijo Toggle showing right-hand child views Alternar mostrando resultados Toggle showing output view indented descendants Alternar mostrando la vista de salida sangría de descendients &Close Window &Cerrar Ventana Close this window Cerrar esta ventana &File &Archivo &Edit &Editar &Node &Nodo &Data &Datos &Tools &Herramientas &View &Ver &Window Ven&tana &Help A&yuda Start Incremental Search Iniciar búsqueda incremental Next Incremental Search Búsqueda incremental siguiente Previous Incremental Search Búsqueda incremental anterior Show &Breadcrumb View Mostrar &vista panel de navegación Toggle showing breadcrumb ancestor view Alternar mostrando vista anterior de navegación Show Output &Descendants Mostrar Salida de Datos y Des&cendientes Fo&rmat &Formato colorset Dialog background color Dialog text color Text widget background color Text widget foreground color Selected item background color Selected item text color Link text color Tool tip background color Tool tip foreground color Button background color Button text color Disabled text foreground color Disabled button text color Color Settings Color Theme Color de Tema Default system theme Dark theme Custom theme &OK &OK &Cancel &Cancelar Custom Colors Theme Colors Select {0} color i18n/translations/treeline_fr.ts0000644000000000000000000056357214122217342015742 0ustar rootroot conditional starts with commence avec ends with se termine par contains contient True Vrai False Faux and et or ou [All Types] Node Type &Add New Rule &Ajouter Nouvelle Règle &Remove Rule &Supprimer Règle &OK &OK &Cancel &Annuler Find &Previous Chercher &Précédent Find &Next Chercher &Suivant &Filter &End Filter &Close &Fermer No conditional matches were found Rule {0} Saved Rules Name: &Load &Save &Enregistrer &Delete configdialog Configure Data Types Paramètres du Type de Données T&ype List Liste des t&ypes Field &List &Liste des champs &Field Config Con&figuration des champs &Show Advanced Avancé&s &OK &OK &Apply &Appliquer &Reset &Réinitialiser &Cancel &Annuler Add or Remove Data Types Ajouter ou supprimer des Types de Données &New Type... &Nouveau Type... Co&py Type... Co&pier le type… &Delete Type &Supprimer Type Add Type Ajouter Type Enter new type name: Entrer un nouveau nom de type: Rename Type Renommer Type Cannot delete data type being used by nodes Impossible de supprimer un type de données qui est en cours d'utilisation par des nœuds &Data Type T&ype de Données Icon Icône Change &Icon Modifier l'&Icône Derived from &Generic Type Dérivé d'un Type &Générique Automatic Types Types Automatiques Modify Co&nditional Types Modifier un Type co&nditionnel Create Co&nditional Types Créer un Type Co&nditionnel Set Types Conditionally Configurer Types Sous Conditons Name Nom Type Type Move &Up Déplacer vers le &haut Move Do&wn Déplacer vers le &bas &New Field... &Nouveau Champ... Add Field Ajouter un champ Enter new field name: Entrer le nouveau nom du champ : Rename Field Renommer le champ F&ield C&hamp Format &Help Aide & formatage Extra Text Texte Supplémentaire &Prefix &Préfixe Suffi&x Suffi&xe Editor Height Hauteur de l'Editeur Num&ber of text lines Nom&bre de lignes de texte File Info Reference Références du Fichier Parent Reference Référence du Parent Child Reference Réference du Fils Child Count Nombre d'enfant F&ield List L&iste des champs Other Field References Références à d'autres champs Copy Type Copier Type Set Data Type Icon Configurer Icône Type de Données Clear &Select Effacer &Sélection Typ&e Config O&utput &Hide Advanced Error - circular reference in math field equations Rena&me Type... &Derive from original Rename from {} to: [None] no type set [Aucun] Default Child &Type Output Options Add &blank lines between nodes Allow &HTML rich text in format Add text bullet&s Use a table for field &data Combination && Child List Output &Separator None Aucun Modify &Field List Sort Key Move U&p Rena&me Field... Dele&te Field Sort &Keys... fwd rev &Field Type Outpu&t Format Default &Value for New Nodes Math Equation Define Equation &Title Format Out&put Format Reference Le&vel Refere&nce Type The name cannot be empty The name must start with a letter The name cannot start with "xml" The name cannot contain spaces The following characters are not allowed: {} The name was already used forward reverse Sort Key Fields Available &Fields &Sort Criteria Field Direction Direction &Move Down Flip &Direction Self Reference Root Reference Date Result Time Result add ajouter subtract multiply divide floor divide modulus power sum of items maximum minimum average absolute value square root natural logarithm base-10 logarithm factorial round to num digits lower integer higher integer truncated integer floating point sine of radians cosine of radians tangent of radians arc sine arc cosine arc tangent radians to degrees degrees to radians pi constant natural log constant Define Math Field Equation Field References Reference &Level Reference &Type Available &Field List &Result Type Description &Equation Equation error: {} Boolean Result Text Result Arithmetic Operators Comparison Operators Text Operators equal to less than greater than less than or equal to greater than or equal to not equal to true value, condition, false value true if 1st text arg starts with 2nd arg true if 1st text arg ends with 2nd arg true if 1st text arg contains 2nd arg concatenate text join text using 1st arg as separator convert text to upper case convert text to lower case in 1st arg, replace 2nd arg with 3rd arg Operations O&perator Type Oper&ator List logical and logical or Output HTML Evaluate &HTML tags Child Type Limits [All Types Available] &Select All Select &None Number Result Count Number of Children dataeditors Today's &Date &Open Link Open &Folder External Link Scheme &Browse for File File Path Type Absolute Relative Address Display Name &OK &OK &Cancel &Annuler TreeLine - External Link File &Go to Target Internal Link &Open Picture Picture Link TreeLine - Picture File Set to &Now Clear &Link (Click link target in tree) link exports Bookmarks Favoris TreeLine - Export HTML TreeLine - Export Text Titles TreeLine - Export Plain Text TreeLine - Export Text Tables TreeLine - Export Generic XML TreeLine - Export TreeLine Subtree TreeLine - Export ODF Text TreeLine - Export HTML Bookmarks TreeLine - Export XBEL Bookmarks &HTML &Text &ODF Outline Book&marks &Single HTML page Single &HTML page with navigation pane Multiple HTML &pages with navigation pane Multiple HTML &data tables &Tabbed title text &Texte des titres tabulés &Unformatted output of all text &HTML format bookmarks &XBEL format bookmarks File Export Choose export format type Choose export format subtype Choose export options What to Export Que faut−il exporter &Entire tree Arbre &Entier Selected &branches &Branches sélectionnées Selected &nodes &Nœuds sélectionnés Other Options &Only open node children Include &print header && footer &Columns Navigation pane &levels Error - export template files not found. Check your TreeLine installation. Error - cannot link to unsaved TreeLine file. Save the file and retry. Warning - no relative path from "{0}" to "{1}". Continue with absolute path? Parent Tree&Line &XML (generic) Live tree view, linked to TreeLine file (for web server) Live tree view, single file (embedded data) &Comma delimited (CSV) table of descendants (level numbers) Comma &delimited (CSV) table of children (single level) Tab &delimited table of children (&single level) &Old TreeLine (2.0.x) &TreeLine Subtree &Include root nodes Must select nodes prior to export fieldformat yes/no oui/non true/false vrai/faux T/F V/F Y/N O/N Text Texte HtmlText OneLineText SpacedText Number Nombre Math Numbering Boolean Booléen Date Date Time Heure Choice Choix AutoChoice ChoixAuto Combination Combinaison AutoCombination ExternalLink InternalLink LienInterne Picture Image RegularExpression Now Maintenant Optional Digit # Required Digit 0 Digit or Space (external) <space> Decimal Point . Decimal Comma , Space Separator (internal) <space> Optional Sign - Required Sign + Exponent (capital) E Exponent (small) e Number 1 Capital Letter A Small Letter a Capital Roman Numeral I Small Roman Numeral i Level Separator / Section Separator . "/" Character // "." Character .. Outline Example I../A../1../a)/i) Section Example 1.1.1.1 Separator / Example 1/2/3/4 Any Character . End of Text $ 0 Or More Repetitions * 1 Or More Repetitions + 0 Or 1 Repetitions ? Set of Numbers [0-9] Lower Case Letters [a-z] Upper Case Letters [A-Z] Not a Number [^0-9] Or | Escape a Special Character \ DateTime Day (1 or 2 digits) %-d Day (2 digits) %d Weekday Abbreviation %a Weekday Name %A Month (1 or 2 digits) %-m Month (2 digits) %m Month Abbreviation %b Month Name %B Year (2 digits) %y Year (4 digits) %Y Week Number (0 to 53) %-U Day of year (1 to 366) %-j Hour (0-23, 1 or 2 digits) %-H Hour (00-23, 2 digits) %H Hour (1-12, 1 or 2 digits) %-I Hour (01-12, 2 digits) %I Minute (1 or 2 digits) %-M Minute (2 digits) %M Second (1 or 2 digits) %-S Second (2 digits) %S Microseconds (6 digits) %f AM/PM %p Comma Separator \, Dot Separator \. DescendantCount genboolean true vrai false faux yes oui no non globalref TreeLine Files Fichiers TreeLine TreeLine Files - Compressed Fichiers TreeLine - Compressé TreeLine Files - Encrypted Fichiers TreeLine - Encrypté All Files HTML Files Text Files Fichiers Texte XML Files Fichiers XML ODF Text Files Fichier Texte ODF Treepad Files Fichiers Treepad PDF Files CSV (Comma Delimited) Files All TreeLine Files Old TreeLine Files helpview &Back &Précédent &Forward &Suivant &Home &Accueil Find: Chercher: Find &Previous Chercher &Précédent Find &Next Chercher &Suivant Text string not found Chaîne de caractères non trouvée Tools imports &Tab indented text, one node per line Tab delimited text table with header &row Plain text &paragraphs (blank line delimited) Treepad &file (text nodes only) &Fichier Treepad (noeuds texte seulement) &Generic XML (non-TreeLine file) Open &Document (ODF) outline &HTML bookmarks (Mozilla Format) &XML bookmarks (XBEL format) &XML favoris (format XBEL) FOLDER REPERTOIRE BOOKMARK FAVORIS SEPARATOR SEPARATEUR Link Lien Text Texte Import File Choose Import Method Invalid File "{0}" is not a valid TreeLine file. Use an import filter? TreeLine - Import File Error - could not read file {0} Error - improper format in {0} TABLE Bookmarks Favoris Too many entries on Line {0} Plain text, one &node per line (CR delimited) Bad CSV format on Line {0} Co&mma delimited (CSV) text table with level column && header row Comma delimited (CSV) text table &with header row Other Old Tree&Line File (1.x or 2.x) Invalid level number on line {0} Invalid level structure matheval Illegal "{}" characters Child references must be combined in a function Illegal syntax in equation Illegal function present: {0} Illegal object type or operator: {0} miscdialogs &OK &OK &Cancel &Annuler Fields Champs File Properties File Storage Fichier &Use file compression Use file &encryption Spell Check Vérification orthographique Language code or dictionary (optional) Math Fields &Treat blank fields as zeros Encrypted File Password Mot de passe encrypté Type Password for "{0}": Type Password: Entrer le mot de passe: Re-Type Password: Entrer à nouveau le mot de passe: Remember password during this session Se souvenir du mot de passe pendant cette session Zero-length passwords are not permitted Les mots de passe de longueur zéro ne sont pas autorisés Re-typed password did not match Le mot de passe entré la deuxième fois ne correspond pas Default - Single Line Text &Search Text What to Search Full &data &Titles only How to Search &Key words Key full &words F&ull phrase &Regular expression Find Chercher Find &Previous Chercher &Précédent Find &Next Chercher &Suivant Filter &Filter &End Filter &Close &Fermer Error - invalid regular expression Search string "{0}" not found Find and Replace Replacement &Text Any &match Full &words Re&gular expression &Node Type N&ode Fields &Find Next &Replace &Remplacer Replace &All [All Types] [All Fields] Search text "{0}" not found Error - replacement failed Replaced {0} matches Sort Nodes What to Sort Que trie−t−on &Entire tree Arbre &Entier Selected &branches &Branches sélectionnées Selection's childre&n Les e&nfants de la sélection Selection's &siblings Les frères de la &sélection Sort Method Méthode de tri &Predefined Key Fields Node &Titles Sort Direction &Forward &Suivant &Reverse &Apply &Appliquer Update Node Numbering What to Update &Selection's children Root Node Noeud Racine Include top-level nodes Handling Nodes without Numbering Fields &Ignore and skip &Restart numbers for next siblings Reserve &numbers TreeLine Numbering No numbering fields were found in data types File Menu File Edit Menu Edit Node Menu Node Data Menu Data Tools Menu Tools View Menu View Window Menu Window Help Menu Help Keyboard Shortcuts Raccourcis clavier &Restore Defaults Key {0} is already used Clear &Key --Separator-- −Séparateur− Customize Toolbars Personnaliser les barres d''outils Toolbar &Size &Taille des barres d'outils Small Icons Petites icônes Large Icons Grandes icônes Toolbar Quantity Nombre de barres d'outls &Toolbars &Barre d'Outils A&vailable Commands Comma&ndes disponibles Tool&bar Commands Commandes des &barres d'outils Move &Up Déplacer vers le &haut Move &Down &Descendre Tree View Font Output View Font Editor View Font No menu TreeLine - Serious Error A serious error has occurred. TreeLine could be in an unstable state. Recommend saving any file changes under another filename and restart TreeLine. The debugging info shown below can be copied and emailed to doug101@bellz.org along with an explanation of the circumstances. Format Menu Format Customize Fonts &Use system default font App Default Font &Use app default font nodeformat Name Nom optiondefaults Monday Lundi Tuesday Mardi Wednesday Mercredi Thursday Jeudi Friday Vendredi Saturday Samedi Sunday Dimanche Startup Condition Au Démarrage Automatically open last file used Ouvrir automatiquement le dernier fichier utilisé Show descendants in output view Montrer descendants dans l'aperçu sortie Restore tree view states of recent files Restore previous window geometry Features Available Fonctionnalités disponibles Open files in new windows Ouverture des fichiers dans de nouvelles fenetres Click node to rename Rename new nodes when created Renommer les nouveaux noeuds quand ils sont créés Tree drag && drop available Glisser && déposer l'arborescence disponible dans le volet d'exploration Show icons in the tree view Afficher les icônes dans le volet d'exploration Show math fields in the Data Edit view Show numbering fields in the Data Edit view Undo Memory Mémoire utilisée pour la fonctionnalité "Annuler" Number of undo levels Nombre de niveaux d'annulation Auto Save Sauvegarde automatique Minutes between saves (set to 0 to disable) Recent Files Fichiers récents Number of recent files in the file menu Data Editor Formats Formats de l'Editeur de Données Times Heures Dates Dates First day of week Appearance Apparence Child indent offset (in font height units) Show breadcrumb ancestor view Show child pane in right hand views Remove inaccessible recent file entries Activate data editors on mouse hover Minimize application to system tray Indent (pretty print) TreeLine JSON files Limit data editor height to window size options Choose configuration file location User's home directory (recommended) Program directory (for portable use) &OK &OK &Cancel &Annuler printdata Error initializing printer Erreur à l'initialisation de l'imprimante TreeLine - Export PDF Warning: Page size and margin settings unsupported on current printer. Save page adjustments? Warning: Page size setting unsupported on current printer. Save adjustment? Warning: Margin settings unsupported on current printer. Save adjustments? printdialogs Print Preview AperçuAvantImpression &Print... &Imprimer.... &General Options Options &Générales &Font Selection &Sélection Police &Header/Footer &En−tête/PiedDePage Print Pre&view... Aperçu a&vant impression... &OK &OK &Cancel &Annuler What to print Qu'imprimer  &Entire tree Arbre &Entier Selected &branches &Branches sélectionnées Selected &nodes &Nœuds sélectionnés Features Fonctionnalités &Include root node &Inclure le nœud racine &Keep first child with parent &Garder le premier enfant avec le parent Letter (8.5 x 11 in.) Lettre (8.5 × 11 pouces)  Legal (8.5 x 14 in.) Légal (8.5 × 14 pouces) Tabloid (11 x 17 in.) Tabloïde (11 × 17 pouces) A3 (279 x 420 mm) A3 (279 × 420 mm) A4 (210 x 297 mm) A4 (210 × 297 mm) A5 (148 x 210 mm) A5 (148 × 210 mm) Paper &Size &Taille papier Orientation Orientation &Units &Unités Columns Colonnes &Number of columns &Nombre de colonnes Default Font Police par défaut Select Font Sélectionner police &Font &Police Font st&yle St&yle de police Sample Exemple &Header Left &En-tête gauche Header C&enter En-tête C&entré Footer &Left Pied de page &Gauche Footer Ce&nter Pied de page Ce&ntré Fiel&ds Cham&ps Header and Footer En-tête et Pied de pages Extra Text Texte Supplémentaire &Prefix &Préfixe Format &Help Format de &l'Aide Fit Width Fit Page Zoom In Zoom Out Previous Page Next Page Single Page Facing Pages Print Setup Print Printing Setup Page &Setup Included Nodes Onl&y open node children &Draw lines to children Indent Indent Offse&t (line height units) Custom Size Inches (in) Millimeters (mm) Centimeters (cm) &Width: Height: Portra&it Lan&dscape Margins &Left: &Top: &Right: &Bottom: He&ader: Foot&er: Space between colu&mns &Use TreeLine output view font Si&ze AaBbCcDdEeFfGg...TtUuVvWvXxYyZz Header &Right Footer Righ&t Field For&mat Field Format for "{0}" Output &Format &Suffix Error: Page size or margins are invalid TreeLine PDF Printer Select &Printer recentfiles spellcheck Could not find either aspell.exe, ispell.exe or hunspell.exe Browse for location? Spell Check Error Erreur Correction Orthographe Locate aspell.exe, ipsell.exe or hunspell.exe Program (*.exe) Programme (*.exe) TreeLine Spell Check Error Make sure aspell, ispell or hunspell is installed TreeLine Spell Check Vérification Orthographique TreeLIne Finished spell checking Spell Check Vérification orthographique Not in Dictionary Pas dans le dictionnaire Word: Mot: Context: Contexte: Suggestions Suggestions Ignor&e Ignor&er &Ignore All &Ignorer Tout &Add &Ajouter Add &Lowercase Ajouter &Minuscule &Replace &Remplacer Re&place All Rem&placer Tout &Cancel &Annuler Finished checking the branch Continue from the top? titlelistview Select in Tree treeformats DEFAULT DEFAUT FILE TYPE FIELD FieldType TitleFormat OutputFormat SpaceBetween FormatHtml Bullets Table ChildType Icon Icône GenericType ConditionalRule ListSeparator ChildTypeLimit Format Prefix Suffix InitialValue NumLines SortKeyNum SortForward EvalHtml treelocalcontrol Error - could not delete backup file {} Save changes to {}? Save changes? Enregistrer les changements? &Save &Enregistrer Save File Enregistrer Fichier Save the current file Save &As... Enregistrer &Sous... Save the file with a new name Enregistrer le fichier sous un nouveau nom &Export... &Exporter... Export the file in various other formats Prop&erties... Set file parameters like compression and encryption P&rint Setup... Set margins, page size and other printing options Print Pre&view... Aperçu a&vant impression... Show a preview of printing results Montrer l'aperçu de l'impression &Print... &Imprimer.... Print tree output based on current options Print &to PDF... Export to PDF with current printing options &Undo &Annuler Undo the previous action Annuler l'action précédente &Redo &Rétablir Redo the previous undo Rétablir l'annulation précédente Cu&t Co&uper Cut the branch or text to the clipboard Couper la branche ou le texte dans le presse-papier &Copy &Copier Copy the branch or text to the clipboard Copier la branche ou le texte dans le presse-papier &Paste C&oller Paste nodes or text from the clipboard Coller les noeuds ou le texte dans le presse-papier Paste non-formatted text from the clipboard &Bold Font Set the current or selected font to bold &Italic Font Set the current or selected font to italic U&nderline Font Set the current or selected font to underline &Font Size Set size of the current or selected text Small Default Large Larger Largest Set Font Size Font C&olor... Set the color of the current or selected text &External Link... Add or modify an extrnal web link Internal &Link... Add or modify an internal node link Clear For&matting Clear current or selected text formatting &Rename Rename the current tree entry title Insert Sibling &Before Insérer Frère A&vant Insert new sibling before selection Insérer le nouveau frère avant la sélection Insert Sibling &After Insérer Frère Apr&ès Insert new sibling after selection Insérer le nouveau frère après la sélection Add &Child Add new child to selected parent &Delete Node &Supprimer Noeud Delete the selected nodes Supprimer les noeuds sélectionnés &Indent Node Inden&ter Noeud Indent the selected nodes Indenter les noeuds sélectionnés &Unindent Node Unindent the selected nodes Désindenter les noeuds sélectionnés &Move Up &Déplacer En &haut Move the selected nodes up Déplacer les noeuds sélectionnés vers le haut M&ove Down D&éplacer En bas Move the selected nodes down Déplacer les noeuds sélectionnés vers le bas Move &First Déplacer &premier Move the selected nodes to be the first children Déplacer les nœuds sélectionnés comme premier enfant Move &Last Déplacer &dernier Move the selected nodes to be the last children Déplacer les nœuds sélectionnés comme dernier enfant &Set Node Type Set the node type for selected nodes Set Node Type Copy Types from &File... Copy the configuration from another TreeLine file Copier la configuration à partir d'un autre fichier TreeLine Flatten &by Category Collapse descendants by merging fields Add Category &Level... Insert category nodes above children Insérer les noeuds du classement au-dessus des fils &Spell Check... &New Window j&Nouvelle Fenetre Open a new window for the same file Error - could not write to {} TreeLine - Save As Error - could not write to file TreeLine - Open Configuration File Error - could not read file {0} Cannot expand without common fields Impossible de développer sans champs communs Category Fields Champ du Classement Select fields for new level Sélection des champs pour le nouveau niveau File saved Pa&ste Plain Text Paste C&hild Paste a child node from the clipboard Paste Sibling &Before Paste a sibling before selection Paste Sibling &After Paste a sibling after selection Paste Cl&oned Child Paste a child clone from the clipboard Paste Clo&ned Sibling Before Paste a sibling clone before selection Paste Clone&d Sibling After Paste a sibling clone after selection Clone All &Matched Nodes Convert all matching nodes into clones &Detach Clones Detach all cloned nodes in current branches S&wap Category Levels Swap child and grandchild category nodes Converted {0} branches into clones No identical nodes found Warning - file corruption! Skipped bad child references in the following nodes: Spell check the tree's text data &Regenerate References Force update of all conditional types & math fields Insert &Date Insert current date as text treemaincontrol Warning: Could not create local socket Error - could not write config file to {} Error - could not read file {0} Backup file "{}" exists. A previous session may have crashed &Restore Backup &Restaure Sauvegarde &Delete Backup &Supprime Sauvegarde &Cancel File Open &Annule Fichier Ouvert Error - could not rename "{0}" to "{1}" Error - could not remove backup file {} &New... &Nouveau… New File Nouveau Fichier Start a new file Commencer un nouveau fichier &Open... &Ouvir... Open File Ouvrir Fichier Open a file from disk Ouvrir un ficier à partir du disque Open Sa&mple... Ouvrir Exa&mple... Open Sample Open a sample file &Import... Open a non-TreeLine file &Quit &Quitter Exit the application Quitter l'application &Select All Select all text in an editor &Configure Data Types... &Paramètres du Type de Données... Modify data types, fields & output lines Modifier les types de données, les champs & les lignes en sortie Sor&t Nodes... Define node sort operations Update &Numbering... Update node numbering fields &Find Text... Find text in node titles & data &Conditional Find... Use field conditions to find nodes Find and &Replace... Replace text strings in node data &Text Filter... Filter nodes to only show text matches C&onditional Filter... Use field conditions to filter nodes &General Options... &Options Générales... Set user preferences for all files Configurer les préférences utilisateur pour tous les fichiers Set &Keyboard Shortcuts... Fixe les raccourcis &claviers... Customize keyboard commands Personnalise les commandes au clavier C&ustomize Toolbars... Customize toolbar buttons Personnalise les boutons des barres d'outils Customize Fo&nts... Customize fonts in various views &Basic Usage... Display basic usage instructions &Full Documentation... Open a TreeLine file with full documentation &About TreeLine... Display version info about this program &Select Template &Sélectionner un modèle TreeLine - Open File Open Sample File &Select Sample Conditional Find Conditional Filter Filtre conditionnel General Options Options Générales Error - basic help file not found TreeLine Basic Usage Error - documentation file not found Error - invalid TreeLine file {0} TreeLine version {0} written by {0} Library versions: missing directory Show C&onfiguration Structure... Show read-only visualization of type structure Custo&mize Colors... Customize GUI colors and themes treemodel treenode New Nouveau treestructure Main Base treeview Filtering by "{0}", found {1} nodes Conditional filtering, found {0} nodes Search for: Search for: {0} Search for: {0} (not found) Next: {0} Next: {0} (not found) treewindow Data Output Sortie des données Data Edit Title List Liste des titres &Expand Full Branch &Développer Toute la Branche Expand all children of the selected nodes &Collapse Full Branch &Réduire Toute la Branche Collapse all children of the selected nodes &Previous Selection Sélection &Précédente Return to the previous tree selection &Next Selection &Sélection suivante Go to the next tree selection in history Show Data &Output Montrer une &sortie des données Show data output in right view Afficher le volet de données dans la vue de droite Show Data &Editor Afficher l'&Editeur de Données Show data editor in right view Afficher l'éditeur de données dans la vue de droite Show &Title List Show title list in right view Afficher la liste des titres dans la vue de droite &Show Child Pane Toggle showing right-hand child views Toggle showing output view indented descendants &Close Window &Fermer la fenetre Close this window &File &Fichier &Edit &Editer &Node &Data &Données &Tools &Outils &View &Affichage &Window &Fenetre &Help A&ide Start Incremental Search Next Incremental Search Previous Incremental Search Show &Breadcrumb View Toggle showing breadcrumb ancestor view Show Output &Descendants Fo&rmat colorset Dialog background color Dialog text color Text widget background color Text widget foreground color Selected item background color Selected item text color Link text color Tool tip background color Tool tip foreground color Button background color Button text color Disabled text foreground color Disabled button text color Color Settings Color Theme Default system theme Dark theme Custom theme &OK &OK &Cancel &Annuler Custom Colors Theme Colors Select {0} color i18n/translations/treeline_de.ts0000644000000000000000000056625214122217342015721 0ustar rootroot conditional starts with beginnt mit ends with endet mit contains enthält True Wahr False Falsch and und or oder [All Types] [Alle Typen] Node Type Knotentyp &Add New Rule &Regel hinzufügen &Remove Rule &Regel löschen &OK &OK &Cancel &Abbrechen Find &Previous Suche &Vorherigen Find &Next Suche &Nächsten &Filter &Filter &End Filter Filter &beenden &Close &Schließen No conditional matches were found Keine Übereinstimmungen gefunden Rule {0} Regel {0} Saved Rules Gespeicherte Regeln Name: Name: &Load &Laden &Save S&peichern &Delete &Löschen configdialog Configure Data Types Datentypen konfigurieren T&ype List &Typliste Field &List &Feldliste &Field Config Feld &konfigurieren &Show Advanced Erweitert &anzeigen &OK &OK &Apply &Anwenden &Reset &Zurücksetzen &Cancel &Abbrechen Add or Remove Data Types Datentypen hinzufügen oder löschen &New Type... &Neuer Typ... Co&py Type... Typ &kopieren... &Delete Type Typ &löschen Add Type Typ hinzufügen Enter new type name: Gib den Namen des neuen Typs ein: Rename Type Typ umbenennen Cannot delete data type being used by nodes Kann keinen Datentyp löschen, der noch in Benutzung ist &Data Type &Datentyp Icon Icon Change &Icon &Icon ändern Derived from &Generic Type Abgeleitet von &Basistyp Automatic Types Automatische Typen Modify Co&nditional Types &Bedingte Typen ändern Create Co&nditional Types &Bedingte Typen anlegen Set Types Conditionally Typ durch Bedingung setzen Name Name Type Typ Move &Up Nach &oben verschieben Move Do&wn Nach &unten verschieben &New Field... &Neues Feld... Add Field Feld hinzufügen Enter new field name: Name des neuen Feldes eingeben: Rename Field Feld umbenennen F&ield &Feld Format &Help Hilfe zum &Format Extra Text Zusatztext &Prefix &Präfix Suffi&x &Suffix Editor Height Editorhöhe Num&ber of text lines &Anzahl der Textzeilen File Info Reference Dateiinfo-Verweis Parent Reference Vater-Verweis Child Reference Kind-Verweis Child Count Anzahl Kinder F&ield List &Feldliste Other Field References Verweise zu anderen Feldern Copy Type Typ kopieren Set Data Type Icon Datentyp Icon zuweisen Clear &Select Auswahl &zurücksetzen Typ&e Config Typ &Konfiguration O&utput &Ausgabe &Hide Advanced Erweitert &ausblenden Error - circular reference in math field equations Fehler - Zirkulärer Verweis im berechnetem Feld Rena&me Type... Typ &umbenennen... &Derive from original Von &Original ableiten Rename from {} to: Umbenennen von {} nach: [None] no type set [Leer] Default Child &Type Standard Kind &Typ Output Options Ausgabeoptionen Add &blank lines between nodes &Leere Zeilen zwischen Knotenhinzufügen Allow &HTML rich text in format &HTML Text im Format erlauben Add text bullet&s &Aufzählungspunkte hinzufügen Use a table for field &data Eine Tabelle für &Feldwerte verwenden Combination && Child List Output &Separator Ausgabe &Trenner für Kombination && Kindliste None Leer Modify &Field List &Feldliste bearbeiten Sort Key Sortierfeld Move U&p Nach &oben verschieben Rena&me Field... Feld &umbenennen... Dele&te Field Feld &löschen Sort &Keys... &Sortierfelder... fwd >> rev << &Field Type &Feldtyp Outpu&t Format &Ausgabeformat Default &Value for New Nodes &Standardwert für neue Knoten Math Equation Mathematischer Ausdruck Define Equation Ausdruck definieren &Title Format &Überschrift Format Out&put Format &Ausgabeformat Reference Le&vel Verweis&stufe Refere&nce Type Verweis&typ The name cannot be empty Der Name kann nicht leer sein The name must start with a letter Der Name muss mit einem Buchstaben beginnen The name cannot start with "xml" Der Name kann nicht mit "xml" beginnen The name cannot contain spaces Der Name darf keine Leerzeichen enthalten The following characters are not allowed: {} Die folgenden Zeichen sind nicht erlaubt: {} The name was already used Der Name ist bereits in Verwendung forward vorwärts reverse rückwärts Sort Key Fields Sortierfelder Available &Fields Verfügbare &Felder &Sort Criteria &Sortierbedingung Field Feld Direction Richtung &Move Down Nach &unten Flip &Direction Richtung &umkehren Self Reference Verweis auf sich selbst Root Reference Verweis auf Wurzel Date Result Datum Time Result Uhrzeit add hinzufügen subtract abziehen multiply multiplizieren divide dividieren floor divide dividieren mit runden modulus modulo power exponieren sum of items summieren maximum Maximum minimum Minimum average Durchschnitt absolute value Absolutwert square root Quadratwurzel natural logarithm Natürlicher Logarithmus base-10 logarithm Logarithmus Basis 10 factorial Fakultät round to num digits Runden auf n Stellen lower integer Niedrigere Ganzzahl higher integer Höhere Ganzzahl truncated integer Abgeschnittene Ganzzahl floating point Fliesskommazahl sine of radians Sinus Bogenmaß cosine of radians Cosinus Bogenmaß tangent of radians Tangens Bogenmaß arc sine Arcus Sinus arc cosine Arcus Cosinus arc tangent Arcus Tangens radians to degrees Bogenmaß nach Grad degrees to radians Grad nach Bogenmaß pi constant PI natural log constant Eulersche Zahl Define Math Field Equation Mathematischen Ausdruck definieren Field References Feldverweis Reference &Level Verweis &Stufe Reference &Type Verweis &Typ Available &Field List Verfügbare &Feldliste &Result Type &Ergebnistyp Description Beschreibung &Equation &Gleichung Equation error: {} Fehler in Gleichung: {} Boolean Result Bool'sches Ergebnis Text Result Text Ergebnis Arithmetic Operators Arithmetische Operatoren Comparison Operators Vergleichsoperatoren Text Operators Text Operatoren equal to Ist gleich less than Ist kleiner greater than Ist größer less than or equal to Ist kleiner oder gleich greater than or equal to Ist größer oder gleich not equal to Ist nicht gleich true value, condition, false value Wahrer Wert, Bedingung, Falscher Wert true if 1st text arg starts with 2nd arg Wahr, wenn 1. Argument mit 2. Argument beginnt true if 1st text arg ends with 2nd arg Wahr, wenn 1. Argument mit 2. Argument endet true if 1st text arg contains 2nd arg Wahr, wenn 1.Argument 2.Argument enthält concatenate text Text aneinanderhängen join text using 1st arg as separator Text verbinden mit 1. Argument als Trenner convert text to upper case Text in Großbuchstaben konvertieren convert text to lower case Text in Kleinbuchsrtaben konvertieren in 1st arg, replace 2nd arg with 3rd arg Ersetze in 1. Argument das 2. Argument durch das 3. Argument Operations Operationen O&perator Type Typ des O&perators Oper&ator List Liste der Oper&atoren logical and Logisches Und logical or Logisches Oder Output HTML HTML Ausgabe Evaluate &HTML tags Bewerte HTML Tags Child Type Limits Kind Typ Grenzen [All Types Available] [Alle Typen verfügbar] &Select All &Alles auswählen Select &None Nichts auswählen Number Result Anzahl Ergebnis Count Zählen Number of Children Anzahl der Kinder dataeditors Today's &Date Heutiges &Datum &Open Link &Verweis öffnen Open &Folder &Verzeichnis öffnen External Link Externer Verweis Scheme Schema &Browse for File Datei &suchen File Path Type Verzeichnis Angabe Absolute Absolut Relative Relativ Address Adresse Display Name Anzeigename &OK &OK &Cancel &Abbrechen TreeLine - External Link File Verweis zu externer TreeLine Datei &Go to Target &Gehe zu Ziel Internal Link Interner Verweis &Open Picture &Öffne Bild Picture Link Verweis auf Bild TreeLine - Picture File TreeLine Bilddatei Set to &Now Auf &heute setzen Clear &Link Verweis löschen (Click link target in tree) Klicke Verweis Ziel im Baum link Verweis dataeditview exports Bookmarks Lesezeichen TreeLine - Export HTML TreeLine - Exportiere HTML TreeLine - Export Text Titles TreeLine - Exportiere Textüberschriften TreeLine - Export Plain Text TreeLine - Exportiere Text TreeLine - Export Text Tables TreeLine - Exportiere Text Tabelle TreeLine - Export Generic XML TreeLine - Exportiere Generisches XML TreeLine - Export TreeLine Subtree TreeLine - Exportiere TreeLine Teilbaum TreeLine - Export ODF Text TreeLine - Exportiere ODF Text TreeLine - Export HTML Bookmarks TreeLine - Exportiere HTML Lesezeichen TreeLine - Export XBEL Bookmarks TreeLine - Exportiere XBEL Lesezeichen &HTML &HTML &Text &Text &ODF Outline &ODF Struktur Book&marks &Lesezeichen &Single HTML page &Einzelne HTML Seite Single &HTML page with navigation pane Einzelne &HTML Seite mit Navigationsleiste Multiple HTML &pages with navigation pane Mehrere HTML &Seiten mit Navigationsleiste Multiple HTML &data tables Mehrere HTML &Datentabellen &Tabbed title text &Titelzeile mit Tabulator &Unformatted output of all text &Unformatierte Ausgabe des gesamten Textes &HTML format bookmarks &HTML formatierte Lesezeichen &XBEL format bookmarks &XBEL formatierte Lesezeichen File Export Datei Export Choose export format type Ausgabeformat wählen Choose export format subtype Ausgabe Unterformat wählen Choose export options Ausgabeoptionen wählen What to Export Was wird exportiert &Entire tree &Gesamter Baum Selected &branches &Ausgewählte Teilbäume Selected &nodes Ausgewählte &Knoten Other Options Andere Optionen &Only open node children &Nur geöffnete Kindknoten Include &print header && footer &Kopf- und Fußzeile einschließen &Columns &Spalten Navigation pane &levels &Stufen der Navigationsleiste Error - export template files not found. Check your TreeLine installation. Fehler - Export Vorlage nicht gefunden. Überprüfe deine TreeLine Installation. Error - cannot link to unsaved TreeLine file. Save the file and retry. Fehler - Kann nicht auf nicht gespeicherte TreeLine Datei verweisen. Speichere die Datei und versuche es erneut. Warning - no relative path from "{0}" to "{1}". Continue with absolute path? Warnung - kein relativer Pfad von "{0}" nach "{1}". Weitermachen mit absolutem Pfad? Parent Eltern Tree&Line Tree&Line &XML (generic) &XML (generisch) Live tree view, linked to TreeLine file (for web server) Live Baum Ansicht, verlinkt mit der TreeLine Datei (für Web Server) Live tree view, single file (embedded data) Live Baum Ansicht, eine Datei (Daten eingeschlossen) &Comma delimited (CSV) table of descendants (level numbers) &Komma-getrennte Tabelle (CSV) der Nachkommen (Nummern Grad) Comma &delimited (CSV) table of children (single level) Komma-&getrennte Tabelle (CSV) der Kinder (einzelner Grad) Tab &delimited table of children (&single level) Tab-&getrennte Tabelle der Kinder (&einzelner Grad) &Old TreeLine (2.0.x) Altes TreeLine Format (2.0.x) &TreeLine Subtree TreeLine Teilbaum &Include root nodes einschließlich Wurzel Knoten Must select nodes prior to export Sie müssen Knoten vor dem Export auswählen. fieldformat yes/no ja/nein true/false wahr/falsch T/F W/F Y/N J/N Text Text HtmlText HtmlText OneLineText Einzeiler SpacedText Text, Leerzeichen getrennt Number Nummer Math Mathematisch Numbering Nummer Boolean Boolean Date Datum Time Zeit Choice Auswahlfeld AutoChoice Auto Auswahlfeld Combination Kombinationsfeld AutoCombination Auto-Kombinationsfeld ExternalLink Externer Verweis InternalLink Interner Verweis Picture Bild RegularExpression Regulärer Ausdruck Now Heute Optional Digit # Optionale Ziffer # Required Digit 0 Erforderliche Ziffer 0 Digit or Space (external) <space> Ziffer oder Leertaste (Extern) <space> Decimal Point . Dezimalpunkt . Decimal Comma , Dezimalkomma , Space Separator (internal) <space> Leertaste Trenner (Intern) <space> Optional Sign - Optionales Vorzeichen - Required Sign + Erforderliches Vorzeichen + Exponent (capital) E Exponent (Groß) E Exponent (small) e Exponent (Klein) e Number 1 Ziffer 1 Capital Letter A Großbuchstabe A Small Letter a Kleinbuchstabe a Capital Roman Numeral I Große römische Ziffer I Small Roman Numeral i Kleine römische Ziffer i Level Separator / Stufentrenner / Section Separator . Sektionstrenner . "/" Character // "/" Zeichen // "." Character .. "." Zeichen .. Outline Example I../A../1../a)/i) Gliederungsbeispiel I../A../1../a)/i) Section Example 1.1.1.1 Überschrift Beispiel 1.1.1.1 Separator / Trenner / Example 1/2/3/4 Beispiel 1/2/3/4 Any Character . Beliebiges Zeichen . End of Text $ Texteende $ 0 Or More Repetitions * 0 oder mehr Wiederholungen * 1 Or More Repetitions + 1 oder mehr Wiederholungen + 0 Or 1 Repetitions ? 0 oder 1 Wiederholung ? Set of Numbers [0-9] Menge von Ziffern [0-9] Lower Case Letters [a-z] Kleinbuchstabe [a-z] Upper Case Letters [A-Z] Großbuchstabe [A-Z] Not a Number [^0-9] Keine Ziffer [^0-9] Or | Oder | Escape a Special Character \ Escape für Sonderzeichen \ DateTime Datum/Zeit Day (1 or 2 digits) %-d Tag (1 oder 2 Ziffern) Day (2 digits) %d Tag (2 Ziffern) Weekday Abbreviation %a Wochentag Abkürzung Weekday Name %A Wochentag Name Month (1 or 2 digits) %-m Monat (1 oder 2 Ziffern) Month (2 digits) %m Monat (2 Ziffern) Month Abbreviation %b Monat Abkürzung Month Name %B Monat Name Year (2 digits) %y Jahr (2 Ziffern) Year (4 digits) %Y Jahr (4 Ziffern) Week Number (0 to 53) %-U Wochennummer (0 bis 53) Day of year (1 to 366) %-j Tag des Jahres (1 bis 366) Hour (0-23, 1 or 2 digits) %-H Stunde (0-23, 1 oder 2 Ziffern) Hour (00-23, 2 digits) %H Stunde (00-23, 2 Ziffern) Hour (1-12, 1 or 2 digits) %-I Stunde (1-12, 1 oder 2 Ziffern) Hour (01-12, 2 digits) %I Stunde (01-12, 2 Ziffern) Minute (1 or 2 digits) %-M Minute (1 oder 2 Ziffern) Minute (2 digits) %M Minute (2 Ziffern) Second (1 or 2 digits) %-S Sekunde (1 oder 2 Ziffern) Second (2 digits) %S Sekunde (2 Ziffern) Microseconds (6 digits) %f Microsekunde (6 Ziffern) AM/PM %p AM/PM Comma Separator \, Komma Trenner \, Dot Separator \. Punkt Trenner \. DescendantCount Anzahl der Nachkommen genboolean true wahr false falsch yes ja no nein globalref TreeLine Files TreeLine Dateien TreeLine Files - Compressed TreeLine Dateien (komprimiert) TreeLine Files - Encrypted TreeLine Dateien (verschlüsselt) All Files Alle Dateien HTML Files HTML Dateien Text Files Text Dateien XML Files XML Dateien ODF Text Files ODF Dateien Treepad Files Treepad Dateien PDF Files PDF Dateien CSV (Comma Delimited) Files CSV Datei (Komma-getrennt) All TreeLine Files Alle Treeline Dateien Old TreeLine Files Alte Treeline Dateien helpview &Back &Zurück &Forward &Vorwärts &Home &Eigenes Verzeichnis Find: Suchen: Find &Previous &Rückwärts Suchen Find &Next &Vorwärts Suchen Text string not found Text nicht gefunden Tools Werkzeuge imports &Tab indented text, one node per line &Mit Tabulator eingerückter Text, Knoten je Zeile Tab delimited text table with header &row Tabulator getrennter Text mit Kopfzeile Plain text &paragraphs (blank line delimited) Text &Blöcke (Beendet mit Leerzeile) Treepad &file (text nodes only) Treepad &Datei (nur Text) &Generic XML (non-TreeLine file) Generisches &XML (Keine TreeLine Datei) Open &Document (ODF) outline Open &Document (ODF) Gliederung &HTML bookmarks (Mozilla Format) &HTML Lesezeichen (Mozilla Format) &XML bookmarks (XBEL format) &XML Lesezeichendatei (XBEL-Format) FOLDER VERZEICHNIS BOOKMARK LESEZEICHEN SEPARATOR TRENNER Link Verweis Text Text Import File Import Datei Choose Import Method Import Methode auswählen Invalid File Ungültige Datei "{0}" is not a valid TreeLine file. Use an import filter? "{0}" ist keine TreeLine Datei. Importfilter verwenden? TreeLine - Import File TreeLine - Import Datei Error - could not read file {0} Fehler - Kann Datei {0} nicht lesen Error - improper format in {0} Fehler - ungültiges Format in {0} TABLE TABELLE Bookmarks Lesezeichen Too many entries on Line {0} Zu viele Einträge in der Zeile {0} Plain text, one &node per line (CR delimited) Nur Text, ein &Knoten pro Zeile (CR getrennt) Bad CSV format on Line {0} Fehler im CSV Format bei Zeile {0} Co&mma delimited (CSV) text table with level column && header row Ko&mma-getrennter (CSV) Text Tabelle mit Stufe Spalte && Kopfzeile Reihe Comma delimited (CSV) text table &with header row Ko&mma-getrennter (CSV) Text Tabelle mit Kopfzeile Other Andere Old Tree&Line File (1.x or 2.x) Alte Tree&Line Datei (1.x oder 2.x) Invalid level number on line {0} Falsche Ebene Nummer on line {0} Invalid level structure Fehlerhafte Ebenen Struktur matheval Illegal "{}" characters Ungültige Zeichen "{}" Child references must be combined in a function Verweise auf Kinder müssen in einer Funktion kombiniert werden Illegal syntax in equation Ungültige Syntax in Ausdruck Illegal function present: {0} Ungültige Funktion: {0} Illegal object type or operator: {0} Ungültiger Objekttyp oder Operator: {0} miscdialogs &OK &OK &Cancel &Abbrechen Fields Felder File Properties Datei Eigenschaften File Storage Datei Speicherung &Use file compression Datei&komprimierung verwenden Use file &encryption Datei&verschlüsselung verwenden Spell Check Rechtschreibprüfung Language code or dictionary (optional) Sprachcode oder Wörterbuch (optional) Math Fields Mathematisches Feld &Treat blank fields as zeros &Leere Felder als Null behandeln Encrypted File Password Passwort der verschlüsselten Datei Type Password for "{0}": Passwort für {0} eingeben: Type Password: Passwort eingeben: Re-Type Password: Passwort wiederholen: Remember password during this session Passwort für diese Sitzung merken Zero-length passwords are not permitted Leere Passwörter sind nicht erlaubt Re-typed password did not match Passworte stimmen nicht überein Default - Single Line Text Standard - Einzeiliger Text &Search Text &Suchtext What to Search Nach was wird gesucht Full &data Gesamte &Daten &Titles only Nur &Titel How to Search Wie wird gesucht &Key words &Schlüsselworte Key full &words &Ganze Worte F&ull phrase Ganzer &Satz &Regular expression &Regulärer Ausdruck Find Suchen Find &Previous Suche &Vorherige Find &Next Suche &Nächster Filter Filter &Filter &Filter &End Filter Filter &Ende &Close &Schließen Error - invalid regular expression Fehler - Ungültiger regulärer Ausdruck Search string "{0}" not found Suchtext "{0}" nicht gefunden Find and Replace Suchen und Ersetzen Replacement &Text Ersetzungs&text Any &match Jedes &Vorkommen Full &words Ganze &Worte Re&gular expression Regulärer &Ausdruck &Node Type &Knotentyp N&ode Fields &Felder &Find Next Suche &Nächster &Replace &Ersetzen Replace &All &Alle Ersetzen [All Types] [Alle Typen] [All Fields] [Alle Felder] Search text "{0}" not found Suchtext "{0}" nicht gefunden Error - replacement failed Fehler - Ersetzung nicht möglich Replaced {0} matches {0} Stellen ersetzt Sort Nodes Konten sortieren What to Sort Was wird sortiert &Entire tree &Gesamter Baum Selected &branches Ausgewählte &Teilbäume Selection's childre&n &Kinder der ausgewählten Teilbäume Selection's &siblings &Geschwister der ausgewählten Telibäume Sort Method Sortiermethode &Predefined Key Fields &Vordefinierte Schlüsselfelder Node &Titles Knoten&titel Sort Direction Sortierrichtung &Forward &Vorwärts &Reverse &Rückwärts &Apply &Anwenden Update Node Numbering Nummerierung erneuern What to Update Was soll erneuert werden &Selection's children &Kinder der Auswahl Root Node Wurzelelement Include top-level nodes Knoten der ersten Ebene einschliessen Handling Nodes without Numbering Fields Behandlung von Knoten ohne Nummerierungsfelder &Ignore and skip &Ignorieren &Restart numbers for next siblings &Nummerierung für nächste Geschwister neu starten Reserve &numbers Nummerierung &umkehren TreeLine Numbering TreeLine Nummerierung No numbering fields were found in data types Keine Nummerierungsfelder gefunden File Menu Datei Menü File Datei Edit Menu Bearbeiten Menü Edit Bearbeiten Node Menu Knoten Menü Node Knoten Data Menu Daten Menü Data Daten Tools Menu Werkzeug Menü Tools Werkzeug View Menu Ansicht Menü View Ansicht Window Menu Fenster Menü Window Fenster Help Menu Hilfe Menü Help Hilfe Keyboard Shortcuts Tastaturkürzel &Restore Defaults &Standard wiederherstellen Key {0} is already used Taste {0} bereits belegt Clear &Key Lösche &Taste --Separator-- --Trenner-- Customize Toolbars Symbolleisten konfigurieren Toolbar &Size Symbolleisten&größe Small Icons Kleine Icons Large Icons Große Icons Toolbar Quantity Anzahl Symbolleisten &Toolbars &Symbolleisten A&vailable Commands &Verfügbare Funktionen Tool&bar Commands &Symbolleisten Funktionen Move &Up Nach &oben verschieben Move &Down Nach &unten verschieben Tree View Font Schriftart für Baumanzeige Output View Font Schriftart für Ausgabe Editor View Font Schriftart für Editor No menu Kein Menü TreeLine - Serious Error TreeLine - Schwerer Fehler A serious error has occurred. TreeLine could be in an unstable state. Recommend saving any file changes under another filename and restart TreeLine. The debugging info shown below can be copied and emailed to doug101@bellz.org along with an explanation of the circumstances. Ein schwerer Fehler ist aufgetreten. TreeLine kann sich in einem instabilen Zustand befinden. Empfehlung, die Datei unter einem anderen Namen zu speichern und TreeLine neu zu starten. Das Debug Info unterhalb kann kopiert werden und per Mail an doug101@bellz.org geschickt werden zusammen mit Erläuterungen, unter welchen Umständen, der Fehler auftrat. Format Menu Format Menü Format Format Customize Fonts Schriftarten Anpassen &Use system default font &System Schriftart verwenden App Default Font Standardschriftart &Use app default font &Standard Schriftart verwenden nodeformat Name Name optiondefaults Monday Montag Tuesday Dienstag Wednesday Mittwoch Thursday Donnerstag Friday Freitag Saturday Samstag Sunday Sonntag Startup Condition Programmstart Automatically open last file used Die zuletzt benutzte Datei automatisch öffnen Show descendants in output view Unterknoten in der Ansicht anzeigen Restore tree view states of recent files Baumansicht von kürzlich geöffneten Dateien wierherstellen Restore previous window geometry Fenstereinteilung wiederherstellen Features Available Verfügbare Funktionen Open files in new windows Öffne Dateien in neuem Fenster Click node to rename Klick auf Knoten zum Umbenennen Rename new nodes when created Neue Knoten nach dem Anlegen umbenennen Tree drag && drop available Verschieben von Bäumen mit der Maus erlauben Show icons in the tree view Icons in der Baumansicht anzeigen Show math fields in the Data Edit view Mathematische Felder im Bearbeiten Fenster anzeigen Show numbering fields in the Data Edit view Nummerierungsfelder im Bearbeiten Fenster anzeigen Undo Memory Speicher für Wiederherstellungen Number of undo levels Anzahl der möglichen Wiederherstellungen Auto Save Automatisches Speichern Minutes between saves (set to 0 to disable) Minuten zwischen Speichervorgängen (0 für Abschalten) Recent Files Zuletzt geöffnete Dateien Number of recent files in the file menu Anzahl zuletzt geöffneter Dateien Data Editor Formats Formate im Bearbeitungsfenster Times Zeitdarstellung Dates Datumsdarstellung First day of week Erster Wochentag Appearance Aussehen Child indent offset (in font height units) Einrückung für Kinder (In Schriftart Einheiten) Show breadcrumb ancestor view Zeige Breadcrumb Vorfahren Ansicht Show child pane in right hand views Zeige Kind Ausschnitt in der rechten Ansicht Remove inaccessible recent file entries Lösche alle nicht vorhandenen aktuellen Datei-Einträge Activate data editors on mouse hover Aktiviere den Daten Editor bei schwebender Maus Minimize application to system tray Minimiere Programm in die Systemleiste Indent (pretty print) TreeLine JSON files Druckoptimierte TreeLine JSON Dateien mit Einrückung Limit data editor height to window size options Choose configuration file location Ablage Konfigurationsfile User's home directory (recommended) Benutzerverzeichnis (empfohlen) Program directory (for portable use) Programmverzeichnis (für portablen Einsatz) &OK &OK &Cancel &Abbrechen printdata Error initializing printer Fehler beim Initialisieren des Druckers TreeLine - Export PDF TreeLine - PDF Exportieren Warning: Page size and margin settings unsupported on current printer. Save page adjustments? Warnung: Seitengröße und Randeinstellung werden vom derzeitigen Drucker nicht unterstützt. Sollen die Einstellungen berichtigt werden? Warning: Page size setting unsupported on current printer. Save adjustment? Warnung: Seitengröße werden vom derzeitigen Drucker nicht unterstützt. Sollen die Einstellungen berichtigt werden? Warning: Margin settings unsupported on current printer. Save adjustments? Warnung: Randeinstellung werden vom derzeitigen Drucker nicht unterstützt. Sollen die Einstellungen berichtigt werden? printdialogs Print Preview Druckvorschau &Print... &Drucken... &General Options Allgemeine &Einstellungen &Font Selection Schrift&auswahl &Header/Footer &Kopf-/Fußzeile Print Pre&view... Druck&vorschau... &OK &OK &Cancel &Abbrechen What to print Was wird gedruckt &Entire tree Gesamter Baum Selected &branches Ausgewählte Teilbäume Selected &nodes Ausgewählte Knoten Features Eigenschaften &Include root node Wurzelelement hinzunehmen &Keep first child with parent Das erste Unterelement mit dem Elternelement zusammen anzeigen Letter (8.5 x 11 in.) Letter (8.5 × 11 Inch) Legal (8.5 x 14 in.) Legal (8.5 × 14 Inch) Tabloid (11 x 17 in.) Tabloid (11 × 17 Inch) A3 (279 x 420 mm) A3 (279 × 420 mm) A4 (210 x 297 mm) A4 (210 × 297 mm) A5 (148 x 210 mm) A5 (148 × 210 mm) Paper &Size Papiergröße Orientation Orientierung &Units &Einheiten Columns Spalten &Number of columns Spaltenanzahl Default Font standard Schriftart Select Font Schriftart auswählen &Font &Schriftart Font st&yle Schrifts&til Sample Beispiel &Header Left Kopfzeile &Links Header C&enter Kopfzeile Mitt&e Footer &Left &Fußzeile Links Footer Ce&nter Fußzeile M&itte Fiel&ds Felder Header and Footer Kopf- und Fußzeile Extra Text Extratext &Prefix Präfi&x Format &Help &Hilfe zu den Formaten Fit Width Breite anpassen Fit Page Seite anpassen Zoom In Vergrößern Zoom Out Verkleinern Previous Page Vorherige Seite Next Page Nächste Seite Single Page Einzelne Seite Facing Pages Gegenüberliegende Seiten Print Setup Druckeinstellungen Print Drucken Printing Setup Druckeinstellungen Page &Setup Seiteneinstellungen Included Nodes Berücksichtigte Knoten Onl&y open node children Nur Kinder von geöffneten Knoten &Draw lines to children Linien zu den Kindern zeichnen Indent Einrücken Indent Offse&t (line height units) Abstand beim Einrücken (Einheit Zeilenhöhe) Custom Size Benutzerdefinierte Größe Inches (in) Inch (in) Millimeters (mm) Millimeter (mm) Centimeters (cm) Zentimeter (cm) &Width: &Breite: Height: &Höhe: Portra&it &Hochformat Lan&dscape &Querformat Margins Ränder &Left: &Links: &Top: &Oben: &Right: &Rechts: &Bottom: &Unten: He&ader: &Kopfzeile: Foot&er: &Fußzeile: Space between colu&mns Abstand zwischen &Spalten &Use TreeLine output view font &TreeLine Ausgabe Schriftart verwenden Si&ze &Größe AaBbCcDdEeFfGg...TtUuVvWvXxYyZz AaBbCcDcEeFfGg...TtUuVvWwXxYyZz Header &Right Kopfzeile &Rechts Footer Righ&t Fusszeile &Rechts Field For&mat Feldf&ormat Field Format for "{0}" Feldformat für "{0}" Output &Format Ausgabeformat &Suffix &Suffix Error: Page size or margins are invalid Fehler: Seitengröße oder Seitenränder sind ungültig TreeLine PDF Printer TreeLine PDF Drucker Select &Printer Wähle &Drucker recentfiles spellcheck Could not find either aspell.exe, ispell.exe or hunspell.exe Browse for location? Kann weder aspell.exe, ispell.exe oder hunspell.exe finden. Speicherort suchen? Spell Check Error Fehler in der Rechtschreibprüfung Locate aspell.exe, ipsell.exe or hunspell.exe Suche aspell.exe, ispell.exe oder hunspell.exe Program (*.exe) Programm (*.exe) TreeLine Spell Check Error Make sure aspell, ispell or hunspell is installed Fehler bei der Rechtschreibprüfung. Stellen Sie sicher, dass aspell, ispell oder hunspell installiert ist TreeLine Spell Check TreeLine Rechtschreibprüfung Finished spell checking Rechtschreibprüfung beendet Spell Check Rechtschreibprüfung Not in Dictionary Nicht im Wörterbuch Word: Wort: Context: Kontext: Suggestions Vorschläge Ignor&e &Ignorieren &Ignore All &Alles Ignorieren &Add &Hinzufügen Add &Lowercase Hinzufügen in &Kleinbuchstaben &Replace &Ersetzen Re&place All Alles E&rsetzen &Cancel &Abbrechen Finished checking the branch Continue from the top? Rechtschreibprüfung für den Zweig beendet. Wieder von oben anfangen? titlelistview Select in Tree Auswahl im Baum treeformats DEFAULT STANDARD FILE DATEI TYPE TYP FIELD FELD FieldType FELDTYP TitleFormat OutputFormat SpaceBetween FormatHtml Bullets Table ChildType Icon Icon GenericType ConditionalRule ListSeparator ChildTypeLimit Format Format Prefix Suffix InitialValue NumLines SortKeyNum SortForward EvalHtml treelocalcontrol Error - could not delete backup file {} Fehler: Kann Sicherheitskopie {0} nicht löschen Save changes to {}? Änderungen an {0} abspeichern? Save changes? Änderungen abspeichern? &Save S&peichern Save File Datei speichern Save the current file Aktuelle Datei speichern Save &As... Speichern &unter... Save the file with a new name Die Datei unter einem neuen Namen speichern &Export... &Exportieren... Export the file in various other formats Die Datei in unterschiedlichen Formaten exportieren Prop&erties... &Eigenschaften... Set file parameters like compression and encryption Datei Eigenschaften wie Komprimierung oder Verschlüsselung setzen P&rint Setup... &Drucken einrichten... Set margins, page size and other printing options Ränder, Seitengröße und andere Druckeinstellungen Print Pre&view... Druck&vorschau... Show a preview of printing results Vorschau der Druckergebnisse anzeigen &Print... &Drucken... Print tree output based on current options Baum basierend auf aktuellen Einstellungen drucken Print &to PDF... Nach &PDF drucken... Export to PDF with current printing options Nach PDF mit aktuellen Druckoptionen exportieren &Undo &Rückgängig Undo the previous action Die letzte Aktion rückgängig machen &Redo W&iederherstellen Redo the previous undo Die letzte Aktion wiederherstellen Cu&t &Ausschneiden Cut the branch or text to the clipboard Den Teilbaum oder Text ausschneiden und in die Zwischenablage legen &Copy &Kopieren Copy the branch or text to the clipboard Den Teilbaum oder den Text in die Zwischenablage kopieren &Paste Ein&fügen Paste nodes or text from the clipboard Knoten oder Text von der Zwischenablage einfügen Paste non-formatted text from the clipboard Unformatierten Text von der Zwischenablage einfügen &Bold Font &Fettschrift Set the current or selected font to bold Die aktuelle oder ausgewählte Schriftart auf "fett" setzen &Italic Font &Kursivschrift Set the current or selected font to italic Die aktuelle oder ausgewählte Schriftart auf "kursiv" setzen U&nderline Font &Unterstreichen Set the current or selected font to underline Die aktuelle oder ausgewählte Schriftart auf "unterstreichen" setzen &Font Size &Schriftart Größe Set size of the current or selected text Die Größe der aktuellen oder selektierten Schriftart setzen Small Klein Default Standard Large Groß Larger Größer Largest Am Größten Set Font Size Schriftart Größe setzen Font C&olor... Schriftart &Farbe... Set the color of the current or selected text Die Farbe der aktuellen oder ausgewählten Schriftart setzen &External Link... &Externer Verweis... Add or modify an extrnal web link Einen externen Verweis hinzufügen oder ändern Internal &Link... &Interner Verweis... Add or modify an internal node link Internen Verweis ändern oder hinzufügen Clear For&matting &Formatierung entfernen Clear current or selected text formatting Die Formatierung am aktuellen oder selektierten Text entfernen &Rename &Umbenennen Rename the current tree entry title Den Titel des aktuellen Knotens ändern Insert Sibling &Before &Vor ausgewähltem Element einfügen Insert new sibling before selection Ein neues Element vor dem ausgewählten Element einfügen Insert Sibling &After &Nach ausgewähltem Element einfügen Insert new sibling after selection Ein neues Element nach dem ausgewählten Element einfügen Add &Child &Kind hinzufügen Add new child to selected parent Neues Kind zu aktuellem Knoten hinzufügen &Delete Node Knoten &löschen Delete the selected nodes Die ausgewählten Knoten löschen &Indent Node Knoten &einrücken Indent the selected nodes Die ausgewählten Knoten einrücken &Unindent Node Knoten &ausrücken Unindent the selected nodes Die ausgewählten Knoten "ausrücken" (um eine Ebene nach links verschieben) &Move Up Nach &oben verschieben Move the selected nodes up Die ausgewählten Knoten nach oben verschieben M&ove Down Nach &unten verschieben Move the selected nodes down Die ausgewählten Knoten nach unten verschieben Move &First Zum Anfang verschieben Move the selected nodes to be the first children Das ausgewählte Knoten als erstes Unterelement setzen Move &Last Zum Ende verschieben Move the selected nodes to be the last children Das ausgewählte Knoten als letztes Unterelement setzen &Set Node Type Knoten&typ zuweisen Set the node type for selected nodes Den Typ für den ausgewählten Knoten setzen Set Node Type Knotentyp zuweisen Copy Types from &File... Typen aus &Datei kopieren... Copy the configuration from another TreeLine file Konfiguration aus einer anderen TreeLine-Datei übernehmen Flatten &by Category &Abflachen nach Kategorie Collapse descendants by merging fields Kinder zusammenfassen und Felder vereinen Add Category &Level... Kategorie &Hierarchieebene einfügen... Insert category nodes above children Kategorieebene oberhalb der Unterknoten einfügen &Spell Check... &Rechtschreibprüfung... &New Window &Neues Fenster Open a new window for the same file Neues Fenster für die gleiche Datei öffnen Error - could not write to {} Fehler - konnte nicht nach {0} schreiben TreeLine - Save As TreeLine - Speichern unter Error - could not write to file Fehler - konnte nicht auf Datei schreiben TreeLine - Open Configuration File TreeLine - Konfigurationsdatei schreiben Error - could not read file {0} Fehler - Konnte Datei {0} nicht lesen Cannot expand without common fields Ohne gemeinsame Felder kann der Baum nicht expandiert werden Category Fields Kategoriefelder Select fields for new level Felder für die neue Ebene auswählen File saved Datei gespeichert Pa&ste Plain Text Nu&r Text einfügen Paste C&hild Kind Knoten einfügen Paste a child node from the clipboard Kind Knoten von der Zwischenablage einfügen Paste Sibling &Before Füge Geschwister Knoten &davor Paste a sibling before selection Füge Geschwister Knoten vor Auswahl ein Paste Sibling &After Füge Geschwister Knoten d&ahinter Paste a sibling after selection Füge Geschwister Knoten hinter Auswahl ein Paste Cl&oned Child Füge geklonten Kind Knoten ein Paste a child clone from the clipboard Füge geklonten Kind Knoten von der Zwischenablage ein Paste Clo&ned Sibling Before Füge geklo&nten Geschwwister Knoten davor ein Paste a sibling clone before selection Füge Geschwister Knoten Klon vor der Auswahl ein Paste Clone&d Sibling After Füge geklonten Geschwister Knoten &danach ein Paste a sibling clone after selection Füge Geschwister Knoten Klon nach der Auswahl ein Clone All &Matched Nodes Klone alle &passenden Knoten Convert all matching nodes into clones Konvertiere alle passenden Knoten in Klone &Detach Clones Trenne Klone Detach all cloned nodes in current branches Trenne alle Klone Knoten im aktuellen Zweig S&wap Category Levels Tausche Kategorie Ebene Swap child and grandchild category nodes Tausche Kind und Enkel Kategorie Knoten Converted {0} branches into clones {0} Zweige in Klone konvertiert No identical nodes found Keine identischen Knoten gefunden Warning - file corruption! Skipped bad child references in the following nodes: Warnung - Datei Fehler! Überspringe fehlerhafte Kind Verweise in den folgenden Knoten: Spell check the tree's text data Rechtschreibprüfung für Text &Regenerate References Erstelle Verweise neu Force update of all conditional types & math fields Erzwinge Aktualisierung alle konditonalen Bedingungen & Mathematischen Feldern Insert &Date Insert current date as text treemaincontrol Warning: Could not create local socket Warnung - Socket kann nicht geöffnet werden Error - could not write config file to {} Fehler - Kann Konfigurationsdatei nicht auf {} schreiben Error - could not read file {0} Fehler - Kann Datei {0} nicht lesen Backup file "{}" exists. A previous session may have crashed Sicherheitskopie {} existiert. Eine vorherige Sitzung ist möglicherweise abgestürzt &Restore Backup Sicherungskopie &wiederherstellen &Delete Backup Sicherungskopie &löschen &Cancel File Open Datei öffnen &abbrechen Error - could not rename "{0}" to "{1}" Fehler - Kann {0} nicht nach {1} umbenennen Error - could not remove backup file {} Fehler - Kann Sicherheitskopie {} nicht entfernen &New... &Neu... New File Neue Datei Start a new file Eine neue Datei öffnen &Open... &Öffnen... Open File Datei öffnen Open a file from disk Datei von Datenträger öffnen Open Sa&mple... &Beispiele... Open Sample Beispiel öffnen Open a sample file Eine Beispieldatei öffnen &Import... &Importieren... Open a non-TreeLine file Eine nicht TreeLine Datei laden &Quit &Beenden Exit the application Die Anwendung beenden &Select All &Alles auswählen Select all text in an editor Gesamten Text im Editor auswählen &Configure Data Types... &Datentypen konfigurieren... Modify data types, fields & output lines Konfiguriere Datentypen, Felder und Ausgabezeilen Sor&t Nodes... Knoten&sortierung... Define node sort operations Knotensortierung definieren Update &Numbering... &Nummerierung anpassen... Update node numbering fields Die Nummerierung anpassen &Find Text... &Suche Text... Find text in node titles & data Text in Knoten suchen &Conditional Find... &Bedingtes Suchen... Use field conditions to find nodes Feldbasierte Bedingungen verwenden um Knoten zu finden Find and &Replace... Suchen und &Ersetzen... Replace text strings in node data Text in Knoten ersetzen &Text Filter... &Textfilter... Filter nodes to only show text matches Knoten filtern auf übereinstimmenden Text C&onditional Filter... &Bedingter Filter... Use field conditions to filter nodes Feldbasierte Bedingungen verwenden &General Options... Allgemeine &Einstellungen... Set user preferences for all files Benutzereinstellungen für alle Dateien Set &Keyboard Shortcuts... &Tastaturkürzel konfigurieren... Customize keyboard commands Tastaturkürzel anpassen C&ustomize Toolbars... &Symbolleiste anpassen... Customize toolbar buttons Symbolleiste Aktionen anpassen Customize Fo&nts... &Schriftarten anpassen... Customize fonts in various views Schriftarten der Ansichten anpassen &Basic Usage... &Grundlegende Verwendung... Display basic usage instructions Grundlegende Anleitungen anzeigen &Full Documentation... &Umfassende Dokumentation... Open a TreeLine file with full documentation TreeLine Datei mit umfassender Dokumentation anzeigen &About TreeLine... Über &TreeLine... Display version info about this program Versionsinformationen zum Programm anzeigen &Select Template &Vorlagenauswahl TreeLine - Open File TreeLine - Datei Öffnen Open Sample File Beispieldatei öffnen &Select Sample &Beispiel auswählen Conditional Find Bedingtes suchen Conditional Filter Bedingter Filter General Options Allgemeine Einstellungen Error - basic help file not found Fehler - Grundlegende Hilfedatei nicht gefunden TreeLine Basic Usage TreeLine grundlegende Verwendung Error - documentation file not found Fehler - Dokumentation nicht gefunden Error - invalid TreeLine file {0} Fehler - ungültige TreeLine Datei {0} TreeLine version {0} TreeLine Version {0} written by {0} geschrieben von {0} Library versions: Bibliothek Versionen: missing directory fehlendes Verzeichnis Show C&onfiguration Structure... Zeige Struktur der Konfiguration Show read-only visualization of type structure Zeige nur-lesende Visualisierung der Typ Struktur Custo&mize Colors... Customize GUI colors and themes treemodel treenode New Neu treeopener treestructure Main Hauptprogramm treeview Filtering by "{0}", found {1} nodes Filtern nach {0}, {1} Knoten gefunden Conditional filtering, found {0} nodes Bedingtes Filter hat {0} Knoten gefunden Search for: Suche nach: Search for: {0} Suche nach: {0} Search for: {0} (not found) Suche nach: {0} (nicht gefunden) Next: {0} Nächste: {0} Next: {0} (not found) Nächste: {0} (nicht gefunden) treewindow Data Output Datenansicht Data Edit Datenbearbeitung Title List Überschriftsliste &Expand Full Branch Teilbaum vollständig &expandieren Expand all children of the selected nodes Alle Kinder der selektierten Knoten expandieren &Collapse Full Branch Teilbaum vollständig &einklappen Collapse all children of the selected nodes Alle Kinder der selektierten Knoten einklappen &Previous Selection &Vorherige Auswahl Return to the previous tree selection Zu der vorherigen Selektion zurückkehren &Next Selection &Nachfolgende Auswahl Go to the next tree selection in history Die folgende Selektion wieder aktivieren Show Data &Output &Ansicht anzeigen Show data output in right view Die Daten-Ansicht in der rechten Fensterhälfte anzeigen Show Data &Editor Edit&or anzeigen Show data editor in right view Den Editor in der rechten Fensterhälfte anzeigen Show &Title List &Überschriftsliste anzeigen Show title list in right view Die Überschriften-Liste in der rechten Fensterhälfte anzeigen &Show Child Pane &Kinder mit anzeigen Toggle showing right-hand child views Die Kinder in der Ausgabeansicht mit anzeigen Toggle showing output view indented descendants Die Kunde in der Ausgabeansicht eingerückt anzeigen &Close Window Fenster &schließen Close this window Dieses Fenster schließen &File &Datei &Edit &Bearbeiten &Node &Knoten &Data Da&ten &Tools &Extras &View &Ansicht &Window &Fenster &Help &Hilfe Start Incremental Search Starte inkrementelle Suche Next Incremental Search Nächste inkrementelle Suche Previous Incremental Search Vorherige inkrementelle Suche Show &Breadcrumb View Zeige &Breadcrumb Ansicht Toggle showing breadcrumb ancestor view Umschalten zu Breadcrumb Vorfahren Ansicht Show Output &Descendants Kinder in der Ausgabe mit anzeigen Fo&rmat Fo&rmat colorset Dialog background color Dialog text color Text widget background color Text widget foreground color Selected item background color Selected item text color Link text color Tool tip background color Tool tip foreground color Button background color Button text color Disabled text foreground color Disabled button text color Color Settings Color Theme Farbschema Default system theme Dark theme Custom theme &OK &OK &Cancel &Abbrechen Custom Colors Theme Colors Select {0} color i18n/translations/treeline_ru.ts0000644000000000000000000056701414122217342015754 0ustar rootroot conditional starts with начинается с ends with заканчивается на contains содержит True Верно False Ложно and и or или [All Types] Node Type &Add New Rule &Добавить новое правило &Remove Rule &Удалить правило &OK &ОК &Cancel О&тмена Find &Previous Найти &предидущее Find &Next Найти &следующее &Filter &End Filter &Close &Закрыть No conditional matches were found Rule {0} Saved Rules Name: &Load &Save &Сохранить &Delete configdialog Configure Data Types Настроить типы данных T&ype List Field &List &Field Config &Show Advanced &OK &ОК &Apply &Reset &Cancel О&тмена Add or Remove Data Types &New Type... Co&py Type... &Delete Type &Удалить тип Add Type Добавить тип Enter new type name: Введите новое имя типа: Rename Type Переименовать тип Cannot delete data type being used by nodes Нельзя удалять типы, уже используемые узлами &Data Type Тип &Данных Icon Change &Icon Изменить &пиктограмму Derived from &Generic Type Automatic Types Автоматические типы Modify Co&nditional Types Create Co&nditional Types Set Types Conditionally Задать типы условий Name Имя Type Тип Move &Up Переместить &вверх Move Do&wn Переместить в&низ &New Field... &Новое поле... Add Field Добавить поле Enter new field name: Введите новое имя поля: Rename Field Переименовать поле F&ield Format &Help Extra Text Дополнительный текст &Prefix Suffi&x Editor Height Высота редактора Num&ber of text lines File Info Reference Ссылка на информацию о файле Parent Reference Ссылка на родителя Child Reference Ссылка на потомка Child Count F&ield List Other Field References Copy Type Копировать тип Set Data Type Icon Установить пиктограмму для типа данных Clear &Select &Очистить выделение Typ&e Config O&utput &Hide Advanced Error - circular reference in math field equations Rena&me Type... &Derive from original Rename from {} to: [None] no type set [Нет] Default Child &Type Output Options Add &blank lines between nodes Allow &HTML rich text in format Add text bullet&s Use a table for field &data Combination && Child List Output &Separator None Нет Modify &Field List Sort Key Move U&p Rena&me Field... Dele&te Field Sort &Keys... fwd rev &Field Type Outpu&t Format Default &Value for New Nodes Math Equation Define Equation &Title Format Out&put Format Reference Le&vel Refere&nce Type The name cannot be empty The name must start with a letter The name cannot start with "xml" The name cannot contain spaces The following characters are not allowed: {} The name was already used forward reverse Sort Key Fields Available &Fields &Sort Criteria Field Direction Направление &Move Down Flip &Direction Self Reference Root Reference Date Result Time Result add subtract multiply divide floor divide modulus power sum of items maximum minimum average absolute value square root natural logarithm base-10 logarithm factorial round to num digits lower integer higher integer truncated integer floating point sine of radians cosine of radians tangent of radians arc sine arc cosine arc tangent radians to degrees degrees to radians pi constant natural log constant Define Math Field Equation Field References Reference &Level Reference &Type Available &Field List &Result Type Description &Equation Equation error: {} Boolean Result Text Result Arithmetic Operators Comparison Operators Text Operators equal to less than greater than less than or equal to greater than or equal to not equal to true value, condition, false value true if 1st text arg starts with 2nd arg true if 1st text arg ends with 2nd arg true if 1st text arg contains 2nd arg concatenate text join text using 1st arg as separator convert text to upper case convert text to lower case in 1st arg, replace 2nd arg with 3rd arg Operations O&perator Type Oper&ator List logical and logical or Output HTML Evaluate &HTML tags Child Type Limits [All Types Available] &Select All Select &None Number Result Count Number of Children dataeditors Today's &Date &Open Link Open &Folder External Link Scheme &Browse for File File Path Type Absolute Relative Address Display Name &OK &ОК &Cancel О&тмена TreeLine - External Link File &Go to Target Internal Link &Open Picture Picture Link TreeLine - Picture File Set to &Now Clear &Link (Click link target in tree) link exports Bookmarks Закладки TreeLine - Export HTML TreeLine - Export Text Titles TreeLine - Export Plain Text TreeLine - Export Text Tables TreeLine - Export Generic XML TreeLine - Export TreeLine Subtree TreeLine - Export ODF Text TreeLine - Export HTML Bookmarks TreeLine - Export XBEL Bookmarks &HTML &Text &ODF Outline Book&marks &Single HTML page Single &HTML page with navigation pane Multiple HTML &pages with navigation pane Multiple HTML &data tables &Tabbed title text С &табуляцией заголовков &Unformatted output of all text &HTML format bookmarks &XBEL format bookmarks File Export Choose export format type Choose export format subtype Choose export options What to Export &Entire tree Selected &branches Selected &nodes Other Options &Only open node children Include &print header && footer &Columns Navigation pane &levels Error - export template files not found. Check your TreeLine installation. Error - cannot link to unsaved TreeLine file. Save the file and retry. Warning - no relative path from "{0}" to "{1}". Continue with absolute path? Parent Tree&Line &XML (generic) Live tree view, linked to TreeLine file (for web server) Live tree view, single file (embedded data) &Comma delimited (CSV) table of descendants (level numbers) Comma &delimited (CSV) table of children (single level) Tab &delimited table of children (&single level) &Old TreeLine (2.0.x) &TreeLine Subtree &Include root nodes Must select nodes prior to export fieldformat yes/no да/нет true/false верно/ложно T/F В/Л Y/N Д/Н Text Текст HtmlText OneLineText SpacedText Number Число Math Numbering Boolean Булевый Date Дата Time Время Choice Выбор AutoChoice Автовыбор Combination Комбинация AutoCombination ExternalLink InternalLink Внутренняя ссылка Picture Изображение RegularExpression Now Сейчас Optional Digit # Required Digit 0 Digit or Space (external) <space> Decimal Point . Decimal Comma , Space Separator (internal) <space> Optional Sign - Required Sign + Exponent (capital) E Exponent (small) e Number 1 Capital Letter A Small Letter a Capital Roman Numeral I Small Roman Numeral i Level Separator / Section Separator . "/" Character // "." Character .. Outline Example I../A../1../a)/i) Section Example 1.1.1.1 Separator / Example 1/2/3/4 Any Character . End of Text $ 0 Or More Repetitions * 1 Or More Repetitions + 0 Or 1 Repetitions ? Set of Numbers [0-9] Lower Case Letters [a-z] Upper Case Letters [A-Z] Not a Number [^0-9] Or | Escape a Special Character \ DateTime Day (1 or 2 digits) %-d Day (2 digits) %d Weekday Abbreviation %a Weekday Name %A Month (1 or 2 digits) %-m Month (2 digits) %m Month Abbreviation %b Month Name %B Year (2 digits) %y Year (4 digits) %Y Week Number (0 to 53) %-U Day of year (1 to 366) %-j Hour (0-23, 1 or 2 digits) %-H Hour (00-23, 2 digits) %H Hour (1-12, 1 or 2 digits) %-I Hour (01-12, 2 digits) %I Minute (1 or 2 digits) %-M Minute (2 digits) %M Second (1 or 2 digits) %-S Second (2 digits) %S Microseconds (6 digits) %f AM/PM %p Comma Separator \, Dot Separator \. DescendantCount genboolean true верно false ложно yes да no нет globalref TreeLine Files Файлы TreeLine TreeLine Files - Compressed Файлы TreeLine - сжатые TreeLine Files - Encrypted Файлы TreeLine - зашифрованные All Files Все файлы HTML Files Text Files Текстовые файлы XML Files Файлы XML ODF Text Files Treepad Files Файлы Treepad PDF Files CSV (Comma Delimited) Files All TreeLine Files Old TreeLine Files helpview &Back &Назад &Forward &Вперед &Home &Домой Find: Find &Previous Найти &предидущее Find &Next Найти &следующее Text string not found Строка не найдена Tools imports &Tab indented text, one node per line Tab delimited text table with header &row Plain text &paragraphs (blank line delimited) Treepad &file (text nodes only) &Файл Treepad (только текстовые узлы) &Generic XML (non-TreeLine file) Open &Document (ODF) outline &HTML bookmarks (Mozilla Format) &XML bookmarks (XBEL format) За&кладки XML (формат XBEL) FOLDER ПАПКА BOOKMARK ЗАКЛАДКА SEPARATOR РАЗДЕЛИТЕЛЬ Link Ссылка Text Текст Import File Choose Import Method Invalid File "{0}" is not a valid TreeLine file. Use an import filter? TreeLine - Import File Error - could not read file {0} Error - improper format in {0} TABLE Bookmarks Закладки Too many entries on Line {0} Plain text, one &node per line (CR delimited) Bad CSV format on Line {0} Co&mma delimited (CSV) text table with level column && header row Comma delimited (CSV) text table &with header row Other Old Tree&Line File (1.x or 2.x) Invalid level number on line {0} Invalid level structure matheval Illegal "{}" characters Child references must be combined in a function Illegal syntax in equation Illegal function present: {0} Illegal object type or operator: {0} miscdialogs &OK &ОК &Cancel О&тмена Fields Поля File Properties File Storage Устройство хранение &Use file compression Use file &encryption Spell Check Проверка орфографии Language code or dictionary (optional) Math Fields &Treat blank fields as zeros Encrypted File Password Пароль зашифрованного файла Type Password for "{0}": Type Password: Введите пароль: Re-Type Password: Повторите ввод пароля: Remember password during this session Помнить пароль на протяжении этой сессии Zero-length passwords are not permitted Пароль нулевой длины не допускается Re-typed password did not match Повторный ввод пароля не удался Default - Single Line Text &Search Text What to Search Full &data &Titles only How to Search &Key words Key full &words F&ull phrase &Regular expression Find Найти Find &Previous Найти &предидущее Find &Next Найти &следующее Filter &Filter &End Filter &Close &Закрыть Error - invalid regular expression Search string "{0}" not found Find and Replace Replacement &Text Any &match Full &words Re&gular expression &Node Type N&ode Fields &Find Next &Replace &Заменить Replace &All [All Types] [All Fields] Search text "{0}" not found Error - replacement failed Replaced {0} matches Sort Nodes What to Sort &Entire tree Selected &branches Selection's childre&n Selection's &siblings Sort Method &Predefined Key Fields Node &Titles Sort Direction &Forward &Вперед &Reverse &Apply Update Node Numbering What to Update &Selection's children Root Node Коренной узел Include top-level nodes Handling Nodes without Numbering Fields &Ignore and skip &Restart numbers for next siblings Reserve &numbers TreeLine Numbering No numbering fields were found in data types File Menu File Edit Menu Edit Node Menu Node Data Menu Data Tools Menu Tools View Menu View Window Menu Window Help Menu Help Keyboard Shortcuts &Restore Defaults Key {0} is already used Clear &Key --Separator-- Customize Toolbars Toolbar &Size Small Icons Large Icons Toolbar Quantity &Toolbars &Панели инструментов A&vailable Commands Tool&bar Commands Move &Up Переместить &вверх Move &Down Tree View Font Output View Font Editor View Font No menu TreeLine - Serious Error A serious error has occurred. TreeLine could be in an unstable state. Recommend saving any file changes under another filename and restart TreeLine. The debugging info shown below can be copied and emailed to doug101@bellz.org along with an explanation of the circumstances. Format Menu Format Customize Fonts &Use system default font App Default Font &Use app default font nodeformat Name Имя optiondefaults Monday Понедельник Tuesday Вторник Wednesday Среда Thursday Четверг Friday Пятница Saturday Суббота Sunday Воскресенье Startup Condition При запуске Automatically open last file used Автоматически открывать последний файл Show descendants in output view Restore tree view states of recent files Restore previous window geometry Features Available Доступные возможности Open files in new windows Click node to rename Rename new nodes when created Переименовывать узлы при создании Tree drag && drop available Поддержка drag && drop в дереве Show icons in the tree view Показывать пиктограммы Show math fields in the Data Edit view Show numbering fields in the Data Edit view Undo Memory Память отмен Number of undo levels Количество уровней отмены Auto Save Автосохранение Minutes between saves (set to 0 to disable) Recent Files Недавние файлы Number of recent files in the file menu Data Editor Formats Форматы редактора данных Times Время Dates Дата First day of week Appearance Внешний вид Child indent offset (in font height units) Show breadcrumb ancestor view Show child pane in right hand views Remove inaccessible recent file entries Activate data editors on mouse hover Minimize application to system tray Indent (pretty print) TreeLine JSON files Limit data editor height to window size options Choose configuration file location User's home directory (recommended) Program directory (for portable use) &OK &ОК &Cancel О&тмена printdata Error initializing printer TreeLine - Export PDF Warning: Page size and margin settings unsupported on current printer. Save page adjustments? Warning: Page size setting unsupported on current printer. Save adjustment? Warning: Margin settings unsupported on current printer. Save adjustments? printdialogs Print Preview Предпросмотр печати &Print... Пе&чать... &General Options &Font Selection &Header/Footer Print Pre&view... &OK &ОК &Cancel О&тмена What to print &Entire tree Selected &branches Selected &nodes Features Дополнительные возможности &Include root node Включая &корень &Keep first child with parent Letter (8.5 x 11 in.) Legal (8.5 x 14 in.) Tabloid (11 x 17 in.) A3 (279 x 420 mm) A4 (210 x 297 mm) A5 (148 x 210 mm) Paper &Size Orientation &Units Columns Колонки &Number of columns Default Font Select Font &Font Font st&yle Sample &Header Left Заголовок в&лево Header C&enter Заголовок по &центру Footer &Left Footer Ce&nter Сноска по цент&ру Fiel&ds &Поля Header and Footer Заголовок и сноска Extra Text Дополнительный текст &Prefix Format &Help Fit Width Fit Page Zoom In Zoom Out Previous Page Next Page Single Page Facing Pages Print Setup Print Printing Setup Page &Setup Included Nodes Onl&y open node children &Draw lines to children Indent Indent Offse&t (line height units) Custom Size Inches (in) Millimeters (mm) Centimeters (cm) &Width: Height: Portra&it Lan&dscape Margins &Left: &Top: &Right: &Bottom: He&ader: Foot&er: Space between colu&mns &Use TreeLine output view font Si&ze AaBbCcDdEeFfGg...TtUuVvWvXxYyZz Header &Right Footer Righ&t Field For&mat Field Format for "{0}" Output &Format &Suffix Error: Page size or margins are invalid TreeLine PDF Printer Select &Printer recentfiles spellcheck Could not find either aspell.exe, ispell.exe or hunspell.exe Browse for location? Spell Check Error Locate aspell.exe, ipsell.exe or hunspell.exe Program (*.exe) Программа (*.exe) TreeLine Spell Check Error Make sure aspell, ispell or hunspell is installed TreeLine Spell Check Проверка орфографии Finished spell checking Spell Check Проверка орфографии Not in Dictionary Не в словаре Word: Слово: Context: Контекст: Suggestions Предложение Ignor&e &Игнорировать &Ignore All Игнорировать &все &Add &Добавить Add &Lowercase Добавить &прописные &Replace &Заменить Re&place All Заменить &все &Cancel О&тмена Finished checking the branch Continue from the top? titlelistview Select in Tree treeformats DEFAULT СТАНДАРТ FILE TYPE FIELD FieldType TitleFormat OutputFormat SpaceBetween FormatHtml Bullets Table ChildType Icon GenericType ConditionalRule ListSeparator ChildTypeLimit Format Prefix Suffix InitialValue NumLines SortKeyNum SortForward EvalHtml treelocalcontrol Error - could not delete backup file {} Save changes to {}? Save changes? Сохранить изменения? &Save &Сохранить Save File Сохранить файл Save the current file Save &As... Сохранить &как... Save the file with a new name Сохранить файл с новым именем &Export... &Экспорт... Export the file in various other formats Prop&erties... Set file parameters like compression and encryption P&rint Setup... Set margins, page size and other printing options Print Pre&view... Show a preview of printing results &Print... Пе&чать... Print tree output based on current options Print &to PDF... Export to PDF with current printing options &Undo О&тменить Undo the previous action Отменить последнее действие &Redo &Повторить Redo the previous undo Повторить последнее действие Cu&t Вы&резать Cut the branch or text to the clipboard Вырезать ветвь или текст в буфер обмена &Copy &Копировать Copy the branch or text to the clipboard Копировать ветвь или текст в буфер обмена &Paste &Вставить Paste nodes or text from the clipboard Вставить узлы или текст из буфера обмена Paste non-formatted text from the clipboard &Bold Font Set the current or selected font to bold &Italic Font Set the current or selected font to italic U&nderline Font Set the current or selected font to underline &Font Size Set size of the current or selected text Small Default Large Larger Largest Set Font Size Font C&olor... Set the color of the current or selected text &External Link... Add or modify an extrnal web link Internal &Link... Add or modify an internal node link Clear For&matting Clear current or selected text formatting &Rename Rename the current tree entry title Insert Sibling &Before Вставить родственника &перед Insert new sibling before selection Вставить нового родственника перед выделением Insert Sibling &After Вставить родственника &после Insert new sibling after selection Вставить нового родственника после выделения Add &Child Add new child to selected parent &Delete Node &Удалить узлы Delete the selected nodes Удалить выбранные узлы &Indent Node Сдвинуть узел в&право Indent the selected nodes Сдвинуть выделенные узлы вправо &Unindent Node Unindent the selected nodes Сдвинуть выделенные узлы влево &Move Up Переместить &вверх Move the selected nodes up Переместить выделенные узлы вверх M&ove Down Переместить в&низ Move the selected nodes down Переместить выделенные узлы вниз Move &First Move the selected nodes to be the first children Move &Last Move the selected nodes to be the last children &Set Node Type Set the node type for selected nodes Set Node Type Copy Types from &File... Copy the configuration from another TreeLine file Копировать конфигурацию из другого файла TreeLine Flatten &by Category Collapse descendants by merging fields Add Category &Level... Insert category nodes above children Добавить узлы категорий перед потомками &Spell Check... &New Window Open a new window for the same file Error - could not write to {} TreeLine - Save As Error - could not write to file TreeLine - Open Configuration File Error - could not read file {0} Cannot expand without common fields Невозможно развернуть без общих полей Category Fields Категории полей Select fields for new level Выбор полей для нового уровня File saved Pa&ste Plain Text Paste C&hild Paste a child node from the clipboard Paste Sibling &Before Paste a sibling before selection Paste Sibling &After Paste a sibling after selection Paste Cl&oned Child Paste a child clone from the clipboard Paste Clo&ned Sibling Before Paste a sibling clone before selection Paste Clone&d Sibling After Paste a sibling clone after selection Clone All &Matched Nodes Convert all matching nodes into clones &Detach Clones Detach all cloned nodes in current branches S&wap Category Levels Swap child and grandchild category nodes Converted {0} branches into clones No identical nodes found Warning - file corruption! Skipped bad child references in the following nodes: Spell check the tree's text data &Regenerate References Force update of all conditional types & math fields Insert &Date Insert current date as text treemaincontrol Warning: Could not create local socket Error - could not write config file to {} Error - could not read file {0} Backup file "{}" exists. A previous session may have crashed &Restore Backup Восстановить из &резервной копии &Delete Backup &Удалить резервную копию &Cancel File Open О&тменить открытие файла Error - could not rename "{0}" to "{1}" Error - could not remove backup file {} &New... New File Новый файл Start a new file Создать новый файл &Open... &Открыть... Open File Открыть файл Open a file from disk Открыть файл с диска Open Sa&mple... Открыть &пример... Open Sample Open a sample file &Import... Open a non-TreeLine file &Quit В&ыход Exit the application Выйти из приложения &Select All Select all text in an editor &Configure Data Types... Наст&роить типы данных... Modify data types, fields & output lines Sor&t Nodes... Define node sort operations Update &Numbering... Update node numbering fields &Find Text... Find text in node titles & data &Conditional Find... Use field conditions to find nodes Find and &Replace... Replace text strings in node data &Text Filter... Filter nodes to only show text matches C&onditional Filter... Use field conditions to filter nodes &General Options... Основные наст&ройки... Set user preferences for all files Задать пользовательские парметры для всех файлов Set &Keyboard Shortcuts... Customize keyboard commands C&ustomize Toolbars... Customize toolbar buttons Customize Fo&nts... Customize fonts in various views &Basic Usage... Display basic usage instructions &Full Documentation... Open a TreeLine file with full documentation &About TreeLine... Display version info about this program &Select Template TreeLine - Open File Open Sample File &Select Sample Conditional Find Conditional Filter General Options Основные настройки Error - basic help file not found TreeLine Basic Usage Error - documentation file not found Error - invalid TreeLine file {0} TreeLine version {0} written by {0} Library versions: missing directory Show C&onfiguration Structure... Show read-only visualization of type structure Custo&mize Colors... Customize GUI colors and themes treemodel treenode New Новый treestructure Main Корень treeview Filtering by "{0}", found {1} nodes Conditional filtering, found {0} nodes Search for: Search for: {0} Search for: {0} (not found) Next: {0} Next: {0} (not found) treewindow Data Output Data Edit Title List &Expand Full Branch &Развернуть всю ветвь Expand all children of the selected nodes &Collapse Full Branch &Свернуть всю ветвь Collapse all children of the selected nodes &Previous Selection Return to the previous tree selection &Next Selection Go to the next tree selection in history Show Data &Output Show data output in right view Показать вывод данных в правом виде Show Data &Editor Показать &редактор данных Show data editor in right view Показать редактор данных в правом виде Show &Title List Show title list in right view Показать заголовков в правом виде &Show Child Pane Toggle showing right-hand child views Toggle showing output view indented descendants &Close Window Close this window &File &Файл &Edit &Правка &Node &Data &Данные &Tools &Инструменты &View &Вид &Window &Help &Справка Start Incremental Search Next Incremental Search Previous Incremental Search Show &Breadcrumb View Toggle showing breadcrumb ancestor view Show Output &Descendants Fo&rmat colorset Dialog background color Dialog text color Text widget background color Text widget foreground color Selected item background color Selected item text color Link text color Tool tip background color Tool tip foreground color Button background color Button text color Disabled text foreground color Disabled button text color Color Settings Color Theme Default system theme Dark theme Custom theme &OK &ОК &Cancel О&тмена Custom Colors Theme Colors Select {0} color