zim-0.68-rc1/0000755000175000017500000000000013224751170012603 5ustar jaapjaap00000000000000zim-0.68-rc1/contrib/0000755000175000017500000000000013224751170014243 5ustar jaapjaap00000000000000zim-0.68-rc1/contrib/zim2trac.py0000644000175000017500000001210713213504564016352 0ustar jaapjaap00000000000000# -*- coding: utf-8 -*- # Copyright 2009 Pablo Angulo '''Script to export zim wiki pages to trac / mediawiki To use it, call python trac2zim.py notebook output_folder prefix where prefix is a string you put before each wiki page name. It will fill output_folder with plain text files ready to be loaded with trac-admin: trac-admin /path/to/project wiki load output_folder zim links like [[:Software:note taking:zim|zim]] are flattened to wiki entries like [Software_note_taking_zim zim]. ''' import re import sys import os #buscaCabeceras=re.compile('(={1:5})([^=]*)(={1:5})') def flatten(linkName): '''Changes a zim link, possibly with categories, to a trac link it also removes accents and other spanish special characters ''' #remove final ':' character and name = linkName[:-1] if linkName[-1] == ':' else linkName return removeSpecialChars(name.replace(':', '_').replace(' ', '_')) def removeSpecialChars(s): '''certain trac installation reported problems with special chars other trac systems loaded all files without problem the problem is only for file names and wiki pages names, not for content ''' return s.replace('á', 'a').replace('é', 'e').replace('í', 'i').replace('ó', 'o').replace('ú', 'u').replace('ñ', 'n').replace('Á', 'A').replace('É', 'E').replace('Í', 'I').replace('Ó', 'O').replace('Ú', 'U').replace('Ñ', 'ñ') cabecera = re.compile("(={1,6})([^=\/]+?)(={1,6})") inlineVerbatim = re.compile("''([^']+?)''") #~ multilineVerbatim=re.compile("\n[\t](.+?)\n") negrita = re.compile('\*\*([^\*]+?)\*\*') italic = re.compile('\/\/([^\/\n\]]+?)\/\/') bracketedURL = re.compile('\[\[(http:\/\/[^\|]+)\|([^\|]+?)\]\]') #TODO: separar links relativos y absolutos simpleRelLink = re.compile('\[\[([^:][^\|]+?)\]\]') namedRelLink = re.compile('\[\[([^:][^\|]+?)\|([^\|]+?)\]\]') simpleAbsLink = re.compile('\[\[:([^\|]+?)\]\]') namedAbsLink = re.compile('\[\[:([^\|]+?)\|([^\|]+?)\]\]') images = re.compile('([^\{])\{\{\/(.+?)\}\}') def translate(nota, prefix1, prefix2): '''Takes a note in zim format and returns a note in trac format ''' #duplicate all line breaks nota = nota.replace('\n', '\n\n') # Headings mm = cabecera.search(nota) lista = [] lastIndex = 0 while mm: lista.append(nota[lastIndex:mm.start()]) gg = mm.groups() iguales = len(gg[0]) lista.append("=" * (7 - iguales) + gg[1] + "=" * (7 - iguales)) lastIndex = mm.end() mm = cabecera.search(nota, lastIndex) lista.append(nota[lastIndex:]) nota = ''.join(lista) #inlineVerbatim nota = inlineVerbatim.sub("{{{\\1}}}", nota) #multiline verbatim #TODO #bold nota = negrita.sub("'''\\1'''", nota) #italic nota = italic.sub("''\\1''", nota) #bracketedURL nota = bracketedURL.sub("[\\1 \\2]", nota) #~ #simple links #~ nota=simpleLink.sub("[wiki:\\1]",nota) #~ #named links #~ nota=namedLink.sub("[wiki:\\1 \\2]",nota) #simple relative links mm = simpleRelLink.search(nota) lista = [] lastIndex = 0 while mm: lista.append(nota[lastIndex:mm.start()]) gg0 = mm.groups()[0] lista.append("[wiki:" + prefix1 + prefix2 + flatten(gg0) + " " + gg0 + "]") lastIndex = mm.end() mm = simpleRelLink.search(nota, lastIndex) lista.append(nota[lastIndex:]) nota = ''.join(lista) mm = simpleAbsLink.search(nota) lista = [] lastIndex = 0 while mm: lista.append(nota[lastIndex:mm.start()]) gg0 = mm.groups()[0] lista.append("[wiki:" + prefix1 + flatten(gg0) + " " + gg0 + "]") lastIndex = mm.end() mm = simpleAbsLink.search(nota, lastIndex) lista.append(nota[lastIndex:]) nota = ''.join(lista) #named relativelinks mm = namedRelLink.search(nota) lista = [] lastIndex = 0 while mm: lista.append(nota[lastIndex:mm.start()]) gg = mm.groups() lista.append("[wiki:" + prefix1 + prefix2 + flatten(gg[0]) + " " + gg[1] + "]") lastIndex = mm.end() mm = namedRelLink.search(nota, lastIndex) lista.append(nota[lastIndex:]) nota = ''.join(lista) #named absolute links mm = namedAbsLink.search(nota) lista = [] lastIndex = 0 while mm: lista.append(nota[lastIndex:mm.start()]) gg = mm.groups() lista.append("[wiki:" + prefix1 + flatten(gg[0]) + " " + gg[1] + "]") lastIndex = mm.end() mm = namedAbsLink.search(nota, lastIndex) lista.append(nota[lastIndex:]) nota = ''.join(lista) #lists nota = nota.replace('\n* ', '\n * ') #images nota = images.sub("\\1[[Image(\\2)]]", nota) return nota def processPath(pathin, pathout, prefix1, prefix2=''): for archivo in os.listdir(pathin): fullPath = os.path.join(pathin, archivo) if archivo[-3:] == 'txt': fichero = open(fullPath, mode='r') nota = fichero.read() fichero.close() nota_out = translate(nota, prefix1, prefix2) #~ nameout= prefix+"_"+archivo[:-4] if prefix else archivo[:-4] fichero = open(os.path.join(pathout, prefix1 + prefix2 + removeSpecialChars(archivo[:-4])), mode='w') fichero.write(nota_out) fichero.close() elif os.path.isdir(fullPath): print pathin, archivo, fullPath processPath(fullPath, pathout, prefix1, prefix2 + removeSpecialChars(archivo) + "_") if __name__ == '__main__': pathin = sys.argv[1] pathout = sys.argv[2] prefix = sys.argv[3] processPath(pathin, pathout, prefix) zim-0.68-rc1/setup.py0000755000175000017500000002324413224745654014337 0ustar jaapjaap00000000000000#!/usr/bin/env python import os import sys import shutil import subprocess try: import py2exe except ImportError: py2exe = None from distutils.core import setup from distutils.command.sdist import sdist as sdist_class from distutils.command.build import build as build_class from distutils.command.build_scripts import build_scripts as build_scripts_class from distutils.command.install import install as install_class from distutils import cmd from distutils import dep_util from zim import __version__, __url__ import msgfmt # also distributed with zim import makeman # helper script try: version_info = sys.version_info assert version_info >= (2, 6) assert version_info < (3, 0) except: print >> sys.stderr, 'zim needs python >= 2.6 (but < 3.0)' sys.exit(1) # Get environment parameter for building for maemo # We don't use auto-detection here because we want to be able to # cross-compile a maemo package on another platform build_target = os.environ.get('ZIM_BUILD_TARGET') assert build_target in (None, 'maemo'), 'Unknown value for ZIM_BUILD_TARGET: %s' % build_target if build_target == 'maemo': print 'Building for Maemo...' # Some constants PO_FOLDER = 'translations' LOCALE_FOLDER = 'locale' # Helper routines def collect_packages(): # Search for python packages below zim/ packages = [] for dir, dirs, files in os.walk('zim'): if '__init__.py' in files: package = '.'.join(dir.split(os.sep)) packages.append(package) #~ print 'Pakages: ', packages return packages def get_mopath(pofile): # Function to determine right locale path for a .po file lang = os.path.basename(pofile)[:-3] # len('.po') == 3 modir = os.path.join(LOCALE_FOLDER, lang, 'LC_MESSAGES') mofile = os.path.join(modir, 'zim.mo') return modir, mofile def include_file(file): # Check to exclude hidden and temp files if file.startswith('.'): return False else: for ext in ('~', '.bak', '.swp', '.pyc'): if file.endswith(ext): return False return True def collect_data_files(): # Search for data files to be installed in share/ data_files = [ ('share/man/man1', ['man/zim.1']), ('share/applications', ['xdg/zim.desktop']), ('share/mime/packages', ['xdg/zim.xml']), ('share/pixmaps', ['xdg/hicolor/48x48/apps/zim.png']), ('share/metainfo', ['xdg/org.zim-wiki.Zim.metainfo.xml']), ] # xdg/hicolor -> PREFIX/share/icons/hicolor for dir, dirs, files in os.walk('xdg/hicolor'): if files: target = os.path.join('share', 'icons', dir[4:]) files = [os.path.join(dir, f) for f in files] data_files.append((target, files)) # mono icons -> PREFIX/share/icons/ubuntu-mono-light | -dark for theme in ('ubuntu-mono-light', 'ubuntu-mono-dark'): file = os.path.join('icons', theme, 'zim-panel.svg') target = os.path.join('share', 'icons', theme, 'apps', '22') data_files.append((target, [file])) # data -> PREFIX/share/zim for dir, dirs, files in os.walk('data'): if '.zim' in dirs: dirs.remove('.zim') target = os.path.join('share', 'zim', dir[5:]) if files: files = filter(include_file, files) files = [os.path.join(dir, f) for f in files] data_files.append((target, files)) if build_target == 'maemo': # Remove default .desktop files and replace with our set prefix = os.path.join('share', 'zim', 'applications') for i in reversed(range(len(data_files))): if data_files[i][0].startswith(prefix): data_files.pop(i) files = ['maemo/applications/%s' % f for f in os.listdir('maemo/applications') if f.endswith('.desktop')] data_files.append((prefix, files)) # .po files -> PREFIX/share/locale/.. for pofile in [f for f in os.listdir(PO_FOLDER) if f.endswith('.po')]: pofile = os.path.join(PO_FOLDER, pofile) modir, mofile = get_mopath(pofile) target = os.path.join('share', modir) data_files.append((target, [mofile])) #~ import pprint #~ print 'Data files: ' #~ pprint.pprint(data_files) return data_files def fix_dist(): # Try to update version info if os.path.exists('.bzr/'): print 'updating bzr version-info...' os.system('bzr version-info --format python > zim/_version.py') # Generate man page makeman.make() # Add the changelog to the manual # print 'copying CHANGELOG.txt -> data/manual/Changelog.txt' # shutil.copy('CHANGELOG.txt', 'data/manual/Changelog.txt') # Copy the zim icons a couple of times # Paths for mimeicons taken from xdg-icon-resource # xdg-icon-resource installs: # /usr/local/share/icons/hicolor/.../mimetypes/gnome-mime-application-x-zim-notebook.png # /usr/local/share/icons/hicolor/.../mimetypes/application-x-zim-notebook.png # /usr/local/share/icons/hicolor/.../apps/zim.png if os.path.exists('xdg/hicolor'): shutil.rmtree('xdg/hicolor') os.makedirs('xdg/hicolor/scalable/apps') os.makedirs('xdg/hicolor/scalable/mimetypes') for name in ( 'apps/zim.svg', 'mimetypes/gnome-mime-application-x-zim-notebook.svg', 'mimetypes/application-x-zim-notebook.svg' ): shutil.copy('icons/zim48.svg', 'xdg/hicolor/scalable/' + name) for size in ('16', '22', '24', '32', '48'): dir = size + 'x' + size os.makedirs('xdg/hicolor/%s/apps' % dir) os.makedirs('xdg/hicolor/%s/mimetypes' % dir) for name in ( 'apps/zim.png', 'mimetypes/gnome-mime-application-x-zim-notebook.png', 'mimetypes/application-x-zim-notebook.png' ): shutil.copy('icons/zim%s.png' % size, 'xdg/hicolor/' + dir + '/' + name) # Overloaded commands class zim_sdist_class(sdist_class): # Command to build source distribution # make sure _version.py gets build and included def initialize_options(self): sdist_class.initialize_options(self) self.force_manifest = 1 # always re-generate MANIFEST def run(self): fix_dist() sdist_class.run(self) class zim_build_trans_class(cmd.Command): # Compile mo files description = 'Build translation files' user_options = [] def initialize_options(self): pass def finalize_options(self): pass def run(self): for pofile in [f for f in os.listdir(PO_FOLDER) if f.endswith('.po')]: pofile = os.path.join(PO_FOLDER, pofile) modir, mofile = get_mopath(pofile) if not os.path.isdir(modir): os.makedirs(modir) if not os.path.isfile(mofile) or dep_util.newer(pofile, mofile): print 'compiling %s' % mofile msgfmt.make(pofile, mofile) else: #~ print 'skipping %s - up to date' % mofile pass class zim_build_scripts_class(build_scripts_class): # Adjust bin/zim.py -> bin/zim def run(self): build_scripts_class.run(self) if os.name == 'posix' and not self.dry_run: for script in self.scripts: if script.endswith('.py'): file = os.path.join(self.build_dir, script) print 'renaming %s to %s' % (file, file[:-3]) os.rename(file, file[:-3]) # len('.py') == 3 class zim_build_class(build_class): # Generate _version.py etc. and call build_trans as a subcommand # And put list of default plugins in zim/plugins/__init__.py sub_commands = build_class.sub_commands + [('build_trans', None)] def run(self): fix_dist() build_class.run(self) ## Set default plugins plugins = [] for name in os.listdir('./zim/plugins'): if name.startswith('_') or name == 'base': continue elif '.' in name: if name.endswith('.py'): name, x = name.rsplit('.', 1) plugins.append(name) else: continue else: plugins.append(name) assert len(plugins) > 20, 'Did not find plugins' file = os.path.join(self.build_lib, 'zim', 'plugins', '__init__.py') print 'Setting plugin list in %s' % file assert os.path.isfile(file) fh = open(file) lines = fh.readlines() fh.read() for i, line in enumerate(lines): if line.startswith('\t\tplugins = set('): lines[i] = '\t\tplugins = set(%r) # DEFAULT PLUGINS COMPILED IN BY SETUP.PY\n' % sorted(plugins) break else: assert False, 'Missed line for plugin list' fh = open(file, 'w') fh.writelines(lines) fh.close() class zim_install_class(install_class): user_options = install_class.user_options + \ [('skip-xdg-cmd', None, "don't run XDG update commands (for packaging)")] boolean_options = install_class.boolean_options + \ ['skip-xdg-cmd'] def initialize_options(self): install_class.initialize_options(self) self.skip_xdg_cmd = 0 def run(self): install_class.run(self) if not self.skip_xdg_cmd: # Try XDG tools mimedir = os.path.join(self.install_data, 'share', 'mime') for cmd in ( ('update-desktop-database',), ('update-mime-database', mimedir), ): print 'Trying: ' + ' '.join(cmd) subprocess.call(cmd) # Distutils parameters, and main function dependencies = ['gobject', 'gtk', 'xdg'] if version_info == (2, 5): dependencies.append('simplejson') if build_target == 'maemo': scripts = ['zim.py', 'maemo/modest-mailto.sh'] else: scripts = ['zim.py'] if py2exe: py2exeoptions = { 'windows': [{ 'script': 'zim.py', 'icon_resources': [(1, 'icons/zim.ico')] # Windows 16x16, 32x32, and 48x48 icon based on PNG }], 'zipfile': None, 'options': { 'py2exe': { 'compressed': 1, 'optimize': 2, 'ascii': 1, 'bundle_files': 3, 'packages': ['encodings', 'cairo', 'atk', 'pangocairo', 'zim'], 'dll_excludes': { 'DNSAPI.DLL' }, 'excludes': ['Tkconstants', 'Tkinter', 'tcl'] } } } else: py2exeoptions = {} setup( # wire overload commands cmdclass = { 'sdist': zim_sdist_class, 'build': zim_build_class, 'build_trans': zim_build_trans_class, 'build_scripts': zim_build_scripts_class, 'install': zim_install_class, }, # provide package properties name = 'zim', version = __version__, description = 'Zim desktop wiki', author = 'Jaap Karssenberg', author_email = 'jaap.karssenberg@gmail.com', license = 'GPL v2+', url = __url__, scripts = scripts, packages = collect_packages(), data_files = collect_data_files(), requires = dependencies, **py2exeoptions ) zim-0.68-rc1/test.py0000755000175000017500000001212013213532260014126 0ustar jaapjaap00000000000000#!/usr/bin/python # -*- coding: utf-8 -*- # This is a wrapper script to run tests using the unittest # framework. It setups the environment properly and defines some # commandline options for running tests. # # Copyright 2008 Jaap Karssenberg import os import sys import shutil import getopt import logging import tests from tests import unittest try: import coverage except ImportError: coverage = None def main(argv=None): '''Run either all tests, or those specified in argv''' if argv is None: argv = sys.argv # parse options covreport = False failfast = False loglevel = logging.WARNING opts, args = getopt.gnu_getopt(argv[1:], 'hVD', ['help', 'coverage', 'fast', 'failfast', 'ff', 'full', 'debug', 'verbose']) for o, a in opts: if o in ('-h', '--help'): print '''\ usage: %s [OPTIONS] [MODULES] Where MODULE should a module name from ./tests/ If no module is given the whole test suite is run. Options: -h, --help print this text --fast skip a number of slower tests and mock filesystem --failfast stop after the first test that fails --ff alias for "--fast --failfast" --full full test for using filesystem without mock --coverage report test coverage statistics -V, --verbose run with verbose output from logging -D, --debug run with debug output from logging ''' % argv[0] return elif o == '--coverage': if coverage: covreport = True else: print >>sys.stderr, '''\ Can not run test coverage without module 'coverage'. On Ubuntu or Debian install package 'python-coverage'. ''' sys.exit(1) elif o == '--fast': tests.FAST_TEST = True # set before any test classes are loaded ! elif o == '--failfast': failfast = True elif o == '--ff': # --fast --failfast tests.FAST_TEST = True failfast = True elif o == '--full': tests.FULL_TEST = True elif o in ('-V', '--verbose'): loglevel = logging.INFO elif o in ('-D', '--debug'): loglevel = logging.DEBUG else: assert False, 'Unkown option: %s' % o # Start tracing if coverage: cov = coverage.coverage(source=['zim'], branch=True) cov.erase() # clean up old date set cov.exclude('assert ') cov.exclude('raise NotImplementedError') cov.start() # Set logging handler (don't use basicConfig here, we already installed stuff) handler = logging.StreamHandler() handler.setFormatter(logging.Formatter('%(levelname)s: %(message)s')) logger = logging.getLogger() logger.setLevel(loglevel) logger.addHandler(handler) #logging.captureWarnings(True) # FIXME - make all test pass with this enabled # Build the test suite loader = unittest.TestLoader() try: if args: suite = unittest.TestSuite() for name in args: module = name if name.startswith('tests.') else 'tests.' + name test = loader.loadTestsFromName(module) suite.addTest(test) else: suite = tests.load_tests(loader, None, None) except AttributeError as error: # HACK: unittest raises and attribute errors if import of test script # fails try to catch this and show the import error instead - else raise # original error import re m = re.match(r"'module' object has no attribute '(\w+)'", error.args[0]) if m: module = m.group(1) m = __import__('tests.' + module) # should raise ImportError raise error # And run it unittest.installHandler() # Fancy handling for ^C during test result = \ unittest.TextTestRunner(verbosity=2, failfast=failfast, descriptions=False).run(suite) # Check the modules were loaded from the right location # (so no testing based on modules from a previous installed version...) mylib = os.path.abspath('./zim') for module in [m for m in sys.modules.keys() if m == 'zim' or m.startswith('zim.')]: if sys.modules[module] is None: continue file = sys.modules[module].__file__ assert file.startswith(mylib), \ 'Module %s was loaded from %s' % (module, file) test_report(result, 'test_report.html') print '\nWrote test report to test_report.html\n' # Stop tracing if coverage: cov.stop() cov.save() # Create coverage output if asked to do so if covreport: print 'Writing coverage reports...' cov.html_report(directory='./coverage', omit=['zim/inc/*']) print 'Done - Coverage reports can be found in ./coverage/' def test_report(result, file): '''Produce html report of test failures''' output = open(file, 'w') output.write('''\ Zim unitest Test Report

Zim unitest Test Report

%i tests run
%i skipped
%i errors
%i failures


''' % ( result.testsRun, len(result.skipped), len(result.errors), len(result.failures), )) def escape_html(text): return text.replace('&', '&').replace('<', '<').replace('>', '>') def add_errors(flavour, errors): for test, err in errors: output.write("

%s: %s

\n" % (flavour, escape_html(result.getDescription(test)))) output.write("
%s\n
\n" % escape_html(err)) output.write("
\n") add_errors('ERROR', result.errors) add_errors('FAIL', result.failures) output.close() if __name__ == '__main__': main() zim-0.68-rc1/cgi-bin/0000755000175000017500000000000013224751170014113 5ustar jaapjaap00000000000000zim-0.68-rc1/cgi-bin/zim.cgi0000644000175000017500000000237413172160026015400 0ustar jaapjaap00000000000000#!/usr/bin/python # -*- coding: utf-8 -*- # Copyright 2008 Jaap Karssenberg # # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by # the Free Software Foundation; either version 2 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU General Public License for more details. # # You should have received a copy of the GNU General Public License # along with this program; if not, write to the Free Software # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, # MA 02110-1301, USA. '''Default cgi-bin script for zim. In order to use this you need to copy this script to your webserver's cgi-bin directory and edit the script to set the configuration. ''' from zim.config import data_dir config = { 'notebook': data_dir('manual'), #~ 'template': 'Default.html', } import logging logging.basicConfig(level=logging.INFO) from zim.www import WWWInterface from wsgiref.handlers import CGIHandler CGIHandler().run(WWWInterface(**config)) zim-0.68-rc1/icons/0000755000175000017500000000000013224751170013716 5ustar jaapjaap00000000000000zim-0.68-rc1/icons/zim16.png0000664000175000017500000000153113100604220015356 0ustar jaapjaap00000000000000PNG  IHDRasBIT|d pHYs B(xtEXtSoftwarewww.inkscape.org<IDAT8eMlTe}w)L F~E@B0%t BqɂDR 1jB?@@KNi8C3Ν}.؞9y{~sZbJF ^k9ik-:K k,p:1HhYĚ^5KvQ({*Z[V-FG(B|W=L(kJ\=sW»_a .v4cӓFF{EB埝}H4 ~=.:>ȗrx$q05K?F/oo:o%B@IF]Dk^x@ '`s _n޳2z^x8)Rk9;]_l:Q7ulE\|0 LȊTP4pV :zfGri^},W 6WL'-4 =5yAҌ\@כ ʌƒW|?b~SL= (+wr   hPNG  IHDR\rfqIDATx}$WuܓsܼZiw%* I($D6A |71&a,D!! Wiqr\[_U鞮+VOŮu KFf\ pنPt6Խ0Q/BVH~ظ_ZUT1lÏ_qi]*!u'jEXL}H7K,G@/qum2___oϊH|TSg*;k=YnR'F]Sk&Ymx?߾ջ(]dYn*uY~Vlvn'MG х־|UY1DHlW]%uY  B28-UI 2R'ŋ0d1 e2v@eN>$r`?" jR'ŋRH hk S`_Q,p qBߕB ؎!@դN>g @v@X1WAb 0Y'I|/ (!4`Z D&uY  A$x.W\3!G90V'I|/B!ؗ=[@1@B.H&uY@FP9Y`v! `NU:,N^@ڿA9$u g)DD$ &8CP5EV048 2R'ŋD$V8숋d jR'ŋزL[6!! `&uY !ƿ`hFhuEDP5Ea$e'PW0 9ڄ\}u g"@C &V$vGd jR'ŋH!.ph3V `O&uY fV0#tp:TMx@$$ &$NG/:TMx@#@A9$ 'nN :TMx@@ZЉ!)oe4V\6ZO܃n\ f^|/hF:+zّi$`}ނ;p pw!$v|/hA9+ `ݢ:{AY@).N˧ X'ŋ "H+z8 %*O˅M-G$_yP'ŋ `_4 &^$~G/O0@_˛|+HQ'ŋ:Η `v@-" @s !%†i۴*>Fbt"48` [< ߃Kw'bq{$S 4&@ *3¾uPO" E]HƬK<&ocːA%R9bSiP m9yj~ ȢFyLO$4UW_F'3AmI"f@@1=˩Ŝ#UOA`p !a\u 0˅@| PS\cl(5q/𶭴cUz2bh jqPCYVgȓ@2g$ߠ.>M @T7׏!plשԾRIдZ,xZ.=)\;BUiz6g)*(H ʴ( xmvp`->8 I:,aW|}k=XYf!fԖYjElZX!B]? BDb }6 .Bxf/#|N"Oz ~ltc-3Sxπk*p`c5o؆) z?]g3Y |bYi<s$ `N\N/:O2C3VC[p)(&GbM{VV-T2lIB M.D T߄J i,7vPdj؍zrfu)\`_-ZBd(:O©$OHUJ͸.4l6^X!B h8eNX_a#6dw BX?+ky_ ,c}.\,Zl(5wR'O423K"=x44nM}o'%(WO%ӐE@PfeJ*< BC&z3+| )s5O-(˜e„ʷ^zݥ [ Qp<QѲ!g΁؜F)ZW KIK^y|Q! ZDP/{ G:~u# o$;O[6-y_T,  |WbH_B*R5>)@ͽAϙ`{J g4o*D!}_ d]9OM*%?rCτB5;7%ÔΪ lOKVCC|@;ءQ7' )p3\uu^"=)Ԗby_Oœ|&P_|g}kA:̍΍ `2QǮZZ }w&3; o6 QY i?=gб& а&2?ʛ׀?We FOlխr'(xh4,DW }2ΡV@(Fd}_pC;%vyih>%]xЫzrs $ۢ p$%ش4v= ` T]Jڽ$;#| |bð_U8*}vHm@6~ i|̜|+VC o~Jɽ 8(ݠ܀UAt.DUow3u ׂWXFt1zv,>nD" S," e @HeSa r/s Ak?^0͸ ߜB>r5HC(e4@b7q6 ^πi쐯 驲5>zZO_^PdFe.Ne`zr2٬7kDXDsPvcͼSB,H@s&*%9,EiD@ĶaI`~M '6 C5tdڦLGࢧб}!փ؀ `ioHO%S)_TB a#Nc}n 7R<P pMHL m2/\*.A >NE3мFѻbv rNK\ eͩW% s'~3 ] s +:XZ X#ːާ^UAznJ4- $$YC}fJ Qԗhg dr{9oA𿧘k$$'HPL `JAZР \K w1yh

n;+ 3^&#HKz%>בW%77 " ]^Ψc (YV' Lzhk7mػ ;&XAh,l%XjxӑrKXV8 ..HSuX ƥ!TiȳW] Wв󀳁^Dn~k뇳d M}gPi]炐yTU)HJ$bdA$ &U-'\:@s|#(P\tlQqZfR L̬Vgn&?kji`| ,:&33xv$+r\cHK/2)d~]+f!H,m7H$$fDppyvl7U'?Vkzd#/ן{$#pXrQ$CAE}$r0+~*E=ki[S@~Qi@t*SȾwnS<΄??&PPUVs(/Cg6@f[ws߂L 0ۄu>M(0Z/~DTQ pdNlNWS|UsiȊѧ [o1A4>ck EmEcsrƱ^_ 2 h2/Bz+4s@R81"Xܿ z.:qKO@Hx%_{a6\@ʻGeH@2!Uo<Bfyl' Ph{#0/Hz B77Nj81 'HaGp!U56vx6v`;أt ('f0ks z5׬ڛ4@p /e! HQLg8!/n!ޠzKOU1XwQTf mey.1S+LgvV{vVTDH<iwr5#< @4Hpq"_A zB[p{ |MT%~015eѬ=;Sb69cit_Gg>#U9r?$vst3}I[ݰvٳPGw14;7<-|M9/Y(Z>|Egn=㘾yP]Q|oO-^J dhUrV}K7 $̧KQv#[0/X{$Q߿QYF?{ְׂ{_Rx@Fchb[J紈5!]ggSuDžF6zbP3qS]$s0~*;;7j*m쳃ck =­s.W.f_Rz8A&0ss ]s^F8 `n{) E9i};$vP `M|ϪJABWKW/rpՂ_J%d47_ <&`;пU/\◤,LL@:U{v8"Ovȇ-0H/p.M/]ٷ` ]^6TneajA* AN:xyMM xIϖl+"@s0;?e{ZXm=k5RDݦ=ƶJ[G W~=Ap"?W 4 @odXsg7㨙R y>n+Rhߎ󶕲=*5_a\  s>nQ8gNMžm omP$hjQ[Z$ןM0vLn=a!`4\Xos*A>[ $ng =ؚ~I:uS.^VMJ!t8w <;Ol_Eˁp&den fe&ˏ YQ|y\ ڿwcA>ݽZ]|.=ӏvKQ+W}puy5o%\#yOxw~}&G~x7O?e['w9{.MD@Zh>ՂH]{}誛X*{6sHF'wi==zHhOܹ7ȇdZ/BX/@3%\N><-DJC*E;C{ϕ`5>{>L>srg Tš 擁+@"~:zD"L57=1e 4̝14Nᡩvx䏐[6 WoI=bP-U#դtGMem皠w;zI.]W 8s`oW6ܨe7rL? #\ ~tiw_1N9><8Uh~>Gޤ=SU>{ҍQcV`{oX7|fYo=xw[ahvLg@B{z0:_bO>KAlz1j2S~Q>w*lz{h[>-/Y~n-0`6p}S?V{+JQwe=ywqz&pz~ɲ'zY_~ K(G@)[LPAaaAox5fg0DZ_DubmmZty-nJ~BX|? yKC2,~ufQFW7P\n4cЊ $r$mC#)I }OqnH,Msl: lQ+E%I=f7e)4w f0:oU45Y_a19Q>K=}|߹TG!khf0v{?)N_A/CS̚2v+SkZv!iIϵ/v2TͼqX#DDIChۇ [oc]awu2tnD-%2_/a*x2Q;ή~C*vs_VPm0] /s 彘cXLЏƸ-G ~fEO#<_{!)K'H׊"z̏LwC%/>މއ܃˛AA1};lY' A,v*_?S˙gjEve< +6 =?h21Mr|4z6{ }.ׂ.$l+Hv .XK(G( Hsއ kD k܀;Yu/jΈ)o5eC7oZ$nDM\#dQ!yݐ\hy'|{3=y^01SP׀/V 6*;hx )aS<4Ł~>ߟ ؝܊$}ǿ t3|rAn@ѣ W,+i dtEPȟ⫆tQAT5p+jB>gO> ?xI y [8=O\@"Fz!&{0OdFnJ >K@Ǟ_7?8!$x g@]B?1rE/"x^\D8}Ї7s0[}Ѩޣ0|y`}0d:lڮػYQXS p$lKѬ;w3-eDO>RO#1ʇ5ܲa{B~d%e{NJYlA7`mۏ E` >*JQsm7d&XA T춯 ,$u( HWQlt,V;k-<~Ev[Ǽ _ |ؼ~d ^g"N2+C mF܀eQE _P,T#o,_r/I:G:YJ.:_."ˌ׺PA=31ug WM%!i޾nW?_jj0|@PB .ϔeE$ ١-xRZצmN>4 p;eEFZ1S>3m]|Nͯ5S|r{v=gKhD,*9#ryr D):"G4KPShfn'@iN[<T5vBz74{b- ):H@ 0U}l/PUÌnk=)b՚iKq8v9]HԁSMЛ91fIJ$ꧣ:\۝2lFio_}d9u[Kp[& g1~{𛗼l lz4%{#ZU_F(md9=ewWΡ4qPg%8L~gsk^+^˟f%m$_>.oڛc&^uYlNLz;؝9^ (~>׳{?ѻ;!5NT1̴AӍwU g(FNlcD[xshf~0[Rw!z D[ioMV2gHR|{`[s'`/{OB~;R -* z6J1,P"I*CR`,~pQy[aϪN1FӮKBըѯue2N{,6]t0q,s_%8 ` P\,|_!74Awo6 wvܼ/"(!*P-ЛB9> I$J ^ܙIߏ2$46mn?]l>s*k[n] xzr{?`@\ެCC{a~E~4D9bFz3YXRNep/q̹iwwVkS~ݔ7?fЏvZLXr fMqotks>[/hV}N_:ǎrP9гؿ)+ A1ߔ6|mj^ Ww9pYzΒ}63ydK{c@ͣky}pw>#7É{ ǩފZ?EWe:$;R4퉶FxrwKn䲒66_̻& X?\~jK/-j^cI1+ǩAO}~6=mq_)zI>gZZm|$@9v u kސ Q#GZz#3~-ο%F g ̫Flm$PWmty8@W`d Fk$2LK4q5@ϮoBl|~29 8ؤWuoI@8.Lnh~?[Gz+`߂ z8t{Oг筀rybNA=\τaN;IQL B:gW \}Ĺ= mU>sD9'Y#HDpZR5>~Pr<[k~nm3 L? {}R0WIoLV 'AS;cޜx i )"`'߿o7j쿪{ƽ+hu\j0ˣ_Pby!uAkp,yPw_ h,Nښ& #\ϊeہ|̬8}Kn>꽬дo5 .]0Tk]E9Bi"cXbNe ^lҾ%}'!pLI>)IӪʾ/`@oj}.M kitsx~=v24$FsR@ ?"/i@Ne q)h 2 ƀݗYRL> L;l?+0ZH3`+c7)>}> 1\g.7OB'Q!S6 +2$[)[OЛ_=ŷf?+uX )O& D8 M=|:Rde X9?jU2f?|DіG m_` YV=z:& f0~o$G}"6 -9M>C1@9Ϳ!9Cj+uX }n#L3 d@.=\SO"[> z+釽 Xfr>\.;؀]1+#)z{~g7/Ԋzpw4FɡxiUrP8V^R'8B0M8b]y3Z=Jqhoɿ5|6b4wg75ۀO"`n2B0-m,k9h\E"?KT@P  ZB]C^ef裟cEh|k{f n 0,{>H4ukQ[Ys0"tO4< ʜk-(‾)<zߒ?IJ# D:$v(r-ܻOܒW' f`X'Qp4B5oE]0lK6S O`TGPA2N0.e^O :PP2ï趭8 ZЫ[qh"1zfl~\QXwj{N شr7ow *mkci00Fk(wwQݲ}FIE?7k-f^t AA凵/}kN&AWbT}17Y|9I9||7w_u1UeVh?Oۀom_+~Z{ ؁o#&s:/[kUAX$6W)a\n>Yq"~r0mӧI >@s}. c@/@ &>6cj+0D#ɖYivE=ݿasBD@Ia?>s"Hw6 u84Ҽ`L*IL>qy@.svM~"r>> T6x Ƥ #gINW3=])(AP%@%\}jT-GOzpV3{1k|@@_L~V > qGS* K i}I Di+/ _gqk'u(R(of"5|I` 'm1@;h}pכP&?!i?Qa ~w`얂%!2 `T6R'"WY:<d#G濬h=uR7H ,sr[CjA|PV @wX"G`2g~nj:jBUg%NE1D͇ $2{h:/I+wfYRP"6 > tR`Eɓ-g}?گ h'Ϲw B1 q lIR~$tj6_+?S 3`7|h~[oA2#̐^UST!_%g`an@S2ڲ1hd?4ĩ q2Ɋ%<j[ J`R\il5Ynd(?TA@͇@`jZQ`d_i3Ý|6~˪R?LJk@"N"X3hUؒWb`mr8xXޚ+gwif= 4Ogh8I6]*R6Eڴd}'gmdIo-迬(@.^ᣃp}ZW e."o~|gqT^l`,ag`;L?Y8o~%)22zE 'eLF;0-ka蜙}iOHxc(+hkʽ΍6ퟏ@Ϯ jsSz %|!hh&Hq4G`'L?Z3wv,ZN\:V)ȣji^ZEYCdžҲˊ!u{4mXkV?z\unxtm6ug59p d}j7ۉݩ۴k @*2j%p.\B!h/Lw'.*|.*1, 9i =W .IBu8΀:lu۱%5*(~軐ML ᖎV[4@ k_Eo ȏ("d_?@&(vk ;& M oL$:H@o  z7.#oǸHcj9b|D|h jf?X# Elzeۜǜ6ǺT܁*457@Cc,\܁dUL0$*N~&~)A/9,6$(0=T'j+KݨC(룈 jD G lVI;h;W  s40c h]/J7R>@vquP#?S=(GD}3ѹ a$!{Dl pgpyx~.Y  ԍKڴPeQ[hK)Kq}6P=}9б0݁Tǟyv"0$p3~/$+Z`x;ڊ|\Z:P視F-ɇ+#0l.CD)3kjK޹;|`z뽵6ǤdjzB8QߦX) ݩo]o9ZW 72?<}{0x!޾6|-6@3 H 8p?iŠ`n6]N49 h,2j߶ԀOCo{@R`~owT;#O":2ۆnFiÓއ!}JP@7n3h=~Lr|w_0k/z?f0 >hL!AjjzkuUZ.;Q2Lamjxo)L~6璹FH̄16Ҥ&`tC}=o -}zOs~p"67@Y$;`lH܈}*G\&gX(n߿VB>J!*|/t-ʪ*J-w JȬ[)Л(rKih7i#iB?9eRӭťec?g<baow=P+(mU?csFt7wPoP2poAr\  p }ADܠ^[& `(}P6 ٗ y$IRm20+)^h -LBkژ#wU'?%fP45"YcO'^pm!X@i"KpKΞߡv|D(;U 22rk{WBߝ|p㵙n&جY--&[[@e@oM= a +?只J .8U >M鏸vE{>d$Zϝx?c(-(B2Q 4T` wv9]ZK8BGَ<RDuCrWg_@86f!>mRL$?s?z+܊৛}.u{.Qj\_pnF`e@O/ga}ZܝqеMF +HJF^5:C SAm{K4dW;f8^&̸w4@,o+TW'V/)ৢaZF~ Ņr{N-~Kp;\1)Z`R=λ;}AnD+@q22Z,/ kD~$*|!^Hh$dxg oYO34}=Jsl{2eg@УN[C(/`!<H!M +3%szN~~֖* $&xp ~ۜtD`3xlDS_9F0v,&S(_gn=ʐ)3=7'JirFG?ЋR\FBhp {r]ZQQ2Ne{vqoM6u RN<d%#7#K!d`fA> p8 dͤ'.qfu^c  APTSビnO 3 6l"eDa@LqAAnES?LOCSAw@#_ |rI{p<1 BDBD?UFP@ke>Z܃B2 Şie|3vػ؉7I뷨TH3οGqfAo]kꆡ.r~CP / UOlT}ݫkF%~QM"h~|w6*B^Vm<MHLF;R_GW +r7X[m2?!y fm*P>MҢ})-PUV6o9ZkMYNoWA:qڦ/(Y jށ/{FH̱4s,#U&npE[M>_ .co'界w @WՄ2Znz~6Og213;L\H+Ʊx⻽ \I&Oc=ʹ۫31ʸߞw")[#^ 7.rb(Q$vLS% OhݩWN㛤2&k[w:oHvZz`PJ%a1t | }犊*΋rxoL}U4H|Ib92ߣ>XmGiW1# [ ~eD1$VY @ caA\rٟ s_ﶋ ep۲8?n,׈`dJ8j1ssL fqtg4S܆5 >͜?q'sU~?,w-#31=7>*w: Z]TYIH̥J.W}!t.0M0dS0+uGpыîr ÂH"r,71ʴ󀧦67NLB8m4!7Dp,#hglwY{LTkkuUйZ%hKɩϑxĉa$! ٭CK˒F9zlM3 {A rxDCcn䡷G]NN[ 6((zbbs7~<!2#NEmCz' UP*Rb?4\N<#Q$ |̌S{M4J؅c`Q0AiL)dQ'P! LYV፦- SW<*n="<2􎟀@2?{!2"F|.\E 襁Ac}:{'~3tb6l{5vU}ڇFP:éTkIt=4'i<~̟!ZG# 2"&|nTE~WyW!8ʝx/'/=z'Mr7Q)1uCPUeߓ;s/=gb@ k@/]ތH#LrH}_-t޹wޏ#pm*~_ LJ)PG<~Lʗ*84r43p*/N{ :?%'n&1zƅA(;ĒGq>} Z2~tϻ :Gox'DuЛCiiq5'陚գc`ʞ"ɶ3j"<r!(ˈZ{ 3>_E8n F~Qx!=?[9}g\%~yPB(}wF_}^8 # PiZZN85:pDW0aI'umiQctG#)C;Hsv[uֽO}=;ᙻ~\6B _+MHzTFCе`J682 @Aww>Bm|=jd}n @Pգ Nv)|/r `CTnۚƒ4=hn#DN;o~6%@&&v[ϟҺkTUZ yZB fL!iF瀵5yصez^w](>!71 }EgHcvwGX`Vx6e QN-#hg\!'HpGPwa~N|vxs~(@JIw[fw}^܈;^c7R#G/ny9hKs9(\?.|Ce "b,ɜf @ٌ~n/> Dr3})v ;jΌ] Tiq}h41'[L4eg-۶A$P\(D ۈI. x@#`K *I){EhbB.BC)e][ :}vO7k8~j$Fu`f(Gc X=l}}Q ]zDe}5V!`Ľy/E )Q28Ob *ٸzʹ}eE_O(qY T]} H<Dzտ^DRgϿ'JҜoۡ4!~;huP 9d]ҹ}>S<Oq{^:7[zUU2Gvzkx/J/_8ɚ3uSPJgK.6 9߉r۞ KO$Q@V}m$8閭189@Nsf.ۿEW?g mnM헢̕Pb|ig/xpLiM}y -B@\WRbP[/׆$#@(QQ`"ѧ 1hrPNU\Ӏ:`kNKo:. \- /-&C ==4E)\pV#{ЮwHf#;~w `,Ut +(Hh{Sv7_⵨ n$' K^& _n+;/)jFO1~i[Ter(8vQH˧>U;? 8rB?XvC_On:4VwWq&4~ IsmJL(KQR [u46[@8*'d4?K;)^dت×G]]ġ?N߀pV3 /a=߀GC 5a5DI9E_,Ux;M_ҩ܍;oi^%#Oq~`M=ߟ14 K1cC"?MIPs[ŊW߿Sz0w-Rh [yR5IkG^im$gM%4dś]< TV}swS(_/{OǟNqx4-k;i 'tW9y#Tj~?S{u|?ȿT wo߇tsJN$ LɨRRϼoP:fC4\y=9+4 !`QQ@x;\Ҁ >Ul߽t|44?=fM*޼ݡ5dؼrhoaMS>h&ԀQ-td&rT,(gFLeԔN9EӬ5(讌s!d;h6r)`EIepޱ.~3 cU^  \E,i=}g-ZjOөw}ȈǫD/Yxf6@c`qZ"W@U=sQMڏ}IN y7oEGrWASGo״}u48_#f0b޶1)f_;V6 B+I᩺;믜lM ~Pnŝ@-GM9?M?@If|X&?*H?GiUN L߹7ی} xLVv0j8U <{i¶mLtOsȢ#vZ5Z m>(|[)ADʄ2&=’J)deIIs}n oo V QNNNNNO T^,Y<^T@H_SWURWVSWUSWU+.{^|!.!V^ZX U RONNNNP^%]>dQMZSRWVSWUTWVJN[MN^g9)ea`^\Y U QNNNNN[!b=hSK[SSWUKPZ25k.0}E@ת ū7t\jgfdc`]Y UPNNNNZ!e=iSGVV8;g47x2502=@`P=bP$n!l m kjhd`[ W RNNNN[$g=gTdS?H_NRXTVURWVSWUSVVk@@@=cP3g30}3~3~1|.y)t#nic^X RNNNb(h?bQPXTSWUSWUTVUSXTSWUoUUU M6XX2t7Ѓ7ς:҅:҅7ς3~-x&qke^X SNNNf+e@bPRXUSWUSWUSWUSWUSVVkN ;cY6ˀ<Ն>ՈA׋A֋<ӆ6̀/z(s me`Y TNNO i0aA`QRXUSWUTVUSWUTVUSVVeX=jY:ʁAڌEَJݒGܐA֋9Ђ0|)u!mf_Y TNN P!l4\D_QSWURXUSWUTVUSWUTWTXc~>gR<ȁEݑKޔQMߕC،:у1|)u!me`Y RNN T$m9uVA`QRVTyRVURXUSWUSWUUUU'n@`P)?dP;{JMTLߔA׋9Ђ0{(t ld^X RNNY$j=hR@`P>IIITWTISWUSWURVTz@`P;_R:lIMߕLޔGې>Ո6̀.y&r kc] V QNN_$d>cQ@`PUUUZZZCHHHHHHH ,1qbP`*%;k@y]K֏N9Ѓ.y)s"nhb\ W QNN Sc;kS@`PI`*%7jU=cPBrKޔ=ԇ*u#nid^Y TNNNW]>cQ@`P`+,@`P?aPf?nWA€Cٍ.z je`[ V QNNN['W=cP`+,@`P=cP@c<Ɂ8у#oa\ W RNNNO\8mR@`Pd`,+@`P;=cPdP7c,ui WPNNNN T%S=cPz+-*@`P?aPv=fR/a!j_ QNNNO T=dQ@`P 9````}z```_@`P=cP>eQ,[`YQNN P'{P>bP@`P>bP>dQ,VY V QP$P=cP @`P>bP>bP8lR+{R&~Q>bP@`P! @`P@`P0@`Pe>bP@`P        < <         @   ?     ?       03 x x x x x x x x x          ( @ -y]KC ,; C.umfvUVSRVVY]T25i %%n)6Iz  >g\KZQNURV\S47i.0H',f&V YPT UAdQ:Ce01.1tQUUrUVV#Ѥk lMNNPX,W:V_79mUYSSXV24tJ 7KdH W V QNNMT]aP!n jiga[ TNNNc\Nw,k'u)s'r"mg_ XPNNem@DaVZTRVVaSVVޏF؎Fۏ<҆0{%qf\ TM S*hD^QTWURWUTVUSWTWTVTk?fDPN>Շ1|%qe\ RM Y/bEVNRXVxRXUSWUSUT2r>9B4;`HݎOGې;҄/z#odZ QL_3[BDD%VWTSWU}}y]'>sJ}K>҈4~*v kaXPMb8sU9aM Z? d AgL<Ԇ+v#nf] UNOa@aQBiU azl>lQG~<؉'seaYPMR$[@[Nx>bP bd89<bP=dQEZPcD@`P>bP?*???? @@/ @ <@@@@(  }@z HRa.8   O^[#?o*~cQHJSLW4z)ߗ&(q3wQDL^)'MY;  SVVIOS5f_\UP"&{ M."`dXNS9~Y;6rVX,/2j,z%pa PS7rcTOQT\VV&'!'=~A׎/zf R WBqZTTTRWUgw,5_UgHͅL/zfPZDgVTWUvRVT` image/svg+xml zim-0.68-rc1/icons/zim16.svg0000664000175000017500000004707713100604220015410 0ustar jaapjaap00000000000000 image/svg+xml zim-0.68-rc1/icons/zim22.png0000664000175000017500000000235113100604220015354 0ustar jaapjaap00000000000000PNG  IHDRĴl;sBIT|d pHYs B(xtEXtSoftwarewww.inkscape.org<fIDAT8[lTU}ΙۙLhKQD,$SDDPHIxUC b /xIL( `1\ )Υ3sf朽}jz_J))u][|YcJj)7@upB2\EOҤOѻmI3lCj"4,U.hT8{7P%!U Ju|!DK9 Jui[b FD{,S w20|(4Pc*;FӪ|yćMwzG`xY׃ϭ]i`|vZݧy '.UO\6:ԸdePm'/ͭwYTCWC1}+.ty bE][pqUv7j^HrD2A&;ĵZ:==B gyBnMh$SIҙ4(bHGצ΃'v gYu~c"iK<9+K6%VF֢R,Q2N{W(/xΏLa[b7+j1 eB-jQ$R_iDSC {C&'"[sKuԜWHJ$ qSnԊb~\SSjIבW_pE)M{[ ױs_4۲M5~0gc{_{ml_ޫA>IJv@7 w},'K/|hH:ۻ԰q\!M}3U:-1rͮ7n\>8L68,ssR?d}Mެ<¢g=ӧ`be3FYV%:Xyee4q֚Rv캤,4V:3]sM#Iy1:O7, +c16:%>?^EvyoM^gWZx9zdҚm3'`- aNm;fmy-ܥ(w Ewڼ7o - a84&;W1Һr=>aPʨ;;t9ppkzv]0RZk1$P3 S XNz;]|ѩ⥆9= 2c~z5){Ӌ/v~%pbmj 덕z=BFc , 3uJȁឿӳ;w&u< |o'fA^kI\)ɹ<Z%gO_sב5/7_6hc5>oj19K_'.%Z߿زf?6m6^ԃY?$獱~`>!D'0 F5Lu8*#WIENDB`zim-0.68-rc1/icons/ubuntu-mono-light/0000755000175000017500000000000013224751170017313 5ustar jaapjaap00000000000000zim-0.68-rc1/icons/ubuntu-mono-light/zim-panel.svg0000664000175000017500000003757513100604220021735 0ustar jaapjaap00000000000000 image/svg+xml zim-0.68-rc1/icons/zim48.png0000664000175000017500000000725313100604220015372 0ustar jaapjaap00000000000000PNG  IHDR00WsBIT|d pHYs B(xtEXtSoftwarewww.inkscape.org<(IDAThŚyp]}?{*=l8 (II\XIӤI҅d i:I)&i.4fBٍm0blk,ws~=ڌ-3}mGJD+)k0\ "0g\MéJ)4"86]%7JrtLF)* ?͚3| HN$}( 31s]LcDs]J[[<`%p%ڮ~UH ]ũC')Rg `}kK ~͟LU#8QR:?eaUjљ8J }Mh^v' i: ЦT-Qc.b)A1wp|B7g`ܥaAG%a<|"g?r 5y܉ D@^6Ӭv`UVtx'~{o4dhqq]+( )>aP$ !AQlB;72R]>U( #*@I -۶lrNQS,e;>{9˿$h]CÐ0 0È( ,J).^Qm^)~͛e1 ֭; LU9n6ƪC`c0.K, KKhlVI+Ծ(a֭;Q0|N +K-|Ab!"($ K;Qt>:ϯE*]oB^DDW"S?'[[m?^{i 4`peGfR|_]#)U|HqݼR6-/?>۟ܪtr@)IߔJEDqLFDQLē"\U%ާ籠SHNaẺ~%(>0DzUWyAa<A%kMb2%| #&VQ՜8񉪮+Vzh֭pDz G+>ޕ)%HRTxky**3d]d[5N.cZc3ַDvGTpP֎eWUK3 \k2^Z *s$M-2^q]/S5N|6:1쇂|Sg ͟$^J' F?trU7T uO(wǦcJ ΫMaF~SPB^^+7l.'C>(p"yLw_Zᥫ{>pkrw`({~̿IN[.LˊdRiDd{܎BUnEob> t97 i?+Y'Tn/Q1OovWq6]wRc<*'Z"Q$̨Rzcn*;Mw'fUL'W+U@V${^,Cm JK:-7oצ;֒2C| &Dq^e-]j]H-4E'{̱ ;z0i&3:x9;`H ^l1$DGO7o<~ғ@ZSvr* LdY"S7Ϗ?OuCWuuk1y5ѐ|fCUA kR0cD1dǎq2_ŗ' L)i ߽NjO=XQ4+Tcv0$5Z24oբ8F+.;E1QX|o%˳P; GTr@A:ʽ‘eF1ˆ/PJ&sU1 W)uwf @ɿͪՊT )Qdё)Z}a~V nXk*%;1M39"T.m9T83J k=q<6l_puMj_IENDB`zim-0.68-rc1/icons/zim24.png0000664000175000017500000000255613100604220015365 0ustar jaapjaap00000000000000PNG  IHDRw=bKGDԂ pHYs oy vpAgxLrIDATHœ[lTUsLg-r)% $VZBc%hFh>! ڊ<T)Pi>sn{ЩU4O׿?Oaq7B*aRha 8 /TW*ꎶ}B1.- B \*^fTļNeO/X +ymv@I7NoT ﮄwg'}r!- ͮC}@;.T9_TZJ R5іg\ÍSC3|Wr'@`(@x!lnkm?'+Gl2(RCʊ]*ʫJXk{Eȸ_fφ{qׇr a(Ko94uα0RHOdS sHɫm  `^k]OVڞUnUQI$2)24e s~W z}ؙۭa|P[6߫A*$MdyK-m-?m]o`#ɢrC2v,$70Mh8Bat:DoUc\R@uﷰؘc;abҷߤ%iG|-l< NTvcI9Bl vy_Y.8;K+,iaonBuy?1gQ5=\dI_Z9|@JfBtB(% !gA D&hx4kk(.t|(tybMICl"A/wox\ 3n !9ݱ{.ybo#ѽw&[-Y:# image/svg+xml zim-0.68-rc1/icons/zim32.svg0000664000175000017500000006020313100604220015370 0ustar jaapjaap00000000000000 image/svg+xml zim-0.68-rc1/icons/zim22.svg0000664000175000017500000005060613100604220015375 0ustar jaapjaap00000000000000 image/svg+xml zim-0.68-rc1/msgfmt.py0000644000175000017500000001412613213504564014457 0ustar jaapjaap00000000000000# -*- coding: iso-8859-1 -*- # Written by Martin v. Lwis # Plural forms support added by alexander smishlajev """ Generate binary message catalog from textual translation description. This program converts a textual Uniforum-style message catalog (.po file) into a binary GNU catalog (.mo file). This is essentially the same function as the GNU msgfmt program, however, it is a simpler implementation. Usage: msgfmt.py [OPTIONS] filename.po Options: -o file --output-file=file Specify the output file to write to. If omitted, output will go to a file named filename.mo (based off the input file name). -h --help Print this message and exit. -V --version Display version information and exit. """ import sys import os import getopt import struct import array __version__ = "1.1" MESSAGES = {} def usage(ecode, msg=''): """ Print usage and msg and exit with given code. """ print >> sys.stderr, __doc__ if msg: print >> sys.stderr, msg sys.exit(ecode) def add(msgid, transtr, fuzzy): """ Add a non-fuzzy translation to the dictionary. """ global MESSAGES if not fuzzy and transtr and not transtr.startswith('\0'): MESSAGES[msgid] = transtr def generate(): """ Return the generated output. """ global MESSAGES keys = sorted(MESSAGES.keys()) # the keys are sorted in the .mo file offsets = [] ids = strs = '' for _id in keys: # For each string, we need size and file offset. Each string is NUL # terminated; the NUL does not count into the size. offsets.append((len(ids), len(_id), len(strs), len(MESSAGES[_id]))) ids += _id + '\0' strs += MESSAGES[_id] + '\0' # The header is 7 32-bit unsigned integers. We don't use hash tables, so # the keys start right after the index tables. # translated string. keystart = 7 * 4 + 16 * len(keys) # and the values start after the keys valuestart = keystart + len(ids) koffsets = [] voffsets = [] # The string table first has the list of keys, then the list of values. # Each entry has first the size of the string, then the file offset. for o1, l1, o2, l2 in offsets: koffsets += [l1, o1 + keystart] voffsets += [l2, o2 + valuestart] offsets = koffsets + voffsets output = struct.pack("Iiiiiii", 0x950412de, # Magic 0, # Version len(keys), # # of entries 7 * 4, # start of key index 7 * 4 + len(keys) * 8, # start of value index 0, 0) # size and offset of hash table output += array.array("i", offsets).tostring() output += ids output += strs return output def make(filename, outfile): ID = 1 STR = 2 global MESSAGES MESSAGES = {} # Compute .mo name from .po name and arguments if filename.endswith('.po'): infile = filename else: infile = filename + '.po' if outfile is None: outfile = os.path.splitext(infile)[0] + '.mo' try: lines = open(infile).readlines() except IOError as msg: print >> sys.stderr, msg sys.exit(1) section = None fuzzy = 0 # Parse the catalog msgid = msgstr = '' lno = 0 for l in lines: lno += 1 # If we get a comment line after a msgstr, this is a new entry if l[0] == '#' and section == STR: add(msgid, msgstr, fuzzy) section = None fuzzy = 0 # Record a fuzzy mark if l[:2] == '#,' and (l.find('fuzzy') >= 0): fuzzy = 1 # Skip comments if l[0] == '#': continue # Start of msgid_plural section, separate from singular form with \0 if l.startswith('msgid_plural'): msgid += '\0' l = l[12:] # Now we are in a msgid section, output previous section elif l.startswith('msgid'): if section == STR: add(msgid, msgstr, fuzzy) section = ID l = l[5:] msgid = msgstr = '' # Now we are in a msgstr section elif l.startswith('msgstr'): section = STR l = l[6:] # Check for plural forms if l.startswith('['): # Separate plural forms with \0 if not l.startswith('[0]'): msgstr += '\0' # Ignore the index - must come in sequence l = l[l.index(']') + 1:] # Skip empty lines l = l.strip() if not l: continue # XXX: Does this always follow Python escape semantics? l = eval(l) if section == ID: msgid += l elif section == STR: msgstr += l else: print >> sys.stderr, 'Syntax error on %s:%d' % (infile, lno), \ 'before:' print >> sys.stderr, l sys.exit(1) # Add last entry if section == STR: add(msgid, msgstr, fuzzy) # Compute output output = generate() try: open(outfile, "wb").write(output) except IOError as msg: print >> sys.stderr, msg def main(): try: opts, args = getopt.getopt(sys.argv[1:], 'hVo:', ['help', 'version', 'output-file=']) except getopt.error as msg: usage(1, msg) outfile = None # parse options for opt, arg in opts: if opt in ('-h', '--help'): usage(0) elif opt in ('-V', '--version'): print >> sys.stderr, "msgfmt.py", __version__ sys.exit(0) elif opt in ('-o', '--output-file'): outfile = arg # do it if not args: print >> sys.stderr, 'No input file given' print >> sys.stderr, "Try `msgfmt --help' for more information." return for filename in args: make(filename, outfile) if __name__ == '__main__': main() zim-0.68-rc1/Makefile0000664000175000017500000000221613100604220014230 0ustar jaapjaap00000000000000PYTHON=`which python` DESTDIR=/ BUILDIR=$(CURDIR)/debian/zim PROJECT=zim all: $(PYTHON) setup.py build help: @echo "make - Build sources" @echo "make test - Run test suite" @echo "make install - Install on local system" @echo "make source - Create source package" @echo "make buildrpm - Generate a rpm package" @echo "make builddeb - Generate a deb package" @echo "make epydoc - Generate API docs using 'epydoc'" @echo "make clean - Get rid of scratch and byte files" source: $(PYTHON) setup.py sdist $(COMPILE) test: $(PYTHON) test.py install: $(PYTHON) setup.py install --root $(DESTDIR) $(COMPILE) buildrpm: $(PYTHON) setup.py bdist_rpm --post-install=rpm/postinstall --pre-uninstall=rpm/preuninstall builddeb: dpkg-buildpackage -i -I -rfakeroot $(MAKE) -f $(CURDIR)/debian/rules clean epydoc: epydoc --config ./epydoc.conf -v @echo -e '\nAPI docs are available in ./apidocs' clean: $(PYTHON) setup.py clean rm -rf build/ MANIFEST tests/tmp/ locale/ man/ xdg/hicolor test_report.html find . -name '*.pyc' -delete find . -name '*.pyo' -delete find . -name '*~' -delete rm -fr debian/zim* debian/files debian/python-module-stampdir/ zim-0.68-rc1/locale/0000755000175000017500000000000013224751170014042 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/zh_TW/0000755000175000017500000000000013224751170015075 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/zh_TW/LC_MESSAGES/0000755000175000017500000000000013224751170016662 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/zh_TW/LC_MESSAGES/zim.mo0000644000175000017500000010577313224750472020037 0ustar jaapjaap000000000000001,#,-#.Z# ## ##0#"$4=$r$ x$$i$!$% -% :%-G%Vu% % %%3%Y(&& & & & &&&& ''$'?<'/|'('%'' ((*(2( 9( C( P( \( h(u( |( ( (((((( (( ))-))<W))))))))+*3.* b** * * ****3+9+L+g+z++++ + + ++++0+0,A, G,S,e, l, y,, , ,,$,~, d- r-}- - - ------5-(. 7.C.J.[.n.u.. ... ..//(/// 4/?/N/ _/6i//v/0*00c[0000011 1 1!111B1R1d1 x1 1 1 1 1 1 1 1 1 1112!(2J2 j2t2y22 222 2222 233#3 23 ?3 K3X3 j3x333 3333 33 44&4.54 d4p4v424444445535 85D5W5 _5i5r5 x5555 55 5*56&6/6 @6M6]6s66.66667,757I7 \7f7i7 7 7 7777 778 8)888A8I8_8 h89t8 8I8!9'(9 P9Z9c9Ch909 9 99 :':VA:3:0::;-;L;T;Y; p; };;;; ; ;&; ; ;<<"<:<Z< a<^l< << <=>= W= d=q===== = ===>> >'>7> L> X> f>s>? ?=?X? p?z??? ????? @@2)@ \@&j@.@@@5@ A+A&0AWAkA ~AAAA AAAAA AA AA BB"B8BYNB?BABK*C6vC-CCD)EE8FFkQGGRH;H= I^IjrJ]J7;KsKyK|LLLLLLLLL L M' M2MD7M|MMHM MMNN!N3NPGNNNUNOO O 0O :OEONJO OO O O OOO O^OfFPP PP P PPPP PQ QQ $Q 2QbNbUbfb}bb"bbbb c cc#c4cEcUc6\c cicd$dZ@d ddddddd d d e e &e 3e =e Je We de qe~eeeeeeeef.fJfQfXflf sfff fff f ffff g g 'g4g GgTg mgzggggg gg gg h! h BhLh Ph0]h hhhhhhi i(io eorovo ooooo oo)oop p(p8p(Up~p p4pp ppq6qRq cq'mqq qqq q q qqr rr!r1r KrXr hrwurrss8s Ns[snssssssss t'tDtUt0qttt9t uuu4uJu `umu u u u uuu u uuuu uuv/v@Ev=v,v<v.wNwgw=xxpy{zv}zfz[{B|MF|5|*|[}7Q~0~~~dK ! ) 3 @J'Z Q + '4 M ZgzM ہ :0 7DUfv3zł̂ ނT X_ Ƀ ԃ߃  " -; LY p { DŽ ؄+<Yj { ̅ ׅ   . ? J X f t †ֆ  "3M j x Ƈڇ !2FWh   ňֈ  " 3 A L Z h v É щ ܉ 5<@ This plugin provides bar for bookmarks. %(cmd)s returned non-zero exit status %(code)i%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i open item%i open items(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd new bookmarks to the beginning of the barAdds spell checking support using gtkspell. This is a core plugin shipping with zim. All FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAuthorAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsBack to Original NameBackLinksBackLinks PaneBackendBazaarBookmarksBookmarksBarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenChangesCharactersCharacters excluding spacesCheck _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearCommandCommand does not modify dataCommentComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find the file or folder for this notebookCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?Cu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?DemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDo you want to delete all bookmarks?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_xport...Edit Custom ToolEdit ImageEdit LinkEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExportExport completedExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHome PageIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert SymbolInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationMap document root to URLMarkMatch _caseMaximum page widthMenubarMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen in New WindowOpen in New _WindowOpen new pageOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage has un-saved changesParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRight Side PaneS_ave Version...Save A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorSearchSearch Pages...Search _Backlinks...Select FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionServer not startedServer startedServer stoppedSet New NameSet default text editorSet to Current PageShow All PanesShow Attachment BrowserShow Link MapShow Side PanesShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendar in sidepane instead of as dialogShow full Page NameShow in the toolbarShow the cursor also for pages that can not be editedSingle _pageSizeSome error occurred while running "%s"Sort alphabeticallySort pages by tagsSpell CheckerStart _Web ServerStrikeStrongSy_mbol...System DefaultTable of ContentsTagsTaskTask ListTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?There are no changes in this notebook since the last version that was savedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUnindent on (If disabled you can still use )UnknownUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse a custom fontUse a page for eachUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWord CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Incalendar:week_start:0readonlysecondstranslator-creditsProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-04-28 22:03+0000 Last-Translator: Jaap Karssenberg Language-Team: Simplified Chinese MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=1; plural=0; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) 這個插件顯示書籤欄 %(cmd)s 返回碼非零 %(code)i%A (週幾) %d (日) %B (月) %Y (年)%i 個附件(_A)%i 個反向鏈結(_B)...遇到了 %i 個錯誤,請查看日誌%i 檔案將被移除%i 件未完成工作縮排或去除縮排任一條列項,將順勢更動所有子項<未知的>桌面維基此檔名"%s"已存在\n 你可更改成其它檔名或是直接覆蓋為選單增加裁切線新增應用程式新增書籤新增筆記本新書籤新增到書籤欄最前藉由 gtkspell 提供拼字檢查功能 此為 zim 內附之核心外掛程式 全部文件所有任務允許公開存取打開頁面時指標永遠位于上次位置圖像產生失敗 要儲存原始文字嗎?註解頁面來源應用程式算術運算附加檔案附加檔案(_F)附加外部檔案先附加圖像附件瀏覽器附件作者zim 自動儲存的版本套用格式時,自動選取目前文字自動將 "CamelCase" 文字轉換為鏈結自動將檔案路徑轉換為鏈結每隔一段間自動儲存恢復原有名稱反向連結反向連結窗格後端Bazaar書籤書籤欄左下方底部窗格右下方瀏覽項目符號列表設定(_O)日曆(_D)日曆無法修改頁面: %s取消快照整面螢幕更動字符字元數 (不計空格)拼字檢查(_S)可復選列表(_x)勾選任一勾選框,將順勢更動所有子項使用舊樣式之系統匣圖示 在 Ubuntu 作業系統上不使用新風格之狀態欄圖示清除指令指令不會更動資料註記整部筆記本(_n)設定應用程式設定外掛程式設定用于打開“%s”連結的程式設定用于打開“%s”類型文件的程式將所有勾選框視為工作項目複製電子郵址複製範本複製為(_A)...複製鏈結(_L)複製位置(_L)無法找到程式 "%s"找不到筆記本: %s找不到此筆記本之檔案或文件夾無法開啟: %s不能解析表達式無法讀取: %s無法儲存頁面: %s為每則記事建立新頁面要建立文件夾?剪下(_T)自訂工具自行定義工具(_T)自訂...日期天預設復制到剪貼板文本的預設格式預設筆記本延遲刪除頁面刪除頁面 "%s"?降級依賴套件說明細節圖表(_G)...放棄筆記?免打擾編輯模式您想要刪除所有書籤嗎?您要將頁面:%(page)s 回復至先前儲存的版本:%(version)s 嗎? 上次儲存版本以來,至今的所有更動都將消失喔!文件根目錄匯出(_X)編輯自訂工具編輯圖像編輯鏈結編輯原始碼(_S)編輯正在編輯的文件:%s斜體字啟用版本控制?已啟用檔案 %(file)s 的第%(line)i 行, 在 "%(snippet)s" 附近有錯誤執行計算(_M)展開所有(_A)內容匯出匯出已完成匯出筆記本失敗執行錯誤: %s程式執行錯誤: %s檔案已存在文件模板(_T)硬碟裡的檔案已被修改: %s已有此檔案檔案無法寫入: %s不支援的文件類型: %s檔案名稱過濾器尋找找下一個(_X)找上一個(_V)尋找並替換尋找將任務標記為在週末前的週一或週二到期文件夾此為已存在並有檔案之文件夾。若匯入此文件夾將覆蓋現存檔案。要這麼做嗎?目錄已存在: %s包含附件文件模板的文件夾欲進階搜尋,可使用運算元如AND、OR、NOT 細節可參考「幫助」之內容格式(_M)格式連線獲取更多插件連線獲取更多模板GitGnuplot首頁向後翻頁向前翻頁翻至子頁面下一頁上層頁面上一頁一級標題二級標題三級標題四級標題五級標題一級標題(_1)二級標題(_2)三級標題(_3)四級標題(_3)五級標題(_5)高度全螢幕時隱藏選單列全螢幕時隱藏路徑列全螢幕時隱藏狀態列全螢幕時隱藏工具列首頁圖示圖示和文字(_A)圖像匯入頁面包括子頁面索引索引頁內置計算機加入日期時間加入圖表插入 ditaa加入方程式加入數據圖插入 Gnuplot加入圖像加入鏈結插入樂譜加入螢幕快照加入符號加入檔案裡的文字加入圖表以鏈結方式加入圖像界面內部維基關鍵詞日誌前往前往頁面以標籤註記工作項目最後更新保留到新頁面的連結左側窗格只搜尋該頁面及其子頁面行排序行鏈結圖覽以完整路徑鏈結文件根目錄下之文件鏈結至位置使用 Zeitgeist 記錄事件系統紀錄檔好像你發現了一個Bug設定預設應用程式對應根目錄文件為URL底線字符合大小寫(_C)最大頁面寬度選單列Mercurial修改日期月搬移頁面移動已選文字...移動文本到其它頁面搬移頁面 "%s"移動文字到名稱指定檔案以匯出MHTML指定資料夾以匯出整個筆記本新增檔案新頁面建立子頁面(_U)新的子頁面新附件(_A)未找到應用程式最近版本以來,至今尚無更動無需依賴其他套件沒有可用插件以顯示這個物件.無此文件或文件夾: %s無此檔案:%s內部鏈結 %s 無效沒有安裝任何模板筆記本筆記本屬性允許編輯筆記本(_E)筆記本確定開啟附件之文件夾(_F)打開文件夾開啟筆記本以...開啟開啟文件夾(_D)開啟文件根目錄(_D)開啟筆記本之文件夾(_N)打開頁面(_P)在新視窗開啟於新視窗中開啟(_W)保留到新頁面的連結以 "%s" 開啟可選的選項外掛程式 %s 之選項其它...匯出檔案輸出檔案已存在, 可以使用"--overwrite"以強制匯出匯出文件夾輸出資料夾已存在且非空, 可以使用"--overwrite"以強制匯出指定用於匯出的位置其輸出會替換當前所選覆蓋路徑列(_A)頁面頁面 "%s" 及其所屬 所有子頁面和附件,都將被刪除頁面 "%s" 並無附件之文件夾頁面名稱頁面樣式頁面包含未儲存之更動段落請為此版本加註請留意,當鏈結至不存在之頁面 將自動建立新頁面請為您的筆記本選擇名字和文件夾請先選擇多于一行的文字請指定一個筆記本外掛程式需要 %s 插件以顯示這個物件.外掛程式埠視窗中的位置選項(_E)選項列印至瀏覽器屬性提升屬性(_T)屬性事件記錄送往 Zeitgeist 伺服器。快速記筆記快速記筆記...最近更改最近更改...最近更改的頁面(_C)...即時重新格式化wiki之標示語法削除移除全部移除連結至此書頁之頁面共 %i 頁之鏈結刪除頁面時移除鏈接移除鏈結重新命名頁面重新命名頁面 "%s"反復點擊復選框會循環切換復選框的狀態替換全部(_A)替換為恢復頁面至原先儲存之版本?版本右側窗格儲存版本(_A)另存副本(_C)儲存副本儲存版本儲存書籤zim 儲存之版本相符背景顏色尋找搜索頁面...搜尋反向鏈結(_B)...選擇檔案選擇文件夾選擇圖像選擇一個版本,以檢視該版本與目前版本的差異 或選擇多個版本,以檢視各版本間的差異 選擇匯出格式選擇匯出檔案或文件夾選擇欲匯出之頁面選擇視窗或區域選取範圍伺服器未啟動伺服器已啟動伺服器已停止設定新名稱設定預設文字編輯器設爲當前頁顯示所有窗格顯示附件瀏覽器顯示鏈結圖覽顯示側窗格浮動顯示目錄(代替側面板)顯示更動(_C)一本筆記本一個圖示不以對話框,而於側邊窗格顯示日曆顯示完整頁面名稱顯示於工具列於「不允許編輯」之頁面上,仍然顯示游標單頁(_p)大小執行"%s"時發生錯誤依英文字母排序按標簽排序頁面拼字檢查啟動 Web 伺服器(_W)刪除線粗體字符號(_m)...系統預設目錄標籤工作項目工作清單模板範本文字文字檔案從檔案加入文字(_F)...文字背景顏色文字的前景顏色指定之文件或文件夾不存在 請檢查路徑是否正確"文件夾\n" "%s\n" "不存在。\n" "您想新增它嗎?"文件夾"%s"不存在\n 你想新增它嗎?最近儲存的版本以來,此筆記本至今尚無更動已有此檔案 是否覆蓋?此頁面無附件目錄此外掛程式會加入對話框,顯示此筆記本所有未完成之工作項目 此類項目包含未勾選之勾選框 或帶有 "TODO" 或 "FIXME" 等標籤之項目 此為 zim 內附之核心外掛程式 此外掛程式會使用對話框,迅速而方便的 將某些文字或剪貼簿內容置入 zim 頁面 此為 zim 內附之核心外掛程式 此外掛程式於系統匣增添 zim 圖示以方便存取 此外掛程式需依賴 Gtk+ 之 2.10 或較新之版本 此為 zim 內附之核心外掛程式 此插件會在視窗中新增一個小部件, 顯示連結到當前頁面的所有頁面列表。 此插件為 zim 自帶的核心插件。 此外掛程式提供「加入符號」之對話框 方便自動輸入特殊符號 此為 zim 內附之核心外掛程式 此外掛可在 zim 中嵌入算數計算。 此外掛基于 http://pp.com.mx/python/arithmetic 中的算數模塊。 此外掛程式以 GraphViz 為基礎,提供圖表編輯器 此為 zim 內附之核心外掛程式 此外掛程式提供對話框 以圖像顯示筆記本之鏈結結構 以「心像圖覽」方式 呈現頁面之交互關係 此為 zim 內附之核心外掛程式 此外掛依據標簽雲中的所選標簽,生成頁面索引\n 此外掛程式以 GNU R 為基礎,提供數據圖表設計語法編輯器 該插件提供一個基于Gnuplot的繪圖編輯器 此外掛程式為尚無列印支援的 zim 提供解決之道 程式將匯出目前頁面為 html 並開啟瀏覽器程式 若瀏覽器具備列印支援 則此方法可利用上述兩個步驟(匯出頁面、開啟瀏覽器) 讓您得以列印您的資料 此為 zim 內附之核心外掛程式 此外掛程式提供 latex 之方程式編輯器 此為 zim 內附之核心外掛程式 這個插件會在底欄顯示附件資料夾的圖示 通常指此檔案包含了無效的特殊字元標題欲繼續作業,您可儲存本頁面之副本,或捨棄任何更動 若儲存副本,仍會捨棄更動 但可於稍後回復副本請選擇一個空資料夾來創建新筆記本. 當然你可以選擇已有筆記本的資料夾. 目錄今天(_D)今天切換成打勾之勾選框'V'切換成打叉之勾選框'X'切換是否允許編輯筆記本左上方頂部窗格右上方系統匣圖示將頁面名稱作為任務項的標簽文件類型以 鍵去除縮排 (若不勾選,仍可用 來執行)未知狀態沒有標籤更新連結至此書頁共 %i 頁之頁面更新索引更新此頁面之標題更新鏈結更新索引使用自訂字體每個一個頁面以 鍵追蹤鏈結 (若不勾選,仍可用 來執行)去格式字版本控制此筆記本尚未啟用版本控制功能 需啟用嗎?版本垂直邊緣檢視註解(_A)觀看日誌(_L)網頁伺服器週提交錯誤時請包含以下文字框中的信息尋找完整單字(_W)寬度維基頁面:%s字數統計字數統計...字年昨天你正使用外部程式編輯檔案,當你完成編輯後再關閉對話視窗。您可以自訂工具使其顯示於 工具選單、工具列、和滑鼠右鍵選單中Zim 桌面維基縮小(_O)關於(_A)所有窗格(_A)算術(_A)回返(_B)瀏覽(_B)錯誤回報(_B)日曆(_C)子頁面(_C)清除格式(_C)關閉視窗折疊所有(_C)內容內容(_C)複製(_C)複製至此(_C)日期時間(_D)...刪除(_D)移除頁面(_R)捨棄更動(_D)編輯(_E)編輯(_E) Ditaa編輯公式(_E)編輯數據圖(_E)編輯Gnuplot(_E)編輯鏈結(_E)編輯鏈結或物件(_E)...(_E)編輯屬性編輯樂譜(_E)斜體字(_E)常見問題(_F)文件(_F)尋找(_F)...向前(_F)全螢幕(_F)前往(_G)幫助(_H)以高亮度標示(_H)歷史(_H)主頁面(_H)僅圖示(_I)圖像(_I)...匯入頁面(_I)插入(_I)前往(_J)...快捷鍵(_K)大圖示(_L)鏈結(_L)鏈結日期(_L)鏈結(_L)...底線字(_M)更多(_M)移動(_M)移動到此處(_M)移動頁面(_M)下一個(_N)下一則索引(_N)無(_N)正常大小(_N)順序(_N)列表開啟檔案或鏈結(_O)開啟別的筆記本(_O)...其它(_O)...頁面(_P)頁面層級(_P)父頁面(_P)貼上(_P)預覽(_P)上一個(_P)上一則索引(_P)列印至瀏覽器(_P)快速記筆記(_Q)退出(_Q)最近頁面(_R)取消還原(_R)正規表達式(_R)重新載入(_R)移除鏈結(_R)重新命名頁面(_R)替換(_R)取代(_R)...重設大小(_R)回復版本(_R)儲存(_S)儲存副本(_S)螢幕快照(_S)...搜尋(_S)搜尋(_S)...傳送至...(_S)側窗格(_S)並列比較(_S)小圖示(_S)排序(_S)狀態列(_S)刪除線(_S)粗體字(_S)下標體(_S)上標體(_S)範本(_T)僅文字(_T)微圖示(T)今天(_T)工具列(_T)工具(_T)還原(_U)去格式字(_V)所有版本(_V)檢視(_V)放大(_Z)calendar:week_start:1唯讀秒Launchpad Contributions: DreamerC https://launchpad.net/~dreamerwolf Henry Lee https://launchpad.net/~henrylee Jaap Karssenberg https://launchpad.net/~jaap.karssenberg Takashi Kinami https://launchpad.net/~sloanej Thomas Tsai https://launchpad.net/~thomas.tsai Tsung-Hao Lee https://launchpad.net/~tsunghao YPWang https://launchpad.net/~blue119 Zihao Wang https://launchpad.net/~wzhd cyberik https://launchpad.net/~cyberikeezim-0.68-rc1/locale/sr/0000755000175000017500000000000013224751170014466 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/sr/LC_MESSAGES/0000755000175000017500000000000013224751170016253 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/sr/LC_MESSAGES/zim.mo0000644000175000017500000006155213224750472017424 0ustar jaapjaap00000000000000, <.= l x0!  ) 33=Yq    *6(=f m x -+3FW j v3*JY ^ ky~0     $ 2= N Y cpx   ") .9H Ycvj  /@Pb v             ) > M Z j y       ! #!/!25!h!p!y!!!!! !!!! !""" ""/"M"]"x"""" """ " " "##0# F#Q# e#s##### # # ###0# $ $ -$'7$3_$$$$ $ $$$ $ $ $ $%^ % %% %% % %%% & &&$&+& @& L& Z&g& &&& &&&' '.'L'5`' '''' '''' '((( $(.(7( <(G(6Z(-(7((()),) E)O)HW) ))))))**** 3*=* B*N* T* _*m*s*^x*f* >+H+ O+[+a+i+ o+y+++ + ++ +++ +++ , , , ),4,L, ],g,l,r,{, ,,, ,,, , ,,, , , ,- --%-+-1- 7- B- P-]-c-r- x---- ----- --- .. ...4.H. P.].m. v. ... ... . . . . . /// / +/ 8/ C/O/V/_/f/ l/ v//////!/=1 2d"22d 33237334/4C44P5e5 5,5"5!56 '6O266 666;6 6$ 707?7`N7 77+77&8/8K8h88;8f8*:97e9,9;9C:1J: |:#:$: :::Z:-Y;;;%; ;;; ; <<:<.K<z<<<<'<< == 5=#B=f==|===3=.> J>W>f>">> >>>#? ? ?@@"+@*N@+y@'@+@+@%A8AKA^AqAAAAAA AA B B :BEB ]BjB%BBBBCC.C&BCiC-CC'C CD D:3DnD DxD E "E%-EGSE EE E!E/E<F&SFzF FF#FF<F[ L[m[ [[[[[-[\9\Q\Y\ k\x\\\ \\\\\\ ] +]9]$M]r] ]] ] ]]]]%^)^G^!W^ y^&^"^ ^2^_ !_/_ C_Q_a_%u___ _ _ _`!`<`'S` {``-````a,a>aMaaaa aaa aaab#b >bJb cbqb bb b bbbb%(cmd)s returned non-zero exit status %(code)i%A %d %B %Y%i _Backlink...%i _Backlinks...%i file will be deleted%i files will be deleted%i open item%i open itemsA desktop wikiAdd 'tearoff' strips to the menusAdd NotebookAll FilesAll TasksAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?ArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAuthorAutomatically turn file paths into linksBazaarC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenChangesCharactersChecking a checkbox also change any sub-itemsClearCommandCommand does not modify dataCommentComplete _notebookConfigure PluginCopy Email AddressCopy _As...Copy _LinkCould not find notebook: %sCould not find the file or folder for this notebookCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?Cu_tCustom ToolsCustom _ToolsDateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?DemoteDependenciesDescriptionDetailsDia_gram...Document RootE_xport...Edit Custom ToolEdit ImageEdit LinkEdit _SourceEditingEditing file: %sEmphasisEnabledExpand _AllExportExporting notebookFailedFailed to run application: %sFile ExistsFile existsFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFor_matFormatGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHome PageIconIcons _And TextImagesImport PageIndexIndex pageInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GnuplotInsert ImageInsert LinkInsert ScreenshotInsert SymbolInsert Text From FileInsert diagramInsert images as linkInterfaceJump toJump to PageLeave link to new pageLine SorterLinesLink files under document root with full file pathLink toLocationLog fileMap document root to URLMarkModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove page "%s"Move text toNameNew PageNew S_ub Page...New Sub PageNo changes since last versionNo dependenciesNo such file or folder: %sNo such file: %sNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen in New _WindowOpen new pageOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput folderOverwriteP_athbarPagePage "%s" does not have a folder for attachmentsPage NamePage TemplateParagraphPlease enter a comment for this versionPlease select a name and a folder for the notebook.PluginPluginsPortPr_eferencesPreferencesProfilePromoteProper_tiesPropertiesQuick NoteQuick Note...Reformat wiki markup on the flyRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemoving LinksRename PageRename page "%s"Replace _AllReplace withS_ave Version...Save A _Copy...Save CopySave VersionScoreSearchSearch _Backlinks...Select FileSelect FolderSelect ImageSelect the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionServer not startedServer startedServer stoppedShow _ChangesShow calendar in sidepane instead of as dialogShow in the toolbarShow the cursor also for pages that can not be editedSingle _pageSizeSort alphabeticallySort pages by tagsSpell CheckerStart _Web ServerStrikeStrongSy_mbol...Table of ContentsTagsTaskTask ListTemplateTextText FilesText From _File...This file already exists. Do you want to overwrite it?This page does not have an attachments folderThis usually means the file contains invalid charactersTitleTo_dayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTray IconUnknownUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse a custom fontUse a page for eachVerbatimVersion ControlVersionsView _LogWeekWhole _wordWidthWord CountWord Count...WordsYearYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zoom _Out_About_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Ditaa_Edit Equation_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Inreadonlysecondstranslator-creditsProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2012-10-06 21:09+0000 Last-Translator: Иван Старчевић Language-Team: Serbian MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) %(cmd)s враћено је излазно стање%(code)i%A %d %B %Y%i _Повратна веза...%i _Повратне везе...%i _Повратних веза...%i датотека ће бити обрисана%i датотеке ће бити обрисане%i датотека ће бити обрисано%i отворена ставка%i отворене ставке%i отворених ставки<Врх>Википедија - радна површинаДодај 'tearoff' траке за изборникеДодај бележницуСве датотекеСви задациУвек користи последњу позицију показивача приликом отварања страницеГрешкa приликом стварања слике. Да ли желите да сачувате ипак изворни текст?АритметикаПриложи датотекуПриложи _датотекуПриложи спољну датотекуПрво приложи сликуПрегледач прилогаПрилозиАуторАутоматски претвори путање датотека у везеТржницаП_одесиКале_ндарКалендарНије могуће изменити страницу: %sОткажиСнимак целог екранаПроменеЗнаковиПотврда поља за избор ће такође променити под-ставкеОчистиНаредбаКоманда не мења податкеКоментарЦелокупна _бележницаПодеси додатакУмножи е-адресуУмножи _као...Умножи _везуНије могуће пронаћи бележницу: %sНије могуће наћи датотеку или фасциклу за ову бележницуНије могуће отворити: %sНије могуће анализирати изразНије могуће прочитати: %sНије могуће сачувати страницу: %sНаправи нову страну за сваку белешкуЖелите направити фасциклу?И_сециПрилагођене алаткеПрилагођене _алаткеДатумДанПодразумеваноПодразумевани формат за копирање текста у оставиПодразумевана бележницаКашњењеОбриши странуИзбриши страницу "%s"?СнизиЗависностиОписДетаљиДиа_грамГлавни документИ_звези...Уреди прилагођене алаткеУреди сликуУреди везуУреди _изворУређивањеУређивање датотеке: %sНаглашавањеУкљученоПрошири _свеИзвезиИзвожење бележницеНије успелоПокретање програма није успело: %sДатотека постојиДатотека постојиТип датотеке није подржан: %sНазив датотекеФилтерПронађиПронађи сле_дећеПронађи пре_тходноНађи и замениТекст за претрагуфасциклаФасцикла већ постоји и има садржај, извоз у ову фасциклу могу заменити постојеће датотеке. Да ли желите да наставите?Постоји фасцикла: %sФор_матФорматGnuplotИди на почетнуИди страницу назадИди на страницу напредИди на подређену странуИди на следећу странуИди на надређену странуИди на претходну странуЗаглавље 1Заглавље 2Заглавље 3Заглавље 4Заглавље 5Заглавље _1Заглавље _2Заглавље _3Заглавље _4Заглавље _5ВисинаПочетна страницаИконаИконе _и текстСликеУвези странуИндексПоказатељ странеУметни датум и времеУметни дијаграмУметни DitaaУметни једначинуУметни GnuplotУметни сликуУбаци везуУметни снимак екранаУбаци симболУметни текст из датотекеУметни дијаграмУметни слике као везеСучељеСкочи наСкочи на страницуОставите везу ка новој странициРазврстач линијаРедовиПовежи датотеке под главним документом са пуном путањом датотекеВеза доМестоДатотека евиденцијеПресликај главни документ у УРЛ адресуОзначиИзмењеноМесецПремести страницуПремести изабрани текст...Премести текст на другу страницуПремести страницу "%s"Премести текст уНазив:Нова страницаНова под_страница...Нова подстранаНема промена од последњег издањаНема зависностиНема такве датотеке или фасцикле: %sНема такве датотеке: %sБележницаСвојства бележницеУређивање _бележницеБележницеУ редуОтвори фасциклу _прилогаОтвори фасциклуОтвори бележницуОтвори помоћу...Отвори _фасциклу докуменатаОтвори _главни документОтвори _фасциклу бележницеОтвори _страницуОтвори у новом _прозоруОтвори нову страницуОтвори са „%s“По изборуМогућностиМогућности додатка %sОстало...Излазна датотекаИзлазна фасциклаЗамениТрака _путањеСтранаСтраница "%s" нема фасциклу за прилогеИме странеШаблон странеПасусУнесете коментар за ово издањеИзаберите име и фасциклу за бележницу.ДодатакДодациПрикључакПо_ставкеПоставкеПрофилУнапредиСвојс_тваСвојстваБрза белешкаБрза белешка ...Преобликуј Вики ознаке у летуУклони везе са %i страницe које су повезане на ову страницуУклони везе са %i страницe које су повезане на ову страницуУклони везе са %i страницa које су повезане на ову страницуУклоните везе приликом брисања страницеУклањање везеПреименуј странуПреименуј страну "%s"Замени _свеЗамени сас_ачувај ово издање...Сачувај _копију...Сачувај копијуСачувај ово издањеРезултатПретрагаПретрага _повратне везе...Изаберите датотекуИзабери фасциклуИзаберите сликуИзаберите формат за извозИзаберите излазну датотеку или фасциклуИзаберите странице за извозИзабери прозор или областИзборПослужитељ није покренутПослужитељ је покренутПослужитељ је заустављенПрикажи _променеПрикажи календар у бочном окну уместо као дијалогПрикажи у алатној трациПрикажи курсор на страници која се не може изменитиПојединачна _страницаВеличинаПоређај по алфабетуПоређај странице по ознакамаПровера правописаПокрени _веб послужитељаПрецртајЈакоСи_мбол...СадржајОзнакеЗадатакСписак задатакаШаблонТекстТекстуалне датотекеТекст из_ датотеке...Ова датотека већ постоји. Желите да је замените?Ова страница нема фасциклу прилогаТо обично значи да датотека садржи неважеће знакеНасловДа_насПребаци поље за избор 'V'Пребаци поље за избор 'X'Укључи уређивање бележницеИкона у палетиНепознатоАжурирај %i страницу која је повезана на ту страницуАжурирај %i странице које су повезане на ту страницуАжурирај %i страница које су повезане на ту страницуАжурирај индексАжурирајте заглавље ове страницеАжурирање везеАжурирање индексаКористи жељени словоликКористи за сваку странуVerbatimИздање за проверуИздањаПриказ _евиденцијеСедмицаЦела _речШиринаБрој речиБројање речи...РечиГодинаВи уређујете датотеку у спољашњој апликацији. Затворите овај дијалог након изменеМожете да подесите жељене алате које ће се појавити на траци са алаткама или падајућем изборнику.У_мањи_О програму_Аритметика_Назад_Преглед_Грешке_Календар_ПодређеноОчисти форматирање_Затвори_Скупи све_Садржај_Умножи_Умножи овде_Датум и време..._Обриши_Избриши страницу_Одбаци измене_Уреди_Уреди Ditaa_Уреди једначину_Уреди Gnuplot_Уреди везу_Уреди везу или објекат..._Уреди својства_Наглашавање_ЧПП_Датотека_Нађи..._Проследи_Цео екран_Иди_Помоћ_Означено_Историјат_Почетна_Само иконе_Слика..._Увези страницу..._Уметни_Пређи на..._Тастатурне пречице_Велике иконе_Веза_Повежи на датум_Веза..._Означи_Још_Премести_Премести овде_Премести страницу..._Нова страница..._Следеће_Следећа у индексу_Ништа_Уобичајена величина_Нумерисани списак_Отвори_Отворите другу бележницу..._Остало..._Страна_Надређени_Налепи_Преглед_Претходно_Предходна у индексу_Print to Browser_Брза белешка..._Изађи_Недавне странице_Понови_Правилан израз_Поново учитај_Уклони везу_Преименуј страницу..._Замени_Замени..._Поново постави величину_Врати издање_Сачувај_Сачувај копију_Снимак екрана..._Претражи_Тражи..._Пошаљи у..._Страна по страна_Мале иконе_Разврстај линије_Статусна трака_Прецртај_Јако_Под-пис_Над-пис_Само текст_Сићушне иконе_Данас_Алатна трака_Алатке_Опозови_Verbatim_Издања..._Приказ_Увећајсамо за читањесекундеLaunchpad Contributions: Vladimir Lazic https://launchpad.net/~vlazic Иван Старчевић https://launchpad.net/~ivanstar61zim-0.68-rc1/locale/sv/0000755000175000017500000000000013224751170014472 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/sv/LC_MESSAGES/0000755000175000017500000000000013224751170016257 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/sv/LC_MESSAGES/zim.mo0000644000175000017500000012012613224750472017421 0ustar jaapjaap00000000000000H\$.$ $$ $%04%e%%4% %%i%!V&x& &V& & &'3'YH'' ' ' ' '''( $(0(7($F(?k(/(((%) *)4)C)K) R) ^) j)w) ~) ) )))))) )) **-+*<Y** *******++3;+ o++ + + ++++,3/,c,,,,,,, - - - )-6-;-?-0G-x-- --- - -- - --.~. . . .. . . ....//5%/[/ j/v/!}//#////0 0+0>0 W0c0|0000 000 0601v 11*1c182@2 G2S2k2222 222222 2 3 3 3 %3 /3 :3 E3 P3 [3f3m33!333 444%4 ,484I4 O4Z4l4~44 4444 4 4 455 05>5T5c5 y5555 55 555.5 *666<62E6x66666666 6 7 7'707 67@7V7n7 }77 7*7777 7 8818O8._88888889 9$9'9 @9 L9 Z9g9}99 99 99999 : :9: Y:Ig:!:': :;;C;0W; ; ;; ;';V;3C<0w<<<-<<<= = (=4=E=M= U= a=&l= = =====^> d>> >>>> > > ?)?-?=?S?d?k? {? ????????@ @ @ (@5@@ @@A 2AVNCV VV V V VVV V^Vf?WW WW W WWWW WWXX X +X5X ;XFXXX `XmX~X XXX X XXX XX Y #Y-Y2Y8YAY JYVYZY `YkYtY zY YYY Y Y YY YYYYY Y Z Z#Z)Z8Z >ZKZZZ`Z zZZZZZZ ZZZZZ Z[ [[ &[3[C[ L[ X[d[u[ {[[[ [ [ [ [ [ [ [[[ \ \ \ %\ 0\<\C\L\S\ Y\ c\p\v\\\\\\^^^'^^7_!H_j_;___r_EL```Z` a%a6aCQaGaaa b b b&b;bNb`b hbvb!b4b2b+c,?c lczcccc ccc c c d dd2d9d NdYd`d{dd/dZd+e 1e;eDe `ejeee-e/e"f+f @f MfZfif(xf#ff:f"g@gVgqgg)gg g g g g hh h5 hVh mh {hh h h hhhhhhii i i i iii jj,j3j Oj/Yjj j j$jj'jk -k:kOkdk vkkk kkkkk kk l lI&lpluxllmwmmm m'mmmmn nn3nOndnnnnnnn n n n n nn"n)"o$Lo&qooooooooo p pp*p?p Np[pkp}p p ppppppqq /q;qTq [qfq"vqqqq=qrr $r3/r crorurr&r r rs s s 1s;sCs JsVsnssss4sGs5tsdK̈,KpZP΍Cc/̑<’Ȓ 9ߓ/8L+hY dl%|ӕ_hqX ܖ   a! ƗʗΗ`՗Y6  Ș И ژ   #. 7DV _m Ι&9Rdl~  šǚ֚ߚ  !( ;ENS [gw›ʛ    +9Of{ ǜݜ #*9?H Xe t  ɝ ѝޝ   , 2< R^g%(cmd)s returned non-zero exit status %(code)i%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.Add 'tearoff' strips to the menusAdd ApplicationAdd NotebookAdds spell checking support using gtkspell. This is a core plugin shipping with zim. All FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAuthorAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsBackLinksBackLinks PaneBackendBazaarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenChangesCharactersCharacters excluding spacesCheck _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearCode BlockCommandCommand does not modify dataCommentComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?Cu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?DemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatGNU _R PlotGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationMap document root to URLMarkMatch _caseMaximum page widthMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen in New _WindowOpen new pageOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage has un-saved changesParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRight Side PaneRight margin positionS_ave Version...S_coreSave A _Copy...Save CopySave VersionSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...SectionSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet default text editorShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow in the toolbarShow right marginShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTable of ContentsTagsTags for non-actionable tasksTaskTask ListTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The inline calculator plugin was not able to evaluate the expression at the cursor.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.ToCTo_dayTodayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUnindent on (If disabled you can still use )UnknownUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse a custom fontUse a page for eachUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWord CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Incalendar:week_start:0readonlysecondstranslator-creditsProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-07-10 16:46+0000 Last-Translator: Jaap Karssenberg Language-Team: Swedish MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n != 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) %(cmd)s gav felkod %(code)i%A den %d %B %Y%i _Bilaga%i _Bilagor%i _bakåtlänk...%i _bakåtlänkar...%i fel hittades, se logg%i fil kommer att tas bort%i filer kommer att tas bort%i öppet objekt%i öppna objekt%i varning(ar), se logg(Ta bort) indrag i en lista ändrar också alla underobjektEn skrivbordswikiEn fil med namnet "%s" finns redan. Du kan ange ett annat filnamn eller skriva över den existerande filen.Gör varje meny löstagbar och möjlig att öppna i ett eget fönsterLägg till programLägg till anteckningsbokAktiverar stavningskotroll med hjälp av gtkspell. Detta tilläggsprogram medföljer zim. Alla filerAlla aktiviteterTillåt åtkomst för allaÅtervänd alltid till senaste markörposition när en sida öppnasEtt fel uppstod när bilden skapades. Vill du spara källtexten ändå?Sidans källkod med kommentarerProgramAritmetikBifoga fil_Bifoga filBifoga en extern filBifoga bild förstBilage-bläddrareBilagorAnvändarnamnAutomatiskt indragAutomatiskt sparad version av zimVälj det aktuella ordet automatiskt vid formateringGör automatiskt om ord i "CamelCase" till länkarGör automatiskt om sökvägar till länkarSpara automatiskt med jämna tidsintervallerBakåtlänkarPanel för bakåtlänkarBakgrundsprogramBazaarNederst till vänsterBottenpanelNederst till högerBläddraPunk_tlistaK_onfigureraKalen_derKalenderKan inte redigera sidan: %sAvbrytFånga hela skärmenÄndringarTeckenTecken exklusive mellanrumKontrollera _stavningkryssrutelistaMarkera en kryssruta påverkar alla underobjektKlassisk ikon för aktivititetsfältet. Använd inte den nya typen av statusikon i Ubuntu.RensaKodstyckeKommandoKommandot ändrar inte dataKommentarHela _anteckningsbokenKonfigurera programmetKonfigurera modulKonfigurera progammet att öppna "%s" länkarKonfigurera programmet att öppna filtypen "%s"Se alla kryssrutor som aktiviteterKopiera e-postadressKopiera mallKopiera _somKopiera _länkKopiera _platsKunde inte hitta den körbara filen "%s"Kunde inte hitta anteckningsbok: %sKunde inte hitta mallen "%s"Kunde inte hitta filen eller platsen för anteckningsbokenKunde inte ladda stavningskontrollKunde inte öppna: %sKunde inte tolka uttrycketKunde inte läsa: %sKunde inte spara sida: %sSkapa en ny sida för varje ny anteckningSkapa katalog?Klipp _utEgna verktygEgna _verktygAnpassar...DatumDagStandardvalStandardformat för att kopiera text till klippbordetStandardanteckningsbokFördröjningTa bort sidaTa bort sidan ”%s”Lägre nivåBeroendenBeskrivningDetaljerTa_bellKasta anteckning?Störningsfri redigeringDitaaVill du återskapa sidan: %(page)s till den sparade versionen: %(version)s ? Alla ändringar efter att du senast sparade kommer att förloras!Dokumentets root_EkvationE_xportera...Inställningar för eget verktygRedigera bildRedigera länkR_edigera källkodRedigeringRedigerar filen: %sKursivAktivera versionshantering?AktiveradFel i %(file)s i rad %(line)i vid "%(snippet)s"Utvärdera _Matematik_Visa allaExporteraExportera alla sidor som en enda filExporten är klarExportera varje sida som en separat filExporterar anteckningsbokMisslyckadesKunde inte starta %sKunde inte starta %sFilen finns redan_FilmallarFilen ändrades på disken: %sFilen finns redanSkrivfel: %sFiltypen stöds ej: %sFilnamnFilterSökSök _nästaSök _föregåendeSök och ersättSök efterMarkera aktiviteter som inträffar på måndag eller tisdag, innan helgenKatalogKatalogen finns redan och innehåller filer, att exportera hit kan skriva över befintliga filer. Vill du fortsätta?Mapp existerar: %sMapp med mallar för bilagorFör avancerad sökning kan du använda operatorer som AND, OR och NOT. Se hjälpsidorna för utförligare beskrivning._FormatFormatGNU _R PlotHitta fler insticksmoduler på internetHitta fler mallar på internetGitGnuplotGå hemGå en sida bakåtGå en sida framåtGå till underliggande sidaGå till nästa sidaGå till ovanliggande sidaGå till föregående sidaRubrik 1Rubrik 2Rubrik 3Rubrik 4Rubrik 5Rubrik _1Rubrik _2Rubrik _3Rubrik _4Rubrik _5HöjdDölj menyraden i fullskärmslägeDölj sökvägsfältet i fullskärmslägeDölj statusraden i fullskärmslägeDölj verktygsraden i fullskärmslägeFärgmarkera aktuell radWebbsidaIkonIkoner _och textBilderImportera sidaInkludera undersidorIndexRegistersidaKalkylatorInfoga kodstyckeInfoga datum och tidInfoga diagramInfoga DitaaInfoga ekvationInfoga GNU R PlotInfoga GnuplotInfoga bildInfoga länkInfoga partiturInfoga skärmbildInfoga sekvensdiagramInfoga specialteckenInfoga text från filInfoga diagramInfoga bilder som länkGränssnittNyckelord för interwikiDagbokHoppa tillHoppa till sidaEtiketter som markerar aktiviteterSenast ändradLämna länk till ny sidaVänster panelBegräns sökning till den aktuella sidan och dess undersidorSortera linjerRaderLänkkartaLänka till filer i dokumentroten med full sökvägLänka tillPlatsLogga händelser med ZeitgeistLoggfilDet verkar som om du har hittat en bugSätt programmet som standardvalTilldela dokumentets root en URLMarkeraMatcha _små/storaMaximal sidbreddMercurialÄndradMånadFlytta sidaFlytta markerad text...Flytta text till en annan sidaFlytta sida ”%s”Flytta text tillNamnDu måste ange en fil för att kunna exportera MHTMLDu måste ange en folder för att kunna exportera hela anteckningsbokenNy filNy sidaNy _undersidaNy undersidaNy _bilagaHittade inte programmetInga ändringar sedan senaste versionenInga beroendenDet finns ingen insticksmodul som kan visa det här objektet.Ingen sådan fil eller katalog: %sFilen saknas: %sIngen sådan wiki har angetts: %sInga mallar är installeradeAnteckningsbokEgenskaper för anteckningsbokAnteckningsbok _redigerbarAnteckningsböckerOKÖppna katalog för _bifogade filerÖppna katalogÖppna anteckningsbokÖppna med...Öppna dokument_katalogÖppna dokument_rotÖppna _anteckningsbokens katalogÖppna _sidaÖppna i _nytt fönsterÖppna ny sidaÖppna med "%s"ValfriAlternativAlternativ för insticksmodulen %sAnnan...ExportfilFilen finns redan. Ange "--overwrite" för att tvinga exportUtdatakatalogMappen finns redan och den är inte tom. Ange "--overwrite" för att tvinga exportAnge plats för att kunna exporteraUtskrift skall ersätta markeringenSkriv överS_ökvägsfältSidaSidan "%s" och alla dess undersidor och bifogade filer kommer att raderas.Sidan "%s" har ingen mapp för bifogade filer.SidnamnSidmallÄndringarna på sidan har inte sparatsStyckeAnge en kommentar för den här versionenObservera att länkning till en icke existerande sida automatiskt skapar en ny sida.Välj ett namn och en mapp för anteckningsbokenMarkera mer än en rad.Ange en anteckningsbokInsticksmodulInsticksmodul %s behövs för att kunna visa objektetInsticksmodulerPortPlacering i fönstret_InställningarInställningarSkriv till webläsareProfilHögre nivå_EgenskaperEgenskaperBestämmer vilka händelser som ska loggas av Zeitgeist.Snabb anteckningSnabb anteckning...Senaste ändringarSenaste ändringarna...Senast _ändrade sidorOmformatera wiki markup kontinuerligtTa bort länkar från %i sida, som länkar till denna sida.Ta bort länkar från %i sidor, som länkar till denna sida.Ta bort länk när en sida raderasTar bort länkarByt namn på sidaByt namn på sidan ”%s”Att upprepande gånger klicka på en kryssruta växlar genom lägena för kryssrutanErsätt _allaErsätt medÅterställ sida till sparad version?VerHöger panelHögermarginalens positionSp_ara version..._PartiturSpara so_m...Spara somSpara versionSparad version av zimResultatBakgrundsfärgKommando för skärmdumpHittaSök sidor...Sök _bakåtlänkarSektionVälj filVälj katalogVälj bildVälj en version för att se ändringar mellan den versionen och den aktuella. Du kan också välja flera versioner och se ändringar mellan dessa. Välj exportformatExportera till fil eller katalogVälj vilka sidor som ska exporterasVälj fönster eller regionMarkeringSekvensdiagramServer ej startadServer startadServer stoppadVälj textredigerare som standardVisa alla panelerÖppna filhanterareVisa radnummerVisa länkkartaVisa sidopanelerVisa innehållsförteckning som en flyttbar widget istället för sidopanelVisa ändringarVisa en ikon för varje anteckningsbokVisa kalenderVisa kalender i sidopanel i stället för dialogVisa på verktygsradenVisa högermarginalVisa pekaren också på sidor som inte kan redigerasVisa sidans titelrubrik i innehållsförteckningenEnkel _sidaStorlekSmart hemnyckelEtt fel inträffade vid körningen av "%s"Sortera alfabetisktSortera sidor efter taggarVisa källaStavningskontrollStarta_webbserverGenomstrykningFetstilSpe_cialtecken...SyntaxOperativsystemets standardprogramInnehållsförteckningEtiketterEtiketter för aktiviteter som inte behöver åtgärdasUppgiftUppgiftslistaMallMallarTextTextfilerText från _fil...TeckenbakgrundTextfärgFilen eller platsen du angav existerar inte. Var vänlig kontrollera att sökvägen är korrekt.Mappen %s finns inte. Vill du skapa den nu?Mappen "%s" finns inte. Vill du skapa den nu?Kalkylator-tilläggsprogrammet kunde inte utvärdera uttrycket under markören.Inga ändringar har gjorts i anteckningsboken sedan den senast sparadesDetta kan bero på att du inte har rätt ordlista installeradDenna fil finns redan. Vill du skriva över den?Den här sidan har ingen katalog för bifogade filerDetta tilläggsprogram låter dig ta en skärmdump och infoga den på en sida i Zim. Detta är ett kärnprogram som följer med Zim. Detta tilläggsprogram visar alla oavslutade aktiviteter i den här anteckningsboken. En oavslutad aktivitet kan vara antingen omarkerade kryssrutor eller objekt markerade med etiketter som "TODO" eller "FIXME". Detta är ett kärnprogram som följer med Zim. Detta tilläggsprogram tillhandahåller ett sätt att snabbt lägga in text eller ett urklipp på en sida i Zim. Detta är ett kärnprogram som följer med Zim. Detta tilläggsprogram lägger till en ikon i aktivitetsfältet för lätt tillgänglighet. Programmet kräver Gtk+ version 2.10 eller senare. Detta är ett kärnpogram som följer med Zim. Insticksmodul för widget, som visar en lista på sidor som länkar till den aktuella sidan. Det här är en basmodul som kommer med Zim. Insticksmodul som infogar en extra widget med en innehållsförteckning för den aktuella sidan. Det här är en basmodul som kommer med Zim. Insticksmodul som låter dig ställa in Zim för störningsfri redigering. Detta tilläggsprogram tillhandahåller en dialogruta för att infoga specialtecken och tillåter autoformatering av typografiska tecken. Detta är ett kärnprogram som följer med Zim. Insticksmodul för versionshantering av anteckningsböcker. Insticksmodulen hör stöd för Bazaar, Git och Mercurial. Detta är en basmodul som kommer med Zim. Insticksmodul som infogar kodstycken på sidan. Dessa kommer att visas som inbäddade widgetar med syntaxmarkering, radnummer och så vidare. Insticksmodul för att infoga aritmetiska beräkningar i Zim. Den baseras på den aritmetiska modulen från http://pp.com.mx/python/aritmetic. Det här tilläggsprogrammet tillåter dig att snabbt utvärdera enkla matematiska uttryck i zim. Det här är ett bas-tilläggsprogram som kommer med zim. Insticksmodul för att redigera diagram i Zim, baserat på Ditaa. Det här är en basmodul som kommer med Zim. Detta tilläggsprogram tillhandahåller en diagramredigerare för zim som baseras på GraphViz Detta tilläggsprogram följer med zim. Detta tilläggsprogram öppnar en grafisk representation av länkstrukturen i din anteckningsbol. Det kan användas som en sorts "mind map" som visar hur sidor relaterar till varandra. Detta är ett kärnprogram som följer med Zim. Detta tilläggsprogram tillhandahåller en diagramredigerare baserad på GNU R. Insticksmodul för att redigera grafer i Zim, baserat på Gnuplot. Den här insticksmodulen ger möjlighet att redigera sekvensdiagram i Zim, baserat på seqdiag. Det är ett enkelt sätt att redigera sekvensdiagram. Detta tilläggsprogram ersätter bristen på utskriftsstöd i Zim. Det exporterar den aktuella sidan till html och öppnar en webläsare. Om webläsaren har stöd för utskrifter kommer detta ge möjligheten att skriva ut i två steg. Detta är ett kärnprogram som följer med Zim. Detta tilläggsprogram tillhandahåller en ekvationsredigerare baserad på latex. Detta är ett kärnprogram som följer med Zim. Den här insticksmodulen ger dig en partiturredigerare för Zim, baserad på GNU Lilypond. Det här är en basinsticksmodul som kommer med Zim. Insticksmodul för att sortera markerade rader i alfabetisk ordning. Om listan redan är sorterade kommer ordningen att bli omvänd (från A-Ö till Ö-A). Insticksmodul som förvandlar en sektion i anteckningsboken till en dagbok med en sida per dag, vecka eller månad. Den lägger också till en kalenderwidget för att nå dessa sidor. Det är vanligen för att filen innehåller felaktiga teckenTitelFör att fortsätta måste du spara en kopia av den här sidan eller förkasta alla ändringar. Om du sparar en kopia kommer ändringarna också att förkastas, men du kan återskapa kopian senare.InnehållI_dagI dag(Av)markera kryssruta - bock(Av)markera kryssruta - kryssVäxla om anteckningsboken ska vara redigerbar eller inteÖverst till vänsterToppanelÖverst till högerIkon för aktivitetsfältetOmvandla sidnamn till taggar för uppgifterFiltypTa bort indrag med (om du avaktiverar kan fortfarande användas)OkändEj taggadeUppdatera %i sida som länkar till den här sidanUppdatera %i sidor som länkar till den här sidanUppdatera indexUppdatera rubriken på den här sidanUppdaterar länkarUppdaterar biblioteksstrukturAnvänd anpassat typsnittAnvänd en sida för varjeAnvänd för att följa länkar (om avstängd kan du fortfarande använda )SpärradVersionshanteringVersionskontroll är inte aktivierat för den här anteckningsboken Vill du aktivera nu?VersionerSidomarginalVisa _kommentarerVisa _loggWebbserverVeckaVar vänlig och inkludera informationen från textrutan nedan när du rapporterar den här buggenSök endast _hela ordBreddWikisida: %sRäkna ordRäkna _ord...OrdÅrI gårDu redigerar en fil i ett externt program. Du kan stänga den här dialogrutan när du är klar.Du kan konfigurera egna verktyg som kommer att synas i verktygsmenyn eller i snabbmenyer.Zim Desktop WikiZooma _ut_Om_Alla paneler_Aritmetik_Bakåt_BläddraKända _fel_KalenderUnderordnad_Rensa formateringSt_äng_Dölj alla_Innehåll_Kopiera_Kopiera hit_Datum och tid..._Ta bort_Ta bort sida_Förkasta ändringar_Redigera_Redigera DitaaRedigera _formel_Inställningar för GNU R Plot_Redigera Gnuplot._Redigera länk_Redigera länk eller objekt..._Redigera egenskaper_Redigera partitur_Redigera sekvensdiagram_Redigera diagram_Kursiv_Frågor och svar_Arkiv_Sök..._Framåt_Helskärm_Gå_Hjälp_Markera_Historik_HemEndast _ikoner_Bild..._Importera sida_InfogaHo_ppa till_SnabbkommandonS_tora ikoner_Länk_Länka till datum_Länk..._Markera_Mer_Flytta_Flytta hit_Flytta sida..._Ny sida_NästaN_ästa i register_Ingen_Normal storlek_Numrerad lista_Öppna_Öppna anteckningsbok..._Annan..._SidaSid_hierarkiÖverordnadK_listra in_Förhandsgranska_FöregåendeF_öregående i index_Skriv till webläsare_Snabb anteckning..._AvslutaSenaste sidor_Gör om_Reguljärt uttryck_Läs om_Ta bort länk_Byt namn på sida..._Ersätt_Ersätt..._Återställ storlek_Återställ version_Spara_Spara_Skärmbild..._Sök_Sök..._Skicka till..._Sidopaneler_Sida vid sidaS_må ikoner_Sortera rader_Statusrad_Genomstrykning_Fetstil_Nedsänkt_Upphöjd_MallarEndast _text_Pyttesmå ikoner_Idag_VerktygsradVer_ktyg_Ångra_Spärrad_Versioner..._VisaZooma _incalendar:week_start:1Ej skrivbarsekunderLaunchpad Contributions: Jaap Karssenberg https://launchpad.net/~jaap.karssenberg Jesper J https://launchpad.net/~jesperj Jonatan Nyberg https://launchpad.net/~jony0008 Kess Vargavind https://launchpad.net/~kess Leopold Augustsson https://launchpad.net/~leopold-augustsson Mikael Mildén https://launchpad.net/~mikael-milden Patrik Nilsson https://launchpad.net/~nipatriknilsson Rustan Håkansson https://launchpad.net/~rustanhakansson rylleman https://launchpad.net/~ryllemanzim-0.68-rc1/locale/ja/0000755000175000017500000000000013224751170014434 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/ja/LC_MESSAGES/0000755000175000017500000000000013224751170016221 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/ja/LC_MESSAGES/zim.mo0000644000175000017500000013260013224750472017363 0ustar jaapjaap00000000000000EDl$.m$ $$ $$0%5%P%4n%% %%i%!,&N& ^&Vk& & &&3&Y'x' ' ' ' '''' '( ($(?A(/(((%( ) ))!) () 4) @)M) T) a) l)v))))) )))-)<*P* V*a*i*******+*3!+ U+v+ + + +++++3,I,g,z,,,,,, , - --!-%-0--^-o- u--- - -- - ---~- s. . .. . . ...../5 /A/ P/\/!c//#///// 00$0 =0I0b0~000 000 0600v1}1*1c12&2 -292=2E2 M2Z2j2{222 2 2 2 2 2 2 2 2 3 33!3A3!a333 3333 333 44 424G4 V4c4s44 4 4 444 4455 -575I5Q5 Y5f5 {555 55525566(616L6e6~6 66 666 6666 77 7*57`7i7r7 77777.78.8?8X8o8x88 888 8 8 8899 ,979 K9Y9h9q9y99 999 9I9!6:'X: :::C:0: ; ;%; ?;'I;Vq;3;0;-<G<-N<|<<< < <<<< < <&< = #=1=@=R=j=^= = > >%>>6> u> >>>>>>>> ? ??.?4?L?S?c? x? ? ??/@ H@i@@ @@@@@@AA'A 9AGA2WA A&A A.AAB5"B&XB BBB&BBB B BCC!C (C3C:C ICSCeCjCC CC CC CCCCYC?SDADSDK)E@uE6E-ExFF]GGpH}HLoIIFJJ{K} LhLkL]MR1N;N=NvNuOjPnPcQ7QR!RRRRRRRSS !S +S'5S]SDbSSSHS TT.T=TLT^TPrTTTUT2U;UKU [U eUpUNuU UU U U UUV V^VfqVV VV V WWWW %W/W6WHW OW ]WgW mWxWW WWW WWW W WWX $X0X GX UX_XdXjXsX |XXX XXX X XXX X X XY YYY#Y)Y /Y :Y HYUY[YjY pY}YYY YYYYY YYYZZ Z&Z,Z@Z HZUZeZ nZ zZZZ ZZZ Z Z Z Z Z Z [[[ $[ /[ <[ G[ R[^[e[n[u[ {[ [[[[[[[[G] ]]]A^$X^}^>^P^#_3)_]_z_8!`!Z`|``a 2a$?aKdaa3bObhbobbbbbbbb*cZ0cMc9c9d MdZdpddd dddd ddd%de+eJe Qe[e%ueTece Tf^f tf6f f$f$fg',gTg@mgOg6g!5hWhvhhh=h.i.4iTci6iij"j%3j-Yj$jjjjjk kkKk$jk kk%kkkk kll=lSlYlm /m:mTmsmmmmmm.mn;nYnpnn<nnBn*-oXo_o.soo%o=op%,p(Rp{p pppppp?p -q:qr=&rdrrrssss2sKsds'zss's s s s t tt&t5tDtStbt6it0t9t3 u?uXu kuxuuuuuuvv;vKvgvvvvvvvv$vww'/wWw!swwww wwwx*x Fx Sx`xgxQzx xxxx-y3=y3qyyyy yyyyz' zHz azkzArzWz {{/{L{%b{0{3{{]{#R|v||||$||}&})}I}_}${}+}(}+}!~%8~^~z~~~#~ ~~~m33I } aE JWsKpHV=*݂Vo Ѓ-<Rk{@XBHNӅ"37C{  ʆ$ /9IPc}-p(*Lj' '$:_{*‰މ )TE99;T<g0Ջ :$JoԌ  )07 S`p ܍ NvMŎ|`[\M9L v ΙF/̝[]c0[]  #.&5&\* ¥ɥ?ߥh& +̦!-On % èרv|  ˩թ٩f" !,@ W b m x ͫ   (3J do,Ѭ,L lw  ǭ ҭ  !"/ R ]k ͮ ޮ - DO `k %į կ $5O lw İ۰ . KV"m α 3 A L Zh  ̲ڲ   "& IV%Z%(cmd)s returned non-zero exit status %(code)i%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.Add 'tearoff' strips to the menusAdd ApplicationAdd NotebookAdds spell checking support using gtkspell. This is a core plugin shipping with zim. All FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAuthorAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsBackLinksBackLinks PaneBackendBazaarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenChangesCharactersCheck _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearCode BlockCommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?Cu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?DemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatGNU _R PlotGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeft Side PaneLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationMap document root to URLMarkMatch _caseMaximum page widthMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen in New _WindowOpen new pageOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage has un-saved changesParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRight Side PaneRight margin positionS_ave Version...S_coreSave A _Copy...Save CopySave VersionSaved version from zimScoreScreen background colorSearchSearch Pages...Search _Backlinks...Select FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet default text editorShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow in the toolbarShow right marginShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTable of ContentsTagsTags for non-actionable tasksTaskTask ListTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The inline calculator plugin was not able to evaluate the expression at the cursor.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.ToCTo_dayTodayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUnindent on (If disabled you can still use )UnknownUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse a custom fontUse a page for eachUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWord CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Incalendar:week_start:0readonlysecondstranslator-creditsProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-07-10 16:40+0000 Last-Translator: DukeDog Language-Team: Japanese MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=1; plural=0; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) %(cmd)s が非ゼロの終了ステータス%(code)i を返しました%Y %B %d %A添付数(_A): %i逆リンク: %i (_B)...%iエラーが発生しました、ログを参照して下さい%i ファイルを削除しました%i の未処理項目%i警告が発生しました、ログを参照して下さいリストアイテムの字下げ(解除)をサブアイテムにも適用する未知のファイル名用のプレースホルダデスクトップ ウィキ"%s" という名前のファイルが既に存在しています。 別の名前にするか、既存のファイルを上書きすることが出来ます。メニューを"点線"で切り離せるようにするアプリケーションを追加ノートブック追加gtkspellを使用したスペルチェック機能を追加します。 これはZimに同梱される基幹プラグインです。 全てのファイル全タスクパブリックアクセスを許可最後にページを開いていた時のカーソル位置を記録するイメージの生成中にエラーが発生しました。 ソーステキストをこのまま保存して宜しいですか?ページソースの注釈アプリケーション演算添付ファイル添付ファイル(_F)外部ファイルを添付始めに画像を添付添付ブラウザ添付作者自動インデントZimに自動保存されたバージョン現在カーソルがある単語に対して自動的にフォーマットを適用するキャメル記法(CamelCase)の単語を自動的にリンクへ変換するファイルパスを自動的にリンクへ変換する一定の間隔毎にバージョンを自動保存する逆リンク逆リンクペインバックエンドBazaar左下下ペイン右下参照箇条書きリスト(_T)設定(_O)カレンダー(_D)カレンダーページを更新できません: %sキャンセル画面全体をキャプチャ変更文字数スペルチェック(_S)チェックボックスリスト(_X)チェックボックスへの変更を全てのサブアイテムにも適用する旧トレイアイコン (Ubuntuで新しい形式のステータスアイコンを使用しない)クリアコードブロックコマンドこのコマンドによるデータの改変を禁止コメント通常のインクルードフッタ通常のインクルードヘッダノートブック全体(_N)アプリケーションを設定するプラグインの設定"%s"のリンクを開くアプリケーションを設定するタイプが"%s"のファイルを開くアプリケーションを設定する全てのチェックボックスをタスクとするメールアドレスをコピーテンプレートをコピー特殊コピー(_A)...リンクをコピー(_L)ウィキパスをコピー(_L)実行可能ファイル"%s"が見つかりませんでしたノートブックが見つかりません: %sテンプレート"%s"が見つかりませんこのノートブック用のファイル又はフォルダが見つかりませんスペルチェックを読み込めませんでした開けません: %s数式を解析できません読込不能: %sページを保存できません: %s入力項目毎に新しいページを作成フォルダを作成しますか?切り取り(_T)カスタムツールカスタムツール(_T)カスタマイズ...日付日デフォルトクリップボードにコピーするテキストのデフォルト形式デフォルトのノートブック待機時間ページを削除ページ "%s" を削除しますか?下位依存ファイル説明詳細情報ダイアグラム(_G)...ノートを破棄しますか?集中編集モードDitaa復元するページ: %(page)s 保存バージョン: %(version)s この復元を行いますか? 最終保存バージョン以降に行われた全ての変更は破棄されます!ドキュメントルート数式(_Q)エクスポート(_X)...カスタムツールの編集画像プロパティの編集リンクの編集ソースを編集(_S)編集ファイルの編集中: %s斜体バージョン管理を有効にしますか?有効%(file)s内の%(line)i行の"%(snippet)s"付近でエラー計算式を評価(_M)全て開く(_A)エクスポート全てのページを単一ファイルにエクスポートエクスポート完了それぞれのページを個別ファイルにエクスポートノートブックをエクスポート中失敗実行に失敗: %sアプリケーションの実行に失敗: %s既存ファイルファイルテンプレート(_T)...ディスク上でファイルが変更されています: %s既存ファイルファイルは書き込み不可: %s未サポートのファイル形式: %sファイル名フィルタページ内検索次を検索(_X)前を検索(_V)検索と置換検索文字列終末を控えた月曜又は火曜のフラグタスク期限フォルダ指定したフォルダ内には既にデータが存在しており、このフォルダにエクスポートすれば既存ファイルを上書きする可能性があります。 続けて宜しいですか?既存フォルダ: %s添付ファイル用テンプレートの格納フォルダ:高度な検索用にANDやOR、NOTといった演算子が 使用できます。詳しくはヘルプを参照して下さい。フォーマット(_M)書式GNU R Plot(_R)GitGnuplotホームへ移動前のページへ戻る次のページへ進む子ページへ移動次のインデックス項目へ移動親ページへ移動前のインデックス項目へ移動見出し1見出し2見出し3見出し4見出し5見出し1(_1)見出し2(_2)見出し3(_3)見出し4(_4)見出し5(_5)高さ全画面表示でメニューバーを表示しない全画面表示でパスバーを表示しない全画面表示でステータスバーを表示しない全画面表示でツールバーを表示しない現在行を強調表示ホームページアイコンアイコンとテキスト(_A)画像ページのインポートサブページを含めるインデックスインデックスページインライン電卓コードブロックを挿入日時の挿入ダイアグラムの挿入ditaaを挿入数式の挿入GNU R Plotの挿入Gnuplotの挿入画像を挿入リンクの挿入楽譜を挿入スクリーンショットの挿入シーケンス図を挿入記号の挿入ファイルからテキストを挿入ダイアグラムの挿入リンクとして画像を挿入インタフェースInterwikiキーワード日誌移動先移動先ページ:タスク処理するラベル最終更新日時新しいページへのリンクを残す左ペイン行ソート行数リンクマップドキュメントルート以降のファイルをフルパスでリンクするリンク先場所Zeitgeistログイベントログファイルバグに遭遇した可能性がありますデフォルトのアプリケーションにするドキュメントルートをURLにマップする下線大小文字を区別(_C)最大ページ幅Mercurial更新月ページの移動選択テキストに移動...他のページへテキストを移動ページ "%s" へ移動移動先名前MHTMLをエクスポートする出力ファイルが必要です完全なノートブックをエクスポートする出力フォルダが必要です新規ファイル新規ページ新規サブページ(_U)...新規サブページ添付ファイルを新規作成(_A)アプリケーションが見つかりません最終バージョンから変更はありません無しこのオブジェクトを表示する為に利用できるプラグインがありませんファイル/フォルダ無し: %sファイル無し: %sWikiの定義無し: %sテンプレート無しノートブックノートブックのプロパティノートブック編集(_E)ノートブックOK添付フォルダを開く(_F)フォルダを開くノートブックを開くアプリケーションで開く...ドキュメントフォルダを開く(_D)ドキュメントルートを開く(_D)ノートブックフォルダを開く(_N)ページを開く(_P)新しいウィンドウで開く(_W)新しいページを開く"%s" で開くオプションオプションプラグイン%sのオプションその他...出力ファイル出力フォルダが既に存在しています、エクスポートを強制するには"--overwrite"を指定して下さい出力フォルダ出力フォルダが既に存在していて空ではありません、エクスポートを強制するには"--overwrite"を指定して下さいエクスポート用の出力場所が必要です出力は現在の選択と置き換えられます上書きパスバー(_A)ページページ "%s" とその全てのサブページ 及び添付ファイルが削除されます。ページ "%s" は添付用のフォルダを持っていません。ページ名ページテンプレート変更を未保存のページ段落このバージョンについてのコメントを入力してください存在しないページへのリンクを作成すれば 自動的に新しいページが作成されます。ノートブックの名前とフォルダを選択してください。1行以上選択することが前提条件になります。ノートブックを指定して下さいプラグインこのオブジェクトを表示するにはプラグイン%sが必要となりますプラグインポート番号ウィンドウの位置設定(_E)設定ブラウザで印刷プロフィール上位プロパティ(_T)プロパティZeitgeistデーモンへイベントを送るクイックノートクイックノート...最近の変更最近の変更...最近変更したページ(_C)編集中のWikiマークアップを再フォーマットするこのページへリンクしている %i ページからリンクを取り除きますページ削除時にそのページへのリンクも取り除くリンクの削除中ページ名の変更ページ名 "%s" を変更クリックによるチェックボックスの状態変更を循環させる全て置換(_A)置換文字列保存バージョンからの復元を行いますか?Rev右ペイン右余白の位置バージョンを保存(_A)...楽譜(_C)コピーの保存(_C)コピーの保存保存バージョンZimに保存されたバージョンスコア画面背景色検索ページ検索...逆リンク検索(_B)...ファイルの選択フォルダの選択画像の選択バージョンを選択して現在のものとの相違点を表示します。 または複数のバージョンを選択して相互間の相違を見ることもできます。 エクスポートフォーマットの選択出力ファイル/フォルダの選択エクスポートするページの選択ウィンドウまたは範囲を選択選択範囲シーケンス図サーバは起動していませんサーバは起動中ですサーバは停止中です既定のテキストエディタを設定全てのペインを表示添付ブラウザを表示行番号を表示リンクマップの表示サイドペインを表示サイドペインではなく独立したウィジェットとして目次を表示変更を表示(_C)ノートブックで個別にアイコンを表示するカレンダーを表示ダイアログの替わりにサイドペインに表示ツールバーに表示右余白を表示編集できないページにもカーソルを表示するページタイトルヘッダをToC内に表示単一ページ(_P)サイズスマートホットキー"%s"起動中に何らかのエラーが発生しましたアルファベット順にソートタグでページをソートソース表示スペルチェッカウェブサーバを起動(_W)取り消し線太字記号(_M)...構文システムのデフォルトタブ幅目次タグ無期限タスク用タグタスク名タスク一覧テンプレートテンプレートテキストテキストファイルテキストファイル(_F)...文字背景色文字色指定されたファイルまたはフォルダが存在しません。 パスが正しいかどうか確認して下さい。フォルダ %s はまだ存在しません。 作成して宜しいですか?フォルダ "%s" はまだ存在しません。 今すぐ作成しますか?インライン電卓プラグインでカーソル位置の の計算式を評価することが出来ませんでした。このノートは最後に保存されたバージョンから全く変更されていませんこれは適切な辞書がインストールされていない ことを意味します。このファイルは既に存在します。 このまま上書きして宜しいですか?このページには添付フォルダがありませんこのプラグインはスクリーンショットを撮ってZimページ内に直接挿入することができます。 これはZimに同梱される基幹プラグインです。 このプラグインはノートブック内に存在する全てのタスクを表示するダイアログを提供します。 タスク候補にはチェックボックスか、"TODO"または"FIXME"としてタグが付けられたアイテムが選ばれます。 これはZimに同梱される基幹プラグインです。 このプラグインはいくつかのテキストを入力したり、クリップボードの内容を貼り付けたりすることで、素早くZimページを作成できるダイアログを提供します。 これはZimに同梱される基幹プラグインです。 このプラグインはZimにすぐアクセス出来るようになるトレイアイコンを提供します。 このプラグインには Gtk+ 2.10 以降のバージョンが必須となります。 これはZimに同梱される基幹プラグインです。 このプラグインは現在のページへリンクしているページのリストを表示する拡張ウィジェットを追加します。 これはZimに同梱される基幹プラグインです。 このプラグインは現在のページに目次を表示するウィジェットを提供します。 これはZimに同梱される基幹プラグインです。 このプラグインはzimの使用中、集中力を損なう無駄な表示をしない設定を追加します。 このプラグインは特殊な記号や文字を挿入する"記号を挿入"ダイアログを追加し、それらの記号や文字を自動的に書式化します。 これはZimに同梱される基幹プラグインです。 このプラグインはノートブック用のバージョン管理機能を提供します。 このプラグインはBazaar、Git、Mercurialバージョン管理機構をサポートしています。 これはZimに同梱される基幹プラグインです。 このプラグインはページ内に‘コードブロック’を追加出来るようにします。 これらは構文強調や行番号等の埋め込みウィジェットとして表示されます このプラグインはzimに埋込演算機能を追加します。 この機能は http://pp.com.mx/python/arithmetic の演算モジュールに基づいて作成されています。 このプラグインを使えば、Zimで簡単な数式を即座に評価することが出来るようになります。 これはZimに同梱される基幹プラグインです。 このプラグインはDitaaをベースにしたZim用のダイアグラムエディタを提供します。 これはZimに同梱される基幹プラグインです。 このプラグインはGraphVizを利用したダイアグラムエディタをzimに追加します。 これはZimに同梱される基幹プラグインです。 このプラグインはノートブックのリンク構造をグラフ化してダイアログに表示します。 ページ間の相関関係を表示するので、一種の"マインドマップ"のような使い方が出来ます。 これはZimに同梱される基幹プラグインです。 このプラグインは左ペイン下部のページインデックスを、上部のタグクラウドにあるタグを選択することによってフィルタリング出来るような機能を追加します。 このプラグインはGNU Rを使用するZim用のplotエディタを提供します。 このプラグインはGnuplotを使用するZim用のplotエディタを提供します。 このプラグインはseqdiagを利用したシーケンス図エディタをzimに追加します。 このプラグインでシーケンス図の編集を行う事ができるようになります。 このプラグインはZimの貧弱な印刷機能の次善策を提供します。 まず現在のページをHTMLとして書き出し、その後ブラウザで開きます。ブラウザに満足のいく印刷機能があるとすれば、この二つの手順を踏むことでデータを印刷できることになります。 これはZimに同梱される基幹プラグインです。 このプラグインはlatexを利用した方程式エディタをzimに提供します。 これはZimに同梱される基幹プラグインです。 このプラグインはGNU Lilypondを利用した楽譜エディタをzimに追加します。 これはZimに同梱される基幹プラグインです。 このプラグインは選択行をアルファベット順にソートします。 既にリストがソートされていた場合は、逆順にソートされます (A-Z → Z-A) これは通常、ファイル内に無効な文字が含まれている事を意味しますタイトル続けるにはこのページのコピーを保存するか 又は全ての変更を破棄 する必要があります。コピーを保存した場合でも変更は破棄されますが 後でそのコピーから復元することができます。目次今日(_D)今日チェックボックス 'V' の切替チェックボックス 'X' の切替ノートブック編集状態の切替え左上上ペイン右上トレイアイコンタスクアイテム用にページ名をタグに変換する種類 で字下げを解除する (無効にしている場合は の組み合わせ)不明非タグリンクしている %i ページを更新インデックスを更新ページの見出しを更新リンクの更新目次の更新中使用するフォントを指定ページを追加する単位カーソルがリンク上にある時 キーでリンク先に移動する (無効にしている場合は + の組み合わせ)固定幅バージョン管理このノートブックでは現在、バージョン管理は有効になっていません。 有効にして宜しいですか?バージョン縦余白注釈を表示(_A)ログを表示(_L)ウェブサーバー週このバグを報告する場合は下のテキストボックス にある情報も合わせて入力して下さい単語のみ検索(_W)幅ウィキページ: %s単語統計単語統計...単語数年昨日外部アプリケーションでファイルを編集中です。 作業が終わればこのダイアログを閉じて下さい。ツールメニューやツールバー、コンテキストメニューに 表示されるカスタムツールを設定することが出来ます。Zim デスクトップ・ウィキ縮小(_O)Zimについて(_A)全てのペイン(_A)演算(_A)戻る(_B)参照(_B)バグ(_B)カレンダー(_C)子ページ(_C)書式のクリア(_C)閉じる(_C)全て閉じる(_C)コンテンツ(_C)コピー(_C)ここへコピー(_C)日時(_D)...削除(_D)ページを削除(_D)変更を破棄する(_D)編集(_E)Ditaa編集(_E)数式の編集(_E)GNU R Plot編集(_R)Gnuplot編集(_G)リンクの編集(_E)リンク/オブジェクトの編集(_E)...プロパティの編集(_E)楽譜編集(_E)シーケンス図の編集(_E)ダイアグラムを編集(_E)斜体(_E)FAQ(_F)ファイル(_F)ページ内検索(_F)...進む(_F)全画面(_F)移動(_G)ヘルプ(_H)強調表示(_H)履歴(_H)ホーム(_H)アイコンのみ(_I)画像(_I)...ページのインポート(_I)...挿入(_I)移動(_J)...キーの割り当て(_K)大きいアイコン(_L)リンク(_L)日時ページへリンク(_L)リンク(_L)...下線(_M)詳細(_M)移動(_M)ここへ移動(_M)ページの移動(_M)...新規ページ(_N)...次へ(_N)次の項目(_N)なし(_N)通常サイズ(_N)連番リスト(_N)開く(_O)別のノートブックを開く(_O)その他(_O)...ページ(_P)親ページ(_P)貼り付け(_P)プレビュー(_P)前へ(_P)前の項目(_P)ブラウザで印刷(_P)クイックノート(_Q)...終了(_Q)最近使ったページ(_R)やり直す(_R)正規表現(_R)再読込(_R)リンクを消す(_R)ページ名の変更(_R)...置換(_R)置換(_R)...サイズのリセット(_R)バージョンを復元(_R)保存(_S)コピーを保存(_S)スクリーンショット(_S)...検索(_S)検索(_S)...送る(_S)...サイドペイン(_S)サイドバイサイド(_S)小さいアイコン(_S)行のソート(_S)ステータスバー(_S)取消線(_S)太字(_S)下付き(_U)上付き(_P)テンプレート(_T)テキストのみ(_T)極小アイコン(_T)今日(_T)ツールバー(_T)ツール(_T)元に戻す(_U)固定幅(_V)バージョン(_V)...表示(_V)拡大(_Z)カレンダー:週開始日(_S):0読込専用秒Launchpad Contributions: Akihiro Nishimura https://launchpad.net/~nimu-zh3 DukeDog https://launchpad.net/~windows-ero EminoMeneko https://launchpad.net/~eminomeneko Hiroshi Tagawa https://launchpad.net/~kuponuga Johan Burati https://launchpad.net/~johanburati Katz Kawai https://launchpad.net/~katzkawai OKANO Takayoshi https://launchpad.net/~kano Tetsuya https://launchpad.net/~dr.hornet Yajima Hiroshi https://launchpad.net/~yajima mobilememo@gmail.com https://launchpad.net/~mobilememo orz.inc https://launchpad.net/~orz-inczim-0.68-rc1/locale/fr/0000755000175000017500000000000013224751170014451 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/fr/LC_MESSAGES/0000755000175000017500000000000013224751170016236 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/fr/LC_MESSAGES/zim.mo0000644000175000017500000014642013224750472017405 0ustar jaapjaap00000000000000L+,M+.z+?+ ++ ,5,0Q,,,,4,, , -i-*-!-- - -- .-.M.VU.. . ..3.Y/h/ ~/ / / //// / /0 00$#0?H0/0(00%0,$1Q1 g1q11 11 1 1 1 1 1 11 1 1 2 22+222G2N2]2 e2p222222-2<3O3 U3 _3j3s3{3333333+4334 g44 4 4 4444 53'5[5y5555556 6 6 6 )666;6?60G6x66 66 66 6 66 6 667$7~>7 77 7 77 7 8 8 8"8*8;8D8\85d88 8(88!89#9<9O9V9i9 999 999: :: : :/: @:6J::v::*;c<;;;; ;;;;;< <<%<6<F<X< l< w< < < < < < < < < <<<=!'=I=i= ===== === === >> ->:>J>\> k> x> >>> > >>>> ??-?5? =?J? _?m???.? ???2?@@&@@@I@d@}@@@ @@@@ @@A AA.AFAXAmA |AA A*AAAA A BBB5BSB.cBBBBBBBCC /C9CI I JJ8JlRl Zl gltll l ll ll lll l l m m m *m 6mAmIm Qm \m im tm mmmmm m mmmmmm nn .n =BJˎ ێ+30O0!ŏ, GRl &)6 Qr!"ё + BMUktGΒY-?)mV> L[k-Δ +f861$!F1N Ŗ̖ + AM\q( ϗٗo4mɘژF; K$Y~љ 6Mj  ؚ͚ &.DZs%H5n#&Ȝ (: K(W, -@YnȞ* P$#u*!ğ6"$Y8~ Ġˠ4ڠ'F\u| ա .*Y`rz ڢ?3+5_EBV-F2˦2S1 ƩhDΫ=֭psllٯ3aΰD0Eu$<haxʳ`C@N7= ·η';M`r=Ǹ̸j޸IQa^qй'&2>"q'nںIRXeǻٻ ] w p}0ž ܾ   !, 2>NVj r   ο +C]o!   ,6 < GS\ lv  %6L^g  ?\lu   3 HUk   *6 IVfn w ' , :HQ This plugin provides bar for bookmarks. %(cmd)s returned non-zero exit status %(code)i%(n_error)i errors and %(n_warning)i warnings occurred, see log%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i of %i%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd bookmark/Show settingsAdd columnAdd new bookmarks to the beginning of the barAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAttachments:AuthorAuto WrapAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave interval in minutesAutosave version on regular intervalsAutosave version when the notebook is closedBack to Original NameBackLinksBackLinks PaneBackendBacklinks:BazaarBook_marksBookmarksBookmarksBarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck Checkbox '>'Check Checkbox 'V'Check Checkbox 'X'Check _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearClone rowCode BlockColumn 1CommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?CreatedCu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to delete all bookmarks?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootDueE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExpand journal page in index when openedExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatFossilGNU _R PlotGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageGrid linesHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageHorizontal _LineIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationManaging table columnsMap document root to URLMarkMatch _caseMaximum number of bookmarksMaximum page widthMenubarMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove column aheadMove column backwardMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNextNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such page: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOnly Show Active TasksOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen cell content linkOpen helpOpen in New WindowOpen in New _WindowOpen new pageOpen plugins folderOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage already exists: %sPage has un-saved changesPage not allowed: %sPage sectionParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select a row, before you push the button.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrevPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionRow downRow upS_ave Version...S_coreSave A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...Search this sectionSectionSection(s) to ignoreSection(s) to indexSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet New NameSet default text editorSet to Current PageShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow Tasks as Flat ListShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full Page NameShow full page nameShow helper toolbarShow in the toolbarShow right marginShow tasklist in sidepaneShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStartStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTags for non-actionable tasksTaskTask ListTasksTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The following parameters will be substituted in the command when it is executed: %f the page source as a temporary file %d the attachment directory of the current page %s the real page source file (if any) %p the page name %n the notebook location (file or folder) %D the document root (if any) %t the selected text or word under cursor %T the selected text including wiki formatting The inline calculator plugin was not able to evaluate the expression at the cursor.The table must consist of at least on row! No deletion done.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis page name cannot be used due to technical limitations of the storageThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a macOS menubar for zim.This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox '>'Toggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUn-check CheckboxUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse %s to switch to the side paneUse a custom fontUse a page for eachUse date from journal pagesUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWith this plugin you can embed a 'Table' into the wiki page. Tables will be shown as GTK TreeView widgets. Exporting them to various formats (i.e. HTML/LaTeX) completes the feature set. Word CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Checkbox_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Duplicate Line_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Line Down_Move Line Up_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Line_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Run bookmark_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Inas due date for tasksas start date for taskscalendar:week_start:0do not usehorizontal linesmacOS Menubarno grid linesreadonlysecondstranslator-creditsvertical lineswith linesProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-07-10 16:45+0000 Last-Translator: Raphaël Hertzog Language-Team: French MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n > 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) Ce greffon fournit une barre de marque-pages. %(cmd)s a retourné un code d'erreur : %(code)iIl y a %(n_error)i erreurs et %(n_warning)i messages, regardez le fichier log%A, %d %B %Y%i _Pièce jointe%i _Pièces jointes%i _rétro-lien%i _rétro-liens%i erreurs se sont produites, voir le logle fichier %i va être suppriméles fichiers %i vont être supprimés%i de %i%i tâche en cours%i tâches en cours%i avertissements ont été émis, voir le logDésindenter un élément de liste affecte également les éventuels sous-élémentsUn wiki pour le bureauUn fichier portant le nom "%s" existe déjà. Vous pouvez utiliser un autre nom ou écraser le fichier existant.Un tableau doit avoir au moins une colonneAjouter des pointillés aux menus pour les détacherAjouter une applicationAjouter un marque-pageAjouter un bloc-noteAjouter un signet/Montrer les paramètresAjouter une colonneAjouter un nouveau marque-page en début de barreAjouter une ligneAjoute le soutien de vérification d'orthographe basée sur gtkspell. C'est un greffon de base livré avec zim. AlignementTous les fichiersToutes les tâchesAutoriser l'accès publicToujours utiliser la dernière position du curseur lors de l'ouverture de la pageUne erreur est survenue lors de la génération de l'image. Voulez-vous tout de même sauvegarder le texte source ?Source de la page annotéeApplicationsArithmétiqueJoindre un fichierJoindre un _fichierJoindre une fichier externeCopier l'image dans le bloc-notesNavigateur de fichiers liésFichiers liésFichiers liésAuteurRetour à la ligne AutomatiqueIndentation automatiqueVersion enregistrée automatiquement depuis ZimSélectionner le mot courant en appliquant un styleTransformer automatiquement les mots "CamelCase" en liensTransformer automatiquement les chemins vers le système de fichiers en liensIntervalle entre deux sauvegardes automatiques en minutesEnregistrer automatiquement des versions à intervalles réguliersSauvegarder automatiquement la version à la fermeture du bloc-notesRevenir au nom originalRétroliensPanneau de rétroliensBackendRétroliensBazaarSi_gnetsMarque-pagesBarre de marque-pagesEn bas à gauchePanneau inférieurEn bas à droiteParcourirLis_te à pucesC_onfigurerCalen_drierAgendaNe peut pas modifier la page: %sAnnulerCapturer tout l'écranCentréModifier les colonnesChangementsCaractèresCaractères sans les espaces(Dé)Cocher la case '>'(Dé)Cocher la case 'V'(Dé)Cocher la case 'X'Vérifier l'_orthographeCa_se à cocherCocher les cases de manière récursiveIcône de notification classique, ne pas utiliser le nouveau type d'icône sous UbuntuEffacerCloner la ligneBloc de codeColonne 1CommandeLa commande ne modifie pas les donnéesCommentairePied de page d'inclusion communEn-tête d'inclusion commun_Bloc-notes completConfigurer les applicationsConfigurer le greffonConfigurez une application pour ouvrir les liens « %s »Configurer une application pour ouvrir des fichiers de type « %s »Considérer les cases à cocher comme des tâchesCopier l'adresse électroniqueCopier le modèleCopier _au format...Copier le _lienCopier _l'emplacementImpossible de trouver l'exécutable | %s »Impossible de trouver le bloc-note : %sImpossible de trouver le modèle "%s"Impossible de trouver le fichier ou le dossier de ce bloc-notesImpossible de charger le correcteur orthographiqueNe peut pas ouvrir : %sNe peut pas analyser l'expressionImpossible de lire : %sImpossible de sauvegarder la page : %sCréer une nouvelle page pour chaque noteCréer le répertoire ?Créée leCo_uperOutils personnalisésOutils _personnalisésPersonnaliser...DateJourPar défautFormat par défaut du texte copié dans le presse-papierCarnet par défautDélaiSupprimer la pageSupprimer la page « %s » ?Supprimer la ligneMinimiserDépendancesDescriptionDétailsDia_grammeAbandonner la note ?Edition sans distractionDitaaVoulez-vous supprimer tous les marque-pages ?Voulez-vous revenir à la version %(version)s de la page %(page)s ? Toutes les modifications effectuées depuis seront perdues !Racine du documentÉchuE_quationE_xporter...Éditer un outil personnaliséModifier l'imageModifier le lienModifier le tableauModifier les sourcesModificationModification de fichier: %sItaliqueActiver la gestion de version ?ActifErreur dans %(file)s à la ligne %(line)i près de "%(snippet)s"Évalue expression _mathématiqueTout _déplierDéplier la page du journal lorsque l'index est affichéExporterExporter toutes les pages dans un unique fichierExport terminéExporter chaque page dans un fichier séparéExport du bloc-notesÉchecÉchec dans l'exécution de %sÉchec du lancement de l'application : %sLe fichier existe_Modèles de fichier...Le fichier a été modifié sur le disque : %sLe fichier existe.Le fichier est protégé en écriture : %sType de fichier non supporté: %sNom du fichierFiltrerRechercherRechercher le _suivantRechercher _précédentChercher et remplacerRechercherMarquer avant le fin de semaine les tâches dû le lundi ou mardiDossierLe dossier existe déjà et possède des fichiers ; exporter dans ce dossier pourrait remplacer des fichiers existants. Voulez-vous continuer ?Le dossier existe : %sDossier avec templates pour les pièces jointesPour une recherche avancée, vous pouvez utiliser des opérateurs comme AND, OR et NOT. Voir l'aide pour plus de détails.For_matFormatFossilGNU _R PlotObtenir plus de greffons en ligneObtenir plus de modèles en ligneGitGnuplotAller à l'accueilRevenir à la page précédenteAller à la page suivanteAller à la page filleAller à la page suivanteAller à la page parentAller à la page précédenteGrilleTitre 1Titre 2Titre 3Titre 4Titre 5Titre _1Titre _2Titre _3Titre _4Titre _5HauteurMasquer la barre de menus en mode plein écranMasquer la barre de chemin en mode plein écranMasquer la barre d'état en mode plein écranMasquer la barre d'outils en mode plein écranMettre en surbrillance la ligne actuellePage d'accueil_Ligne HorizontaleIcôneIcônes et texteImagesImporter la pageInclure les sous-pagesIndexPage d'indexCalculatrice en ligneInsérer un bloc de codeInsérer la date et l'heureInsérer un diagrammeInsérer DitaaInsérer une équationInsérer un graphe GNU RInsérer un graphe GnuplotInsérer une imageInsérer un lienInsérer une partitionInsérer une capture d'écranInsérer un diagramme de séquenceInsérer un symboleInsère un tableauInsérer du texte depuis un fichierInsérer un diagrammeInsérer l'image en tant que lienInterfaceMot clé interwikiJournalAller àAller à la pageLabels marquant les tâchesDernière modificationAjouter un lien vers la nouvelle pageGauchePanneau latéral gaucheLimiter la recherche à la page courante et les sous-pagesTri de ligneLignesCarte des liensLier les fichiers présents dans l'arborescence des documents avec des chemins completsLien versEmplacementJournaliser les évènements avec ZeitgeistFichier de logIl semble que vous ayez trouvé un bogueApplication par défautGérer les colonnes du tableauLien du document parent vers l'URLMarquerRespecter la casseNombre maximal de signetsLargeur maximale de pageBarre de menusMercurialModifiéMoisDéplacer la pageDéplacer le texte sélectionné...Déplacer le texte sur une autre pageDéplacer la colonne vers la droiteDéplacer la colonne vers la gaucheDéplacer la page « %s »Déplacer le texte vers...NomUn fichier de destination est nécessaire pour l'export MHTMLUn dossier de destination est nécessaire pour exporter tout le bloc-notesNouveau fichierNouvelle pageNouvelle so_us-page...Nouvelle sous-pageNouvelle _pièce jointeSuivantAucune application trouvéePas de modifications depuis la dernière versionPas de dépendancesAucun greffon disponible pour afficher cet objetPas de fichier ou de dossier : %sFichier inexistant : %sPas de page: %sPas de lien wiki défini: %sPas de modèles installésBloc-notesPropriétés du bloc-noteBloc-notes é_ditableBloc-notesOKMontrer uniquement les tâches activesOuvrir le _dossier des pièces attachéesOuvrir le dossierOuvrir le bloc-notesOuvrir avec...Ouvrir le _dossier du documentOuvrir le _document racineOuvrir le _dossier du bloc-notesOuvrir la _PageOuvrir le lien de la celluleAfficher l'aideOuvrir dans une nouvelle fenêtreOuvrir dans une nouvelle _fenêtreOuvrir une nouvelle pageOuvrir le dossier des pluginsOuvrir avec « %s »FacultatifOptionsOptions du greffon %sAutre...Fichier de sortieLe fichier d'export existe, utiliser "--overwrite" pour forcer l'exportDossier de destinationLe dossier d'export existe et n'est pas vide, utiliser "--overwrite" pour forcer l'exportUne destination est nécessaire pour l'exportLa sortie remplace la sélection actuelleÉcraser_Barre d'adressePageLa page "%s" et toutes ses sous-pages et leurs pièces attachées seront supprimées.La page « %s » n'a pas de dossier pour les pièces jointesNom de la pageModèle de pageCette page existe déjà: %sLa page a des modifications non sauvegardéesPage non autorisée: %sSection de la pageParagrapheSaisissez un commentaire pour cette versionRemarquez que lier une page non-existante aura pour effet de créer une nouvelle page automatiquement.Veuillez choisir un nom et un dossier pour le bloc-notesSélectionner une ligne avant d'appuyer sur le bouton.Veuillez sélectionner d'abord plus qu'une ligne.Merci de sélectionner un bloc-notesGreffonLe plugin "%s" est requit pour afficher cet objetGreffonsPortPosition dans la fenêtre_PréférencesPréférencesPréc.Imprimer vers le navigateurProfilPromouvoirProprié_tésPropriétésPasser les évènements au démon ZeitgeistNote rapideNote rapide...Changements récentsChangements récents...Pages _récemment modifiéesReformater les balises wiki à la voléeSupprimerTout supprimerSupprimer la colonneSupprimer les liens de %i page pointant sur cette pageSupprimer les liens des %i pages pointant sur cette pageSupprimer les liens quand les pages sont suppriméesSupprimer la ligneSupprimer les liensRenommer la pageRenommer la page « %s »Une succession de clics boucle à travers les états de case à cocherRemplacer _toutRemplacer parRevenir à la version enregistrée ?RevDroitePanneau latéral droitPosition de la marge de droiteLigne vers le basLigne vers le hautEnregi_strer la version...S_coreEnregistrer une _copie...Enregistrer une copieEnregistrer la versionEnregitsrer les marque-pagesVersion enregistrée depuis zimRésultatCouleur de fond de l'écranCommande de capture d'écranRechercherChercher des pages...Rechercher les _rétroliensChercher dans cette sectionSectionSection(s) à ignorerSection(s) à indexerSélectionner un fichierSélectionner un dossierSélectionner une imageSélectionner une version pour voir les différences entre celle-ci et l'état actuel. Ou sélectionner plusieurs versions pour voir les différences entre elles. Sélectionner le format d'exportationSélectionner le fichier ou le dossier de destinationSélectionner les pages à exporterSélectionner une fenêtre ou une zoneSélectionDiagramme de séquencesServeur non-démarréServeur démarréServeur arrêtéNouveau nomDéfinir l'éditeur de texte par défautAssocier à la page actuelleAfficher tous les panneauxAfficher la navigateur de pièces attachéesAfficher les numéros de ligneAfficher la carte des liensAffichez les panneaux latérauxMontrer la liste des tâches sans hiérarchieAfficher la table des matières sous forme d'objet flottant au lieu d'un panneau latéralAfficher les _ChangementsAfficher une icône pour chaque bloc-notesAfficher le calendrierAfficher le calendrier dans un panneau latéral au lieu d'une boîte de dialogueMontrer le nom de la page en entierAfficher l'intégralité du nom de la pageAfficher la barre d'outils d'aideAfficher dans la barre d'outilsAfficher la marge de droiteMontrer la liste des tâches dans une panneau latéralAfficher le curseur en lecture seuleAfficher le titre de la page dans la table des matières_Page uniqueTailleTouche AccueilUne erreur est survenue lors de l'exécution de "%s"Trier alphabétiquementTrier les pages par étiquetteVisualiseur de sourceCorrecteur d'orthographeDébutDémarrer le serveur _webBarréGrasSy_mbole...SyntaxeValeur par défaut du systèmeLargeur des tabulationsTableauÉditeur de tableauxTable des MatièresÉtiquettesEtiquettes pour les tâches non-déclenchablesTâcheListe des tâchesTâchesModèleModèlesTexteFichiers texteTexte à partir d'un _fichier...Couleur de fond du texteCouleur du texteLe fichier ou le dossier que vous avez spécifié n'existe pas.Le dossier %s n'existe pas. Voulez-vous le créer ?Le dossier "%s" n'existe pas. Voulez-vous le créer ?Les paramètres suivant vont être remplacés dans la commande quand elle sera exécutée : %f le fichier temporaire de la page source %d le dossier de fichiers liés de la page actuelle %s le vrai fichier source de la page (s'il y en a un) %p le nom de la page %n l'emplacement du bloc-notes (fichier ou dossier) %D la racine du document (s'il y en a) %t le texte sélectionné ou le mot sous le curseur %T le texte sélectionné incluant le formattage wiki La calculatrice en ligne n'a pas pu évaluer l'expression au curseur.Le tableau doit contenir au moins une ligne. Suppression annulée.Il n'y a aucune modification de ce bloc-notes depuis la dernière version sauvegardéeCela peut signifier que vous n'avez pas le bon dictionnaire installé.Le fichier existe déjà. Voulez-vous l'écraser ?Cette page n'a pas de dossier pour pièces jointesCe nom de page ne peut être utilisé en raison de limitation technique du stockageCe greffon permet de prendre une capture d'écran et de l'insérer directement dans une page zim. C'est un greffon de base livré avec zim Ce greffon ajoute une boite de dialogue listant toutes les taĉhes en cours dans le bloc-notes. Ces tâches peuvent être soit des cases à cocher, soit des lignes marquées par un mot-clé comme « TODO » ou « FIXME ». C'est un greffon de base livré avec zim Ce greffon fournit une boîte de dialogue pour ajouter rapidement du texte ou le contenu du presse-papier dans une page zim. C'est un greffon de base livré avec zim. Ce greffon ajoute une icône de notification pour un accès rapide. Il dépend de Gtk+, version 2.10 ou supérieure. C'est un greffon de base livré avec zim. Ce greffon ajoute une icône supplémentaire affichant une liste des pages liées à la page courante. C'est un greffon de base livré avec zim. Ce greffon ajoute un objet supplémentaire affichant une table des matières de la page courante. C'est un greffon de base livré avec zim. Ce plugin permet de transformer Zim en "éditeur sans distraction". Ce greffon ajoute la boîte de dialogue « Insérer un symbole » et permet une mise en forme automatique des caractères typographiques. C'est un greffon de base livré avec zim. Ce greffon permet de gérer des versions de notebooks. Ce greffon soutien les systèmes de gestion de versions Bazaar, Git et Mercurial. C'est un greffon de base livré avec zim. Ce greffon permet d'insérer des 'blocs de code' dans la page. Ces blocs seront portés par un widget avec coloration syntaxique, numéro de ligne etc. Ce greffon permet d'intégrer des calculs arithmétiques dans Zim. Il est basé sur le module arithmétique suivant: http://pp.com.mx/python/arithmetic. Ce greffon vous permet d'évaluer rapidement les expressions mathématiques simple dans zim. C'est un greffon de base livré avec zim. Ce greffon fournit un éditeur de diagrammes pour zim, basé sur Ditaa. C'est un greffon de base livré avec zim. Ce greffon fournit un éditeur de diagrammes basé sur GraphViz. C'est un greffon de base livré avec Zim. Ce greffon fournit une représentation graphique des liens entre les pages du bloc-notes. C'est une sorte de « carte des idées » (ou "mind map"). C'est un greffon de base livré avec Zim. Ce greffon fournit une barre de menu MacOS pour zimCe greffon fournit un index de pages filtré par les étiquettes sélectionnées dans une liste. Ce greffon fournit un éditeur de graphes pour Zim basé sur GNU R. Ce greffon fournit un éditeur de graphe pour zim basé sur Gnuplot. Ce greffon fournit un éditeur de diagramme de séquence basé sur seqdiag. Il facilite l'édition de diagrammes de séquences. Ce greffon permet de contourner l'absence de fonctionnalités d'impression dans zim. Il exporte la page courante en HTML et ouvre un navigateur web. Si celui-ci a la possibilité d'imprimer, il enverra vos données à l'imprimante en deux étapes. C'est un greffon de base livré avec zim. Ce greffon fournit un éditeur d'équations basé sur latex. C'est un greffon de base livré avec Zim. Ce greffon fournit un éditeur de partition musicale basé sur GNU Lilypond. C'est un greffon de base livré avec zim. Ce greffon affiche le dossier des pièces attachées sous forme d'une icône au bas du panneau. Ce greffon trie les lignes sélectionnées par ordre alphabétique. Si la liste est déjà triée, elle le sera de nouveau en sens inverse (A-Z vers Z-A). Ce greffon transforme une section d'un bloc-note en journal avec une page par jour, semaine ou mois. Il ajoute aussi un calendrier permettant d'accéder à ces pages. Ceci signifie généralement que le fichier contient des caractères invalidesTitrePour continuer, vous pouvez enregistrer une copie de la page ou abandonner les modifications. Si vous enregistrez une copie, les modifications seront aussi abandonnées mais vous pourrez récupérer la copie plus tard.Pour créer un nouveau bloc-notes, vous devez sélectionner un dossier. Vous pouvez évidemment sélectionner le dossier d'un bloc-notes existant. ContenuAujour_d'huiAujourd'huiAlterner la case '>'(Dé)Cocher la case 'V'(Dé)Cocher la case 'X'Changer le mode éditable du bloc-notesEn haut à gauchePanneau supérieurEn haut à droiteIcône de notificationTransformer le nom de la page en tags pour les items de tacheTypeDécocher la caseDésindenter avec la touche (si désactiver, vous pouvez toujours utiliser )InconnuNon spécifiéeNon étiquettéMettre à jour %i page pointant sur cette pageMettre à jour %i pages pointant sur cette pageMettre à jour l'indexMettre à jour l'en-tête de cette pageMise à jour des liensMise à jour de l'indexUtiliser %s pour basculer vers le panneau latéralUtiliser une police personnaliséeUtiliser une page pour chacunUtiliser les dates des pages du journalUtiliser la touche pour suivre les liens (si désactivé vous pouvez encore employer )VerbatimGestion de versionLa gestion de versions n'est pas activée pour ce bloc-notes. Souhaitez-vous l'activer ?VersionsMarges verticalesVoir les _annotationsConsulter le _journalServeur webSemaineLors du rapport sur ce bogue, veuillez inclure l'information de la boîte de texte ci-dessousMot _entierLargeurPage Wiki : %sAvec ce greffon, vous pouvez insérer un tableau dans une page wiki. Les tableaux seront représentés par un composant GTK TreeView. Ils pourront être exportés en différents formats (HYML/LaTex par exemple). StatistiquesNombre de mots...MotsAnnéeHierVous êtes en train de modifier un fichier avec un éditeur externe. Vous pouvez fermer cette fenêtre de dialogue lorsque vous aurez terminé.Vous pouvez configurer des outils personnalisés qui apparaîtront dans le menu « Outils » et dans la barre d'outils ou les menus contextuels.Zim, le Wiki de bureau_Dézoomer_À propos_Tous les panneaux_Arithmétique_Précédent_Parcourir_Bugs_Calendrier_Case à cocher_Enfant_Effacer les styles_FermerTout _replier_Contenus_Copier_Copier ici_Date et Heure..._Supprimer_Supprimer la page_Annuler les modifications_Dupliquer la ligne_Édition_Editer Ditaa_Modifier l'équation_Editer le graphe GNU R_Editer le graphe GnuplotMo_difier le lienÉ_diter lien ou objet..._Editer les propriétés_Editer la partition_Editer le diagramme de séquence_Editer le diagramme_Italique_FAQ_Fichier_Rechercher..._Suivant_Plein écranA_ller à_AideS_urligner_Historique_Accueil_Icônes seules_Image..._Importer la page..._InsérerA_ller à..._Raccourcis clavier_Grosses icônes_Lien_Lier à une date_Lien..._Marquer_Plus_Déplacer_Déplacer ici_Descendre la ligne_Monter la ligne_Déplacer la page..._Nouvelle page..._SuivantPage _suivante dans l'index_AucunTaille _normaleListe _numérotée_Ouvrir_Ouvrir un autre bloc-notes_Autre..._PageHiérarchie de la _page_ParentC_oller_Aperçu_PrécédentPage _précédente dans l'index_Imprimer vers le navigateur_Note rapide..._Quitter_Pages récentes_RétablirExpression _régulière_Actualiser_Supprimer la ligne_Retirer le lien_Renommer la page...Re_mplacer_Remplacer..._Supprimer la taille_Restaurer la versionE_xécuter un signet_Enregistrer_Enregistrer la copie_Capture d'écran..._Rechercher_Rechercher..._Envoyer à...Panneaux _latéraux_Côte à côtePetite_s icônes_Trier les lignes_Barre d'état_Barré_Gras_IndiceE_xposant_Modèles_Texte seulIcônes minusculesAu_jourd'hui_Barre d'outils_OutilsAnn_uler_Verbatim_Versions..._Affichage_Zoomercomme date d'échéance pour les tâchecomme date de débutcalendar:week_start:1ne pas utiliserLignes horizontalesBarre de menu MacOSPas de grilleLecture seulesecondesJean Demartini Launchpad Contributions: BobMauchin https://launchpad.net/~zebob.m Calinou https://launchpad.net/~calinou Daniel Stoyanov https://launchpad.net/~dankh Etienne LB https://launchpad.net/~etiennelb-deactivatedaccount François Boulogne https://launchpad.net/~sciunto.org Herve Robin https://launchpad.net/~robin-herve Jaap Karssenberg https://launchpad.net/~jaap.karssenberg Jean DEMARTINI https://launchpad.net/~jean-demartini-dem-tech Jean-Baptiste Holcroft https://launchpad.net/~jibecfed Jean-Marc https://launchpad.net/~m-balthazar Jean-Philippe Rutault https://launchpad.net/~rutault-jp Jigho https://launchpad.net/~jigho Joseph Martinot-Lagarde https://launchpad.net/~contrebasse Jérôme Guelfucci https://launchpad.net/~jerome-guelfucci-deactivatedaccount Kernel https://launchpad.net/~larrieuandy LEROY Jean-Christophe https://launchpad.net/~celtic2-deactivatedaccount Le Bouquetin https://launchpad.net/~damien-accorsi Loïc Meunier https://launchpad.net/~lomr Makidoko https://launchpad.net/~makidoko Pascollin https://launchpad.net/~pascollin Quentin THEURET @Amaris https://launchpad.net/~qtheuret Raphaël Hertzog https://launchpad.net/~hertzog Rui Nibau https://launchpad.net/~ruinibau Steve Grosbois https://launchpad.net/~steve.grosbois Stéphane Aulery https://launchpad.net/~lkppo TROUVERIE Joachim https://launchpad.net/~joachim-trouverie Thomas LAROCHE https://launchpad.net/~mikaye Xavier Jacquelin https://launchpad.net/~ygster andré https://launchpad.net/~andr55 oswald_volant https://launchpad.net/~obordas pitchum https://launchpad.net/~pitchum samuel poette https://launchpad.net/~fracteLignes verticalesAvec des ligneszim-0.68-rc1/locale/tr/0000755000175000017500000000000013224751170014467 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/tr/LC_MESSAGES/0000755000175000017500000000000013224751170016254 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/tr/LC_MESSAGES/zim.mo0000644000175000017500000010736013224750472017423 0ustar jaapjaap000000000000004L .M | 0  4 *!0!i?!!!! !V! ?" I"S"3g"Y"" # # "#/#D#W# j#v#$}#?#/#($%;$a$i$ p$ |$ $$ $ $ $$$$$$ %%%--%<[%%%%%%%%+&32& f&& & & &&&&3 '='P'k'~'''' ' ' ''''0(4(E( K(W( i( v(( ( (~( #) 1)<) M) X) b)o)w))))) )))))* ***=* V*b*{**** *** **v*_+cq++++++ +,,&,6,H, \, f, p, z, , , , , , ,,,,! -.- N-X-]-m- t-- ---- ---- . .. 0.>.T.c. y.... .. ... ./ /2/I/Q/Z/c/~/// //// //00 *070<0E0N0 _0l0000000 11)1 <1F1I1 b1 n1 |1111 11 11222,2 52 A2'O2 w222C202 3 3 3'&3VN33303 4444 54 B4N4_4g4 o4 {4 4 44444^4 W5x5 55 5 555556 6 6)6@6F6^6e6u6 6 6 66A7 Z7{77 77777 7828 I8&W8.~8858 89& 909D9 W9e9w9~9 99999 99 99 999:Y':?:A:;S<K=@g=6=-=x >>O??}b@@jAB}BhCkCC;D=EBEjVFF7AGyGGH"H(HK IKWK]K bK^lKfK2L CLML TL _LkLqLyL LLLL L LL LLL LL M MM+M Iـʁс+ 4 ?I7a[ m%Ӄx<  # 8EWK ҅o v|   ,7=ENV^x LJ ̇ڇ #:L$d ÈΈӈ܈  *09M _kz  ʉ։߉  $ ;FM V cnw  Պ /;J[nv ŋ΋  ' 3?P`h x  ь܌ %(cmd)s returned non-zero exit status %(code)i%A %d %B %Y%i _Backlink...%i _Backlinks...%i file will be deleted%i files will be deleted%i open item%i open items(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.Add 'tearoff' strips to the menusAdd ApplicationAdd NotebookAdds spell checking support using gtkspell. This is a core plugin shipping with zim. All FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAuthorAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsBackendBazaarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenChangesCharactersCheck _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearCommandCommand does not modify dataCommentComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find the file or folder for this notebookCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?Cu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?DependenciesDescriptionDetailsDia_gram...Discard note?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_xport...Edit Custom ToolEdit ImageEdit LinkEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledEvaluate _MathExpand _AllExportExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHome PageIconIcons _And TextImagesImport PageIndexIndex pageInline CalculatorInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScreenshotInsert SymbolInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeft Side PaneLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog fileLooks like you found a bugMake default applicationMap document root to URLMarkMatch _caseMaximum page widthModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove page "%s"Move text toNameNew FileNew PageNew S_ub Page...New Sub PageNo Applications FoundNo changes since last versionNo dependenciesNo such file or folder: %sNo such file: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen in New _WindowOpen new pageOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput folderOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplateParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select more than one line of text, first.PluginPluginsPortPosition in the windowPr_eferencesPreferencesPrint to BrowserProfilePromoteProper_tiesPropertiesQuick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemoving LinksRename PageRename page "%s"Replace _AllReplace withRestore page to saved version?RevRight Side PaneS_ave Version...Save A _Copy...Save CopySave VersionSaved version from zimScoreScreen background colorSearchSearch Pages...Search _Backlinks...Select FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionServer not startedServer startedServer stoppedShow All PanesShow Link MapShow Side PanesShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendar in sidepane instead of as dialogShow in the toolbarShow the cursor also for pages that can not be editedSingle _pageSizeSome error occurred while running "%s"Sort alphabeticallySort pages by tagsSpell CheckerStart _Web ServerStrikeStrongSy_mbol...System DefaultTable of ContentsTagsTaskTask ListTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The following parameters will be substituted in the command when it is executed: %f the page source as a temporary file %d the attachment directory of the current page %s the real page source file (if any) %p the page name %n the notebook location (file or folder) %D the document root (if any) %t the selected text or word under cursor %T the selected text including wiki formatting The inline calculator plugin was not able to evaluate the expression at the cursor.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To_dayTodayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUnindent on (If disabled you can still use )UnknownUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse a custom fontUse a page for eachUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWord CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Incalendar:week_start:0readonlysecondstranslator-creditsProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-07-10 16:46+0000 Last-Translator: Bekir SOYLU Language-Team: Turkish MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n != 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) %(cmd)s sıfır-olmayan %(code)i çıkış durumunu döndürdü%A %d %B %Y%i_Geri bağlantı...%i_Geri bağlantı...%i dosyası silinecek%i dosyası silinecek%i açık görev%i açık görevBir liste maddesinde girinti eklemek/kaldırmak alt maddeleri de aynen değiştirirMasaüstü Wikisi"%s" adında bir dosya zaten mevcut. Başka bir isim kullanabilir veya mevcut dosyanın üzerine yazabilirsiniz.Menülere koparma öğesi eklerUygulama EkleDefter EkleGtkspell kullanan yazım denetimi desteğini ekler. Bu eklenti Zim ile beraber sağlanan temel bir eklentidir. Tüm DosyalarTüm GörevlerGenel ulaşıma izin verSayfa açılışında her zaman imlecin son pozisyonunu kullan.Resim oluşturulurken bir hata meydana geldi. Kaynak metnini yine de kaydetmek ister misiniz?Açıklamalı Sayfa KaynağıAritmetikDosya Ekle_Dosya EkleDışarıdan dosya ekleÖnce resim ekleEklenti TarayıcısıEklerYazarZim tarafından otomatik kaydedilen sürümBiçimlendirme uygularken halihazırdaki sözcüğü de otomatik olarak seç"DeveHörgücü" (CamelCase) sözcükleri otomatik olarak bağlantıya çevirDosya yollarını otomatik olarak bağlantıya çevirDüzenli aralıklarla otomatik olarak sürüm kaydı yapArka uçPazarSol AltAlt PanelSağ AltGözatBulle_t ListesiYa_pılandırTak_vimTakvimSayfa değiştirilemiyor: %sİptalTüm ekranın görüntüsünü alDeğişikliklerKarakterler_Yazım denetleO_nay Kutusu ListesiBir işaret kutusunu işaretlemek alt maddeleri de aynen değiştirirKlasik tepsi simgesiTemizleKomutKomut veriyi değiştirmiyorAçıklamaTüm _defterUygulama yapilandirEklentiyi Yapılandır%s bağlatılarını açmak için bir uygulama ayarla%s türü dosyaları açmak için bir uygulama ayarlaİşaret kutularını görevler gibi düşününE-posta Adresini KopyalaKopya ŞablonFarklı_Kopyala...Bağlantıyı _KopyalaKopyalama _KonumuÇalıştırılabilir "%s" bulunamadıDefter bulunamadı: %sBu defter için klasör veya dosya bulunamadıAçılamadı: %sİfade çözümlenemedi.Okunamadı: %sSayfa kaydedilemedi: %sHer not için yeni bir sayfa oluşturKlasör oluşturmak ister misiniz?K_esÖzel araçlarÖzel _AraçlarÖzelleştir...TarihGünVarsayılanPanoya kopyalanan metin için öntanımlı biçimÖntanımlı not defteriGecikmeSayfayı Sil"%s" sayfası silinsin mi?BağımlılıklarAçıklamaAyrıntılarDiya_gram...Not silinsin mi?%(page)s sayfasını kaydedilmiş sürümlerinden %(version)s sürümüne geri döndürmek ister misiniz? Son kaydedilen sürümünden itibaren yapılmış olan tüm değişiklikler silinecektir !Belge Kök Dizini_Dışa AktarÖzel Aracı DüzenleGörsel DüzenleBağlantı Düzenle_Kaynağı DüzenleDüzenlemeDüzenlenen dosya: %sEğikSürüm Kontrolü etkinleştirilsin mi?EtkinMath _HesaplaHepsini_GenişletDışa AktarDefter dışa aktarılıyorBaşarısızÇalıştırma başarısız oldu: %sUygulama çalıştırırken hata: %sDosya zaten varDosya _Şablon...Kayıtlı dosya değiştirildir: %sDosya mevcutDosya yazdırılabilir değil: %sDosya türü desteklenmiyor: %sDosya adıSüzgeçBulSo_nrakini BulÖnc_ekini BulBul ve DeğiştirBul...KlasörKlasör zaten mevcut ve içi boş değil; bu klasöre aktarmak var olan dosyaların üzerine yazabilir. Devam etmek ister misiniz?%s klasörü mevcutİleri seviye aramalar için AND, OR ve NOT işleçlerini kullanabilirsiniz. Ayrıntılar için yardım sayfasına bakınız.Biçi_mBiçimGitGnuplotAnasayfaya gitGerideki sayfaya gitİlerideki sayfaya gitÇocuk sayfaya gitSonraki sayfaya gitEbeveyn sayfaya gitÖnceki sayfaya gitBaşlık 1Başlık 2Başlık 3Başlık 4Başlık 5Başlık _1Başlık _2Başlık _3Başlık _4Başlık _5YükseklikTam ekranda menüleri gizleTam ekranda yol çubuğunu gizleTam ekranda durum çubuğunu gizleTam ekranda araç çubuğunu gizliBaşlangıç SayfasıSimgeSimgeler _Ve MetinResimlerSayfa İçe AktarDizinIndex sayfasıSatır İçi HesaplayıcıTarih ve Zaman EkleDiyagram EkleDitaa EkleDenklem EkleGNU R Plot'u EkleGnuplot EkleGörsel EkleBağlantı EkleEkran Görüntüsü EkleSembol EkleDosyadan Metin AktarDiyagram ekleResimleri bağlantı olarak ekleArayüzWiki Kaynak Bağlantısı Anahtar KelimesiGünlükSayfaya gitSayfaya GitGörev işaretleme etiketleriSon değişikliklerYeni sayfa için bağlantı oluşturSol Yan PanelSatır SıralayıcısıSatırBağlantı HaritasıBelge kökü altındaki dosyaların bağlantılarında tam dosya yolunu gösterBağlantı oluşturKonumKayıt dosyasıÖyle görünüyor ki bir hata buldunuzVarsayılan uyhulama yapBelge kökünü şu URL'de haritalandırİşaretBüyük/küçük _harf uyumluMaksimum sayfa genişliğiDeğiştirildiAySayfayı TaşıSeçili Metni TaşıMetni diğer sayfaya taşı"%s" sayfasını taşıMetni taşıAdYeni DosyaYeni SayfaYeni A_lt SayfaYeni Alt SayfaUygulama bulunamadiSon sürümle aynıBağımlılık yokBöyle bir dosya veya klasör mevcut değil: %sBöyle bir dosya yok: %sBöyle bir wiki bulunamadı: %sKurulu şablon yokNot defteriDefter Özellikleri_Düzenlenebilir DefterNot DefterleriTamamEklentiler _Klasörünü AçKlasör AçDefter AçBirlikte Aç..._Belge Klasörünü Aç_Belge Kökünü Aç_Defter Klasörünü AçSayfa _AçYeni _Pencerede AçYeni sayfa aç"%s" ile açİsteğe bağlıTercihler%s eklentisi için SeçeneklerDiğer...Çıktı dosyasıÇıktı klasörüÇıktı şimdiki seçimle yer değiştirmeliÜzerine yazYol _ÇubuğuSayfa"%s" sayfası, onun tüm alt sayfaları ve ekleri silinecek"%s" sayfasının ekler için bir klasörü yokSayfa AdıSayfa ŞablonuParagrafBu sürüm için bir açıklama girinHenüz var olmayan bir sayfaya bağlantı yapmanın otomatik olarak bu sayfayı oluşturacağını unutmayın.Lütfen defter için bir ad ve klasör seçinLütfen önce birden fazla metin satırı seçin.EklentiEklentilerPortPenceredeki pozisyonTe_rcihlerYeğlenenlerTarayıcıya YazdırProfilTerfi Ettir_ÖzelliklerÖzelliklerHızlı Not...Hızlı Not...Son DeğişikliklerSon değişiklikler...Son _Değiştirilen sayfalarEş zamanlı viki işaretleme (markup) biçimlendirmesiBu sayfaya yapılan bağlar, %i sayfadan çıkarılsınBu sayfaya yapılan bağlar, %i sayfadan çıkarılsınSayfaları silerken bağlantıları da kaldırBağlar kaldırılıyorSayfayı Yeniden Adlandır"%s" sayfasını yeniden adlandır_Tümünü DeğiştirYerine bunu koy:Sayfayı kaydedilmiş sürüme döndürsün mü?RevSağ Yan PanelSürümü Kay_det...Bir _Kopyasını Kaydet...Kopyayı KaydetSürümü KaydetZim tarafından kaydedilen sürümSayıEkran arkaplan rengiAraArama Sayfaları..._Geri Bağlantıları Ara...Dosya SeçDizini SeçGörüntü SeçBir sürüm seçerek şu andaki durum ile seçilen sürüm arasındaki farkları görebilirsiniz. Veya birden fazla sürüm seçerek bunlar arasındaki farkları görebilirsiniz. Aktarım biçimini seçinizÇıktı dosyasını veya dizinini seçinizDışarı aktarılacak sayfaları seçinizPencere veya bölge seçSeçimSunucu başlatılmadıSunucu başlatıldıSunucu durdurulduTüm Panelleri GösterBağlantı Haritasını GösterTüm Panelleri GösterYançerçeve yerine, ToCas floating widget göster_Değişiklikleri GösterHer not defteri için ayrı simge gösterTakvimi ileti kutusu yerine yan panelde gösterAraç çubuğunda gösterİmleci düzenlemeye kapalı sayfalarda da gösterTekil _sayfaBoyut"%s" çalıştırılırken bir hata oluştuAlfabetik olarak sıralaSayfaları etiketlere göre sıralaYazım Denetleyici_Web Sunucusunu BaşlatÜstü çiziliKalınSe_mbolSistem Varsayılanıİçerik TablosuEtiketlerGörevGörev ListesiŞablonŞablonlarGörünecek MetinMetin Dosyaları_Dosyadan Metin Aktar...Yazı arkaplanı rengiYazı rengiBelirttiğiniz gibi bir dosya veya klasör mevcut değil. Lütfen girdiğiniz adresin doğru olup olmadığını kontrol edin.Klasör %s Henüz oluşturulmamış. Şimdi oluşturmak ister misiniz?%s isimli klasör şu an yok. Oluşturmak ister misiniz?Çalıştırıldığında aşağıdaki parametreler komuttan çıkarılacaktır: %f geçici sayfa kaynak dosyası %d mevcut sayfanın eklenti dosyası %s asıl sayfa kaynak dosyası (eğer varsa) %p sayfa ismi %n Note Defteri yeri (dosya veya klasör) %D doküman kök dizini (eğer varsa) %t seçili yazı ve yaimleç altındaki kelime %T viki formatı dahil seçili yazı Satır içi hesaplayıcı eklentisi, imleç üzerindeki ifadeyi değerlendirmeye uygun değil.Son kaydedilen sürümünden beri bu defterde değişiklik yapılmamışBu hata, sözlüklerinizin doğru yüklenmediği anlamına gelebilir.Bu dosya zaten var. Üzerine yazmak istiyor musunuz?Bu sayfanın eklentiler klasörü yokBu eklenti ile alınan ekran görüntüsü doğrudan zim sayfasına eklenebilir. Bu eklenti zim ile gelen çekirdek eklentilerdendir. Bu eklenti bu defterde buluna tüm açık görevleri gösteren bir iletişim kutusu ekler. Açık görevler işaretlenmemiş işaret kutuları ya da "TODO" veya "FIX ME" etiketleri ile işaretlenmiş maddeler olabilir. Bu eklenti Zim ile beraber sağlanan temel bir eklentidir. Bu eklenti, yazıları veya pano içeriğini kolayca bir Zim sayfasına taşımayı sağlayan bir diyalog ekler. Bu eklenti Zim ile beraber sağlanan temel bir eklentidir. Bu eklenti çabuk erişim için bir sistem çubuğu simgesi ekler. Bu eklenti Gtk+ 2.10 veya daha yeni sürümünü gerektirmektedir. Bu eklenti Zim ile beraber sağlanan temel bir eklentidir. Bu eklenti mevcut sayfa içeriğini tablolamaya yarayan bir widget sunar. Bu eklenti zim ile gelen çekirdek eklentilerdendir. Bu eklenti 'Sembol Ekle' diyalogunu ekler ve oto-biçimlendirilmiş karakterleri sağlar. Bu eklenti Zim ile beraber sağlanan temel bir eklentidir. Bu eklenti not defteri için versiyon kontrol yapar. Bu eklenti Bazaar, Gir ve Mercurial versiyon kontrol sistemleri tarafından desteklenmektedir. Bu zim ile gelen çekirdek bir eklentidir Bu eklenti zim içine aritmetik hesaplamala ekler. Aşağıdaki aritmetik modeli taban almıştır http://pp.com.mx/python/arithmetic. Bu eklenti ile zim içindeki basit matematiksel ifadelerin hızlı bir şekilde değerlendirilmesi sağlanır. Bu eklenti zim ile beraber gelen ana eklentilerdendir. Bu eklenti zim için, Ditaa tabanlı bir diagram editörü sağlar. Bu eklenti, GrapViz'li Zim için bir diyagram editörü sağlar. Bu eklenti Zim ile beraber sağlanan temel bir eklentidir. Bu eklenti, not defteri bağ yapısını haritalayan bir diyalog penceresi sağlar. Sayfaların ilgisini görüntüleyen bir "zihin haritası" olarak kullanılabilir. Bu eklenti Zim ile beraber sağlanan temel bir eklentidir. Bu eklenti, GNU R'li Zim için bir plot editörü sağlar. Bu eklenti zim için, Gnuplot tabanlı bir grafik çizim editörü sağlar. Bu eklenti Zim'in yazdırma eksikliğine bir çözüm getirmeyi amaçlar. Kullanımdaki sayfayı html haline getirerek tarayıcıda açar. Tarayıcının yazdırma desteği olduğu varsayılırsa, bu yöntemle verilerinizi iki adımda yazıcıya gönderebilirsiniz. Bu eklenti Zim ile beraber sağlanan temel bir eklentidir. Bu eklenti, Latex'li Zim için bir denklem editörü sağlar. Bu eklenti ile seçili satırlar alfabetik şekilde sıralanır. Eğer liste daha önceden sıralanmış ise sıralama tersine çevrilir. (A-Z'den Z-A'ya) Bu genellikle dosyanın geçersiz karakterler içerdiği manasına gelir.BaşlıkDevam etmek için bu sayfanın bir kopyasını kaydedebilir ya da değişiklikleri yoksayabilirsiniz. Eğer bir kopya kaydederseniz, değişiklikler yine yoksayılacaktır, ancak daha sonra kopyaya geri döndürebilirsiniz.Bu_günBugün'V' İşaret Kutusunu aç/kapa'X' İşaret Kutusunu aç/kapaDefteri düzenlemeye açınSol ÜstÜst PanelSağ üstSistem Çubuğu SimgesiSayfa ismini görev parçaları için etiketlere çevirTür ile girintiyi kaldır (Eğer devredışı ise, aynı işi görür)BilinmeyenEtiketlenmemişBu saykaya bağlantısı olan %i sayfayı da güncelleBu saykaya bağlantısı olan %i sayfayı da güncelleİndeksi GüncelleBu sayfanın başlığını güncelleBağlar Güncelleniyorİndeks güncelleniyorÖzel font kullanHer biri için bir sayfa kullanBağlantıları takip etmek için tuşunu kullanın. (Eğer devre dışı ise da kullanabilirsiniz)SabitSürüm KontrolüBu defter için sürüm kontrolü halihazırda etkin değil.SürümlerDikey kenar aralığı_Açıklamalı Göster_Kayıtları GösterWeb SunucusuHaftaBu hatayı bildirirken lütfen aşağıdaki metin kutusunda verilen bilgiyi de ekleyin.Kelimenin _tamamıGenişlikWiki sayfası: %sSözcük SayımıSözcük Sayımı...SözcükYılDünDosyayı harici bir uygulama ile düzenliyorsunuz. Tamamladığınızda bu iletişim kutusunu kapatabilirsiniz.Araç menüsünde ve araç çubuğunda veya içerik menüsünde gözükecek özel araçları yapılandırabilirsiniz.Zim Desktop Wiki_Uzaklaştır_Hakkında_Tüm Paneller_Aritmetik_Geri_Gözat_Hatalar_Takvim_ÇocukBiçimlendirmeyi _Temizle_KapatTümünü _Daralt_İçerik_Kopyala_Buraya Kopyala_Tarih ve Zaman..._SilSayfayı _Sil_Değişikliklerden Vazgeç_Düzenle_Ditaa DüzenleDenklemi D_üzenleGNU R Plot'u _Düzenle_Gnuplot DüzneleBağlantıyı _DüzenleBağlantı veya Nesneyi _Düzenle...Özellikleri _Düzenle_Eğik_SSS_Dosya_Bul..._İleri_Tam Ekran_Git_Yardım_Vurgula_Geçmiş_AnasayfaYalnızca _Simgeler_Resim...Sayfa _İçe Aktar_Ekle_Atla..._Tuş kısayolları_Büyük Simgeler_BağlantıTari_he bağla_Bağlantı..._İşaret_Daha Fazla_Taşı_Buraya TaşıSayfayı _Taşı..._Yeni SayfaSo_nrakiİndexte _sonraki_Hiçbiri_Normal Boyut_Numaralanmış Liste_AçBaşka bir Defter _Aç_Diğer..._Sayfa_Ebeveyn_YapıştırÖ_nizleme_Öncekiİndekste _öncekiTarayıcıya _Yazdır_Hızlı Not..._Çıkış_Son kullanılan sayfalar_Tekrar Yap_Kurallı ifade_YenileBağlantıyı _KaldırSayfayı _Yeniden Adlandır..._Değiştir_Değiştir...Boyutu SıfırlaSürüme _Döndür_Kaydet_Kopyayı Kaydet_Ekran Görüntüsü..._Arama_Ara..._Gönder..._Yan Panel_YanyanaKüçük Simgeler_Satırlari Sırala_Durum Çubuğu_Üstü çizili_Kalın_Alt simge_Üst simge_ŞablonlarYalnızca _Metin_Minik Simgeler_Bugün_Araç Çubuğu_Araçlar_Geri Al_Aynen_Sürümler..._Görünüm_Yakınlaştırtakvim:hafta_basi:1saltokunursaniyeLaunchpad Contributions: Bekir DURAK https://launchpad.net/~bekir-durak Bekir SOYLU https://launchpad.net/~cometus Caner GÜRAL https://launchpad.net/~canergural Emre Ayca https://launchpad.net/~anatolica Emre Cıklatekerlio https://launchpad.net/~emrecikla Engin BAHADIR https://launchpad.net/~enginbah Gökdeniz Karadağ https://launchpad.net/~gokdeniz Jaap Karssenberg https://launchpad.net/~jaap.karssenberg M. Emin Akşehirli https://launchpad.net/~memedemin ytasan https://launchpad.net/~yasintasanzim-0.68-rc1/locale/ro/0000755000175000017500000000000013224751170014462 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/ro/LC_MESSAGES/0000755000175000017500000000000013224751170016247 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/ro/LC_MESSAGES/zim.mo0000644000175000017500000013116213224750472017413 0ustar jaapjaap00000000000000sL',M'.z' '' ''0(B(](4{(( ((i(*9)!d)) ) ) )-))V)H* N* X*b*3v*Y*+ + '+ 2+ >+K+`+s+ +++$+?+/ ,(=,%f, ,,,, , , , ,, , , - ----4-I-P-_- g-r-----<-. . (.3.;.X.`.v....+.3. '/H/ [/ i/ u/////3/090L0g0z00000 0 0 00000181I1 O1[1 m1x1 1 11 1 111~1 X2 f2 p2{2 2 2 2 2222225213 @3L3!S3u3#33333 344 -494R4n4w4~4 444 4644v4m5*5c566 6)6A6[6_6g6 o6|66666 6 6 6 6 6 7 7 7 &7 17<7C7c7!777 7777 888 %808B8T8i8 x8888 8 8 888 9 9!979F9 \9f9x99 99 9999.9 ::$:2-:`:h:q:::::: ::; ;; ; &;0;F;^;p;; ;; ;*;;;< <"<2<H<f<.v<<<<<= == 1=;=>= W= c= q=~=== === == >>>4> =>9I> >I>!>'> %?/?8?C=?0? ? ?? ? ?'?V#@3z@0@@@-A.A6A;A RA _AkApAAA A A&A A AAA B!BAB HB SB^aB B BB BC>C WC dCqCCCCCCCC C CCD%D+DCDVD]DmDD D D DDAE ZE{EE EEEEEEF!F9F KFYF2iF F&F F.FG"G6GJG5\G&G GGG&GHH (H 4HBHTH[H bHmHtH HH HHHHH HH HH HII0IYFI?IAIS"JKvJ@J6K-:KxhKKL/MM}>NLN OO;PP}WQhQk>RRR~S;S= TvKTTjUnAV]VWW7#X[XaX|XzY~YYYYYYY Y Y'YZDZdZ lZxZHZ ZZZ[['[P;[[[U[[\\ $\ .\9\N>\ \\ \ \ \\\ \^\f:]] ]] ] ]]]] ]]]^ ^ &^0^ 6^A^S^ [^h^y^ ^^^ ^ ^^^ ^^ _ _(_-_3_<_ E_Q_U_ [_f_o_ u_ ___ _ _ __ _____ _ ` ``$`3` 9`F`U`[` u`````` ````` ``aa !a.a>a Ga Sa_apa vaaa a a a a a a aaa a b b b +b7b>bGbNb Tb ^bkbqbzbb bbbb bbAd5e Ue.ae9e/eMe<Hf6f=ff g gi$g1g+ggg h!h;2hnhph hii!iI6iSii i ijj*jDj_j xjjj!j<j5j1.k2`kkkkkk kk k l l "l /l9lBl blllll l llll,lg*mmm mmm mmnn#n:nBPnIn0no(o ;oHo\o&ooo$o:o+pAp[p{pp/pp p pqq 3q@qFqIq?Rqq qqqqq q rr r*r$Arfrlrr s s+sKs[sns~sss sssFs)tIt Zt/dtt1tttt! u,u>u"Xu{uuu uu uuvv /vAxBx JxWxpxxxxxxxyyyy!y*y3yz׀$4<Pah k ځ-"Jm  ˂ՂV?dR19 # .<HD.˄$܄;b[4/# 85B x ņ߆  ,<Mat%ɇ҇3ʈ+>HW)ˉ = T`sЊՊ#0 FPez!A-c$ ׌&&:a!x͍:"27j@| ގ46,k&͏! *8Ld k vŐ͐+֐  %/ 4BWuX9?OZQD/A3q.4ו+i+t@9l5H?+XiGӣ""̤  ##.DRR Ҧ'.I$gjJ^g{ ^ '1DVpx{[}ܩZ ky  ʪԪ۪  #2EN^ xɫ$ޫ!4V ju  ȬЬ߬   &2H Wcx   Эڭ $ 8CL d nx îخ )<Tcr ʯ ԯ߯%6F NZ b l w ɰ ְ 2BJY This plugin provides bar for bookmarks. %(cmd)s returned non-zero exit status %(code)i%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd columnAdd new bookmarks to the beginning of the barAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAuthorAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsBackLinksBackLinks PaneBackendBazaarBookmarksBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearClone rowCode BlockCommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?CreatedCu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatGNU _R PlotGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationMap document root to URLMarkMatch _caseMaximum page widthMenubarMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove column aheadMove column backwardMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen in New WindowOpen in New _WindowOpen new pageOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage has un-saved changesPage sectionParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrevPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionS_ave Version...S_coreSave A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...SectionSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet default text editorShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full Page NameShow full page nameShow in the toolbarShow right marginShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTags for non-actionable tasksTaskTask ListTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The inline calculator plugin was not able to evaluate the expression at the cursor.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse a custom fontUse a page for eachUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWord CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Incalendar:week_start:0horizontal linesno grid linesreadonlysecondstranslator-creditswith linesProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-04-28 22:02+0000 Last-Translator: Marrin Language-Team: Romanian MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=3; plural=(n == 1 ? 0: (((n % 100 > 19) || ((n % 100 == 0) && (n != 0))) ? 2: 1)); X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) Acest modul afișează un meniu pentru documentele favorite. %(cmd)s a returnat statusul de ieșire nenul %(code)i%A %d %B %Y%i _atașament%i _atașamente%i _atașamente%i _Antelegătură%i _Antelegături%i de _Antelegăturiau apărut %i erori, verificați înregistrarea%i fișier va fi șters%i fișiere vor fi șterse%i fișiere vor fi șterse%i element deschis%i elemente deschise%i elemente deschiseau apărut %i avertismente, verificați înregistrarea(De-)Indentarea unei liste de itemi afectează și sub-itemiiUn wiki pentru desktopFișierul cu numele "%s" există deja. Puteți utiliza alt nume sau suprascrie fișierul existent.Un tabel trebuie să aibă cel puțin o coloană.Adaugă benzile pentru detașare la meniuriAdaugă aplicațieAdaugă la FavoriteAdaugă notesAdaugă coloanăAdaugă noi documente favorite la începutul barei de meniuAdaugă linie de tabelAdaugă suport pentru corectare ortografică folosind gtkspell. Acesta este un modul de bază furnizat cu zim. AliniazăToate fișiereleToate sarcinilePermite acces publicUtilizează mereu ultima poziție a cursorului la deschiderea unei paginiA ocurs o eroare la generarea imaginii. Doriți totuși să salvați textul-sursă?Sursa adnotată a paginiiAplicațiiAritmeticAtașează fișierAtașează _fișierAtașează fișier externAtașați imaginea întâiNavigator de atașamenteAtașamenteAutorAuto indentareVersiune salvată automat din zimSelectează automat cuvântul curent la aplicarea formatuluiTransformă automat cuvinte "CamelCase" în legăturiTransformă automat căi de fișier în legăturiSalvează automat o versiune la intervale regulateLegături inversePanoul cu legături inverseSuportBazaarFavoriteStînga-josPanoul de la bazăDreapta-josRăsfoireLis_tă de marcatoriC_onfigurareCalen_darCalendarNu se poate modifica pagina: %sAnuleazăCapturează tot ecranulCentratModifică coloaneleModificăriCaractereCaractere excluzînd spațiileCorectare _ortografieListă de ca_seteBifând o casetă se bifează și sub-itemiiIconiță clasică în zona de notificare, nu folosi noul stil pentru iconița de notificare pe Ubuntu.GoleșteDuplică linie de tabelBloc de codComandaComanda nu modifică dateComentariuSubsol comun inclusAntet comun inclusNotesul completConfigurare aplicațiiConfigurare suplimentConfigurează o aplicație care să deschidă legăturile „%s”Configurează o aplicație pentru deschiderea fișierelor de tip „%s”Consideră toate căsuțele de bifare ca sarciniCopiază adresa de e-mailCopiază șablonulCopi_ază caCopiază le_găturaCopiază _locațiaN-am putut găsi executabilul „%s”Nu poate fi găsit notesul: %sNu am putut găsi șablonul „%s”N-a fost găsit vreun fișier sau dosar pentru acest notesNu am putut încărca corectorul ortograficNu s-a putut deschide: %sExpresia nu poate fi analizatăNu s-a putut citi: %sNu poate fi salvată pagina: %sCrează o pagină nouă pentru fiecare notițăCreați dosarul?Creat(ă)De_cupeazăUnelte personalizateUnel_te personalizateModifică...DatăZiImplicitFormatul implicit de copiere a textului din sertarul de memorieNotesul implicitÎntîrziereȘtergeți paginaȘtergeți pagina "%s"Șterge linie (rând)RetrogradeazăDependențeDescriereDetaliiDia_gramă...Renunță la notiță?Editare fără distragerea atențieiDitaaDoriți să restaurați pagina: %(page)s la versiunea salvată: %(version)s ? Toate modificările de la ultima versiune salvată vor fi pierdute!Document-rădăcinăE_cuațieE_xportă...Editaţi unealta personalizatăEditare imagineEditare legăturăEditează tabelEditează _sursaEditareEditarea fișierului: %sAccentuatActivează controlul versiunii?ActivatEroare în %(file)s la linia %(line)i în apropierea „%(snippet)s”Evaluează expresii _matematiceExp_andează totExportareExportă toate paginile într-un singur fișierExport finalizatExportă fiecare pagină într-un fișier separatSe exportă notesul...EșuatEșec la rularea: %sEșec în rularea aplicației: %sFișierul existăȘ_abloane de fișiere...FIșierul s-a schimbat pe disc: %sFișierul existăFișierul nu poate fi scris: %sTip de fișier nesuportat: %sNume fişierFiltruGăseșteGă_sește următorulGăsește precedentulCaută și înlocuieșteCe să cauteMarchează sarcinile scadente luni sau marți înainte de weekendDosarDosarul există deja și are conținut, iar exportarea în acest dosar ar putea suprascrie fișierele existente. Continuați, totuși?Dosarul există: %sDosar cu șabloane pentru fișiere atașamentPentru căutări avansate puteți utiliza operatori precum AND, OR și NOT. Citiți pagina de ajutor pentru mai multe detalii.For_matareFormatareGrafic GNU _RObține mai multe module de pe rețeaObține mai multe șabloane de pe rețeaGitGnuplotMergi acasăMergi o pa_gină înapoiMergi o _pagină înainteMergi la pagina-copilMergi la pagina următoareMergi la pagina-părinteMergi la pagina precedentăAntet 1Antet 2Antet 3Antet 4Antet 5Antet _1Antet _2Antet _3Antet _4Antet _5ÎnălțimeaAscunde bara de meniu în modul ecran completAscunde bara de căi în modul ecran completAscunde bara de status în modul ecran completAscunde bara de unelte în modul ecran completEvidențiază linia curentăPagină de pornireIconiţăIconiț_e și textImaginiPagina de importInclude subpaginiIndexPagina de indexCalculator în linieIntroducere bloc de codInserare dată și orăInserare diagramăInserare DitaaInserare ecuațieInserare GNU R PlotInserare GnuplotInserare imagineInserează legăturăIntroducere partiturăIntroducere captură de ecranIntroducere diagramă de secvențăInserare simbolInserează tabelInserare text din fișierInserare diagramăInserează imaginile ca legăturăInterfațăCuvânt-cheie interwikiJurnalSalt laSalt la paginaEtichete care marchează sarciniUltima modificareLasă legătură la noua paginăLa stângaPanoul din partea stângăLimitează căutarea la pagina curentă și subpaginile eiSortator de liniiLiniiHarta cu legăturiLeagă fișierele de documentul-rădăcină cu întreaga cale a fișieruluiLegătură laLocațiaÎnregistrare evenimente cu ZeitgeistFișier-jurnalSe pare că ați găsit un defectSetează ca aplicație implicităHarta dosarului rădăcină în legăturăSubliniatPotrivire exa_ctăLățimea maximă a paginiiBară de meniuMercurialModificatăLunăMută paginaMută textul selectat...Mută textul în altă paginăMută coloana înainteMută coloana înapoi'Mută pagina "%s"Mută textul înNumeAm nevoie de fișierul destinație pentru a exporta în MHTMLAm nevoie de dosarul destinație pentru a exporta tot caietulFișier nouPagină nouăS_ubpagină nouăO nouă sub-pagină_Atașament nouN-a fost găsită nici o aplicațieNici o schimbare de la ultima versiuneFără dependențeNu este disponibil nici un modul pentru a afișa acest obiect.Nici un fișier sau dosar: %sNu există fișierul: %sNu există vreun wiki definit ca: %sNu există șabloane instalateNotesulProprietăți notesNotes de _editatCaieteOKDeschide d_osarul atașamentelorDeschide dosarDeschide notesulDeschide cu...Deschide _dosarul documentelorDeschide Documentul-_rădăcinăDeschide dosarul _notesurilorDeschidere _paginăDeschide în fereastră nouaDeschide într-o _fereastră nouăDeschide pagină nouăDeschide cu „%s”OpționalOpțiuniOpțiuni pentru suplimentul %sAltele...Fișier de ieșireFIșierul destinație există; specificați „--overwrite” pentru a forța exportulDosarul de ieșireDosarul destinație există și nu este gol; specificați „--overwrite” pentru a forța exportulEste nevoie de locația destinație pentru exportRezultatul ar trebui să înlocuiască selecția curentăSuprascrie_Bara de căiPaginăPagina "%s" și toate sub-paginile și atașamentele sale vor fi ștersePagina "%s" nu are un dosar pentru atașamenteNumele paginiiModel de paginăPagina conține schimbări nesalvateSecțiune de paginăParagrafVă rog introduceți un comentariu pentru această versiuneNotați faptul că legarea la o pagină inexistentă creează de asemenea o nouă pagină automat.Selectați vă rog un nume și un dosar pentru notesSelectați întâi mai mult de o linie de text.Specificați caietulSuplimentModulul %s este necesar pentru a afișa acest obiect.SuplimentePortulPoziția în fereastrăPref_erințePreferințePrecedentTipărește în navigatorProfilPromoveazăProprie_tățiProprietățiÎmpinge evenimente spre daemonul Zeitgeist.Notiță rapidăNotiță rapidă...Schimbări recenteSchimbări recente...Pagini _schimbate recentReformatează din mers marcajele wikiEliminăEliminați toateȘterge coloanăȘtergeți legăturile de la %i legături de pagină ale acestei paginiȘtergeți legăturile de la %i legături de pagini ale acestei paginiȘtergeți legăturile de la %i legături de pagini ale acestei paginiÎnlătură legăturile când sunt șterse paginileȘterge linie de tabelSe șterg legăturileRedenumire PaginăRedenumirea paginii "%s"Cu clicuri repetate pe casetă se obțin ciclic toate opțiunile caseteiÎnlo_cuiește totCu ce să înlocuiascăRestaurare pagină la versiunea salvată?VerLa dreaptaPanoul din partea dreaptăPoziția marginii din dreaptaS_alvează versiune..._PartiturăSalvează o _copieSalvați o copieSalvează versiuneSalvează documentele favoriteVersiune salvată din zimScorCuloarea de fundal e ecranuluiComanda pentru capturarea ecranuluiCautăCaută pagini...Caut_ă antelegăturiSecțiuneSelectați fișierulSelectarea dosaruluiSelectarea imaginiiSelectați o versiune pentru a vedea schimbările dintre acea versiune și starea prezentă. Sau selectați mai multe versiuni pentru a vedea schimbările dintre acele versiuni. Selectați formatul pentru exportAlegerea fișierului sau dosarului de ieșireSelectați paginile pentru exportareAlege o fereastră sau o regiuneSelecţiaDiagramă de secvențăServerul nu este pornitServerul este pornitServerul este opritStabilește editorul de texte implicitArată toate panourileArată navigatorul de atașamenteNumerotează liniileAfișează harta cu legăturiArată panourile lateraleArată cuprinsul ca widget flotant și nu ca panou lateralArată s_chimbărileArată o iconiță separată pentru fiecare caiet.Arată calendarulAfișează calendarul în panoul alăturat în locul unui dialogArată numele întreg al paginiiArată numele întreg al paginiiAfișat în bara de unelteArată marginea din dreaptaArată cursorul și pe paginile ce nu pot fi editateArată antetul cu titlul paginii în cuprinsO singură paginăMărime:Tastă Home inteligentăA apărut o eroare la rularea „%s”Sortează alfabeticSortează paginile după eticheteVedere sursăCorector ortograficPornește serverul _webTăiatÎngroșatSi_mbol...SintaxăSetare implicităLățimea tab-uluiTabelEditor de TabelCuprinsEticheteEtichetele pentru sarcinile fără acțiuneSarcinăListă de sarciniȘablonȘabloaneTextFișiere textText din _fișier...Culoarea de fundal a textuluiCuloarea textuluiFișierul sau dosarul specificat nu există. Verificați dacă ați ales calea corectă.Dosarul %s nu există încă. Doriți să fie creat acum?Dosarul „%s” nu există încă. Doriți să fie creat acum?Suplimentul de calculator în linie nu poate evalua expresia de lângă cursor.Nu există modificări în acest caiet de la ultima versiune cînd a fost salvat.Asta ar putea însemna că nu aveți dicționarele corect instalate.Fișierul există. Doriți să-l suprascrieți?Această pagină nu are un dosar pentru atașamenteAcest modul permite capturarea ecranului și introducerea imaginii într-o pagină zim. Acesta este un modul de bază furnizat cu zim. Acest modul adaugă un dialog care afișează toate sarcinile deschise în acest caiet. Sarcinile deschise pot fi căsuțe de bifare deschise sau elemente marcate cu etichete cum sînt „TODO” sau „FIXME”. Acesta este un modul de bază furnizat cu zim. Acest modul adaugă un dialog pentru a introduce rapid un text sau conținutul clipboardului într-o pagină zim. Acesta este un modul de bază furnizat cu zim. Acest modul adaugă o iconiță la zona de notificare pentru acces rapid. Acest modul are nevoie de Gtk+ versiunea 2.10 sau mai nouă. Acesta este un modul de bază furnizat cu zim. Acest modul adaugă un extra widget care afișează o listă de pagini care se leagă la pagina curentă. Acesta este un modul de bază furnizat cu zim. Acest modul adaugă un widget extra care arată un cuprins pentru pagina curentă. Acesta este un modul de bază furnizat cu zim. Acest modul adaugă configurări care permit folosirea lui zim ca un editor fără distragerea atenției Acest supliment adaugă dialogul 'Inserare simbol' și permite caractere tipografice auto-formatate. Acesta este un supliment de bază asociat cu zim. Acest modul adaugă suport pentru controlul versiunii în caiete. Acest modul suportă următoarele sisteme pentru controlul versiunii: Bazaar, Git și Mercurial. Acesta este un modul de bază furnizat cu zim. Acest modul permite introducerea de 'Blocuri de cod' în pagină. Acestea vor fi afișate ca widgeturi incorporate cu evidențierea sintaxei, numere de linie etc. Acest modul vă permite să integrați calcule aritmetice în zim. Este bazat pe modulul aritmetic de la http://pp.com.mx/python/arithmetic. Acest supliment vă permite să evaluați rapid cu zim expresii matematice simple. Acesta este un supliment de bază asociat cu zim. Acest supliment furnizează un editor de diagrame bazat pe Ditaa Acesta este un supliment de bază asociat cu zim. Acest supliment furnizează un editor de diagrame pentru zim bazat pe GraphViz. Acesta este un supliment de bază asociat cu zim. Acest supliment furnizează un dialog cu reprezentarea grafică a structurii cu legături a unui notes. El poate fi utilizat în genul unei "hărți mentale" ce arată cum se relaționează paginile. Acesta este un supliment de bază asociat cu zim. Acest modul furnizează un index de pagină filtrat după modalitatea selectării etichetelor dintr-un nor. Acest supliment furnizează un editor grafic pentru zim bazat pe GNU R. Acest supliment furnizează un editor grafic bazat pe Gnuplot. Acest modul furnizează un editor de diagrame de secvență pentru zim bazat pe seqdiag. Permite editarea ușoară a diagramelor de secvență. Acest modul furnizează o soluție alternativă pentru lipsa suportului de printare în zim. Exportă pagina curentă în html și deschide un navigator. Presupunînd că navigatorul permite posibilitatea de printare, asta vă permite să vă trimiteți datele către împrimantă în doi pași. Acesta este un modul de bază furnizat cu zim. Acest supliment furnizează un editor de ecuații pentru zim bazat pe latex. Acesta este un supliment de bază asociat cu zim. Acest plugin furnizează un editor de partituri pentru zim bazat pe GNU Lilypond. Acesta este un modul de bază furnizat cu zim. Acest modul afișează directorul cu fișiere atașate paginii curente, ca un simbol în panoul de jos. Acest supliment sortează liniile selectate în ordine alfabetică. Dacă lista este deja sortată, ordonarea va fi inversată (A-Z to Z-A). Acest modul transformă o secțiune din caiet într-un jurnal cu o pagină pe zi, săptămînă sau lună. Adaugă de asemenea un widget pentru a accesa aceste pagini. Aceasta înseamnă de regulă că fișierul conține caractere invalideTitluPentru a continua, puteți salva o copie a acestei pagini sau neglijați toate modificările. Dacă salvați o copie, modificările vor fi de asemenea neglijate, dar veți putea restaura copia ulterior.Pentru a începe un caiet de notițe nou, trebuie să selectați un director nou (gol). Bineînțeles, puteți selecta și un director preexistent, care conține deja un caiet de notițe. CuprinsLa _ziuaAstăziComută căsuța de verificare 'V'Comută căsuța de verificare 'X'Comută notesul de editatStînga-susPanoul de susDrepta-susIconiță pentru zona de notificareTransformă numele de pagini în etichete pentru elemente de sarciniTipDe-indentare cu tasta (Dacă debifați, de-indentați cu )Necunoscut(ă)NespecificatNeetichetateSe actualizează %i legătură de pagină la această paginăSe actualizează %i legături de pagină la această paginăSe actualizează %i de legături de pagină la această paginăActualizează _indexulSe actualizează antetul acestei paginiSe actualizează legăturileSe actualizează indexareaUtilizează font personalizatUtilizează o pagină pentru fiecareUtilizați tasta pentru a urma legătura (Dacă debifați, utilizați pentru aceasta)LiteralControlul versiuniiControlul versiunii nu este activat pentru acest caiet. Doriți activarea?VersiuniMarginea verticalăVedere _adnotăriArată _jurnalulServer WebSăptămânăCând raportați această avarie includeți vă rog informația din caseta de text de dedesubtCu_vânt întregLățimeaPagina de wiki: %sContor de cuvinteNumărător de cuvinte...CuvinteAnIeriEditați fișierul cu o aplicație externă. Puteți închide acest dialog când terminațiPuteţi configura uneltele personalizate care apar în meniul de unelte şi în bara de unelte sau în meniurile contextuale.Zim Desktop WikiMicș_orează_Despre aplicațieTo_ate panourile_AritmeticÎna_poi_RăsfoieșteO_bstacole_Calendar_Copil_Curăță formatareaÎn_chideRes_trânge tot_Conținuturi_Copiază_Copiază aici_Dată și timp...Șt_erge_Șterge paginaNeglijați mo_dificările_Editează_Editare Ditaa_Editare ecuație_Editare GNU R Plot_Editare GnuplotEditează _legătura_Editează legătura sau obiectul..._Editează proprietățileModifică _partitură_Editează diagrama de secvență_Modifică diagrama_AccentuatÎntrebări _frecvente_Fișier_Găsește_ÎnainteazăPe tot _ecranulNavi_gareA_jutor_Evidențiază_Istoric_AcasăDoar _iconițe_Imagine..._Importă pagina_InserareSari _la...Sc_urtături de tasteIconițe _mari_LegăturăLegătură la _dată_Legătură...S_ubliniat_Mai multe_Mută_Mută aici_Mută pagina...Pagină _nouă_UrmătorUrmătorul în i_ndex_NimicMărime _normalăListă numerală_DeschideDeschide alt n_otes_Altele..._PaginăIerarhizarea _paginilor_PărinteLi_pește_Previzualizați_Precedent_Anterior în indexTi_părește în navigator_Notiță rapidă...P_ărăsește aplicațiaPagini _recente_RefăExpresie _regulată_ReîncarcăȘte_rge legătura_Redenumește pagina...În_locuieșteÎnlocui_re..._Resetați mărimea_Restaurare versiune_Salvare_Salvați copia_Captură de ecran..._Căutare_Caută...Trimite _spre..._Panourile laterale_Una lîngă altaIconițe m_ici_Sortează liniiBară de _stare_TăiatÎn_groșat_IndiceE_xponentȘ_abloaneDoar _textIc_onițe minusculeAs_tăziBară de unel_teUnel_te_Desfă_Literal_Versiuni..._Vizualizare_Măreștecalendar:week_start:1linii orizontalefără linii despărțitoaredoar în citiresecundeLaunchpad Contributions: Adrian Fita https://launchpad.net/~afita Arthur Țițeică https://launchpad.net/~arthur-titeica Jaap Karssenberg https://launchpad.net/~jaap.karssenberg Marrin https://launchpad.net/~pimla abelcavasi https://launchpad.net/~abel-cavasicu linii despărțitoarezim-0.68-rc1/locale/ru/0000755000175000017500000000000013224751170014470 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/ru/LC_MESSAGES/0000755000175000017500000000000013224751170016255 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/ru/LC_MESSAGES/zim.mo0000644000175000017500000017261313224750472017427 0ustar jaapjaap00000000000000L),M).z)?) )) *5*0Q****4** * +i+*+!++ + + +-,2,V:,, , ,,3,Y,M- c- p- {- ---- -- --$-? ./`.(.%.. ..// / '/ 4/ @/ L/Y/ `/ m/ x//////// //00-#0<Q00 0 0000000 1151+F13r1 11 1 1 112-2I23f222222313@3 E3 R3 `3m3r3v30~333 33 33 3 44 4 #414J4$P4~u4 45 5 55 ,5 75 A5 L5Y5a5r5{55555 5(56!6>6#O6s6666 666 67777@7G7 L7W7f7 w7677v768*H8cs8888 889+9/979 ?9L9\9m9}99 9 9 9 9 9 9 9 9 9 : :::>:!^::: :::: ::: ; ;;/;D; S;`;p;; ; ; ;;; ; ;;<!< 7<A<S<[< c<p< <<<<.< <<<2=;=C=L=f=o===== === = >> >">8>P>b>w> >> >*>>>> ??$?:?X?.h??????@ @!@ 4@>@A@X@ q@ }@ @@@@ @@ @AA +A9AMA\AeAmAA A9A AIA!*B'LB tB~BBCB0B C CC1CKC `C mC'wCVC3C0*D0[DDD-DDDD D EE)E1E 9E EE&PE wE EEEEEE E E^ F hF FF FF>F F GG8GhGhOhbh qh|h[jLjrBk k>knl;plul "m`-mKmxm Sn ^nlnn\Bo6o%o!op>pI^pppjqqq2qq\rBr:sOsdss&s's!st "t-tEt>[t~tuNu>u.'vVv*tv,vvvvww2w Jw'Uw}www9w w&w%x7xWxjx/{x(x)xDxCyy#z%z7zHz1Wzz.z2z{'!{I{Ui{^{G|Af|!||"| }C.}1r}0}\}L2~&~9~*~; QG%),5>rV&ɀ!'#Kgx"΁6(9.h.IxD1',T7t+Ʉ /2JA"\̅)T8Y. 6C?b*܇,%7R  ӈk% #oI݊ Nj>>3rv3~75+ 5L+7&;Pe{ ӎ@S!SuNɏ4!M o|4͐+7"c'Α##':b*(JԒ=+];ؓ-("7Z%w>ܔ&r! B֕+FH *=ǖ6^<"6ח ! 0';6cD2ߘ0.C$rEiN*b)0(8.gc4 '>,f*"͜ ?!1a#˝,?+\ E% &3*Z-'۟& 0@Z YB^wkDTl/O+ 6 TD_;cb5N8 [ %9Lk|; #.&R4yF-8BfŪ-2lDʫG(7(T*}#֬ !.(W#w#έ( !!C'_ %Ʈ5<29o:9 1R!n&P8$A=f,(Ѳ,K'ss$[ #hq554Gj?,qf  @4,u9#ܷ%&*;f }?; P5[  ù ҹݹ,~BQYzmj|r@ZFoRr#Z<l }4{-\0n9O )&8&_[50VfG[x4!)Z+,?d *!7*Y$ &j H2; BM. D P \j}.9T d& !*."6(Y?,3U#.y / & 1AQ%k"! 2Qn~ +#2V&j!&.!2 De~0$! >"Jm(}/*&Ip  "#C g + 9&Ip':Wqy#Uy This plugin provides bar for bookmarks. %(cmd)s returned non-zero exit status %(code)i%(n_error)i errors and %(n_warning)i warnings occurred, see log%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i of %i%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd columnAdd new bookmarks to the beginning of the barAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAuthorAuto WrapAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsBack to Original NameBackLinksBackLinks PaneBackendBazaarBookmarksBookmarksBarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearClone rowCode BlockColumn 1CommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?Cu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to delete all bookmarks?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootDueE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExpand journal page in index when openedExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatFossilGNU _R PlotGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageGrid linesHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationManaging table columnsMap document root to URLMarkMatch _caseMaximum page widthMenubarMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove column aheadMove column backwardMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such page: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOnly Show Active TasksOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen cell content linkOpen helpOpen in New WindowOpen in New _WindowOpen new pageOpen plugins folderOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage already exists: %sPage has un-saved changesPage not allowed: %sPage sectionParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select a row, before you push the button.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionRow downRow upS_ave Version...S_coreSave A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...Search this sectionSectionSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet New NameSet default text editorSet to Current PageShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow Tasks as Flat ListShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full Page NameShow full page nameShow helper toolbarShow in the toolbarShow right marginShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStartStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTags for non-actionable tasksTaskTask ListTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The inline calculator plugin was not able to evaluate the expression at the cursor.The table must consist of at least on row! No deletion done.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis page name cannot be used due to technical limitations of the storageThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse %s to switch to the side paneUse a custom fontUse a page for eachUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWith this plugin you can embed a 'Table' into the wiki page. Tables will be shown as GTK TreeView widgets. Exporting them to various formats (i.e. HTML/LaTeX) completes the feature set. Word CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Incalendar:week_start:0do not usehorizontal linesno grid linesreadonlysecondstranslator-creditsvertical lineswith linesProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-04-28 22:01+0000 Last-Translator: Jaap Karssenberg Language-Team: Russian MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) Этот плагин предоставляет панель для закладок. %(cmd)s вернула ненулевой статус выхода %(code)iПроизошло %(n_error)i ошибок и %(n_warning)i предупреждений, смотрите лог%A, %d %b %Y%i _Вложений%i _Вложение%i _Вложения%i _Обратных ссылок…%i _Обратная ссылка...%i _Обратные ссылки…Произошло %i ошибок, смотрите лог%i файлов будет удалено%i файл будет удален%i файла будет удалено%i из %i%i открытых задач%i открытая задача%i открытых задачиПроизошло %i предупреждений, смотрите логИзменение отступа элемента списка изменяет отступы подэлементов<Верх><Неизв.>Настольная wikiФайл с именем «%s» уже существует. Вы можете указать другое имя или перезаписать существующий файл.Таблица должна иметь по крайней мере один столбец.Использовать «отрывные» менюДобавить приложениеДобавить закладкуДобавить блокнотДобавить столбецДобавить новые закладки в начало панелиДобавить строкуДобавляет проверку правописания с помощью gtkspell. Это базовый модуль, поставляющийся с Zim. ВыравниваниеВсе файлыВсе задачиРазрешить публичный доступВсегда использовать последнюю позицию курсора при открытии страницыВо время генерации изображения возникла ошибка. Всё равно сохранить исходный текст?Комментированный исходник страницыПриложенияАрифметикаСоздать вложениеВложить _файл…Вложить внешний файлВставить изображениеМенеджер вложенийВложенияАвторАвто ПереносАвто отступАвтоматически сохраненная версияАвтоматически выделять текущее слово при применении форматированияАвтоматически делать ссылками слова, написанные в ПрыгающемРегистреАвтоматически делать ссылками пути файловРегулярное автосохранение версийВернуть оригинальное имяОбратные ссылкиПанель обратных ссылокСистема контроля версийBazaarЗакладкиПанель закладокВнизу слеваНижняя панельВнизу справаОбзорМаркированный списокНастроить_КалендарьКалендарьНе удалось изменить страницу: %sОтменаЗахватить весь экранПо-центруИзменить столбцыИзмененияСимволовСимволы, исключая пробелыПроверять _орфографиюСписок переключателейОтметка флажка влияет на подэлементыКлассический значок в области уведомлений (не использовать новый стиль значков статуса в Ubuntu)ОчиститьДублировать строкуБлок кодаСтолбец 1КомандаКоманда не изменяет данныеКомментарийОбщий включаемый "подвал"Общий включаемый заголовокБлокнот _целикомНастройка приложенийНастроить модульНастройка приложения для открывания ссылок "%s"Настройка приложения для открывания файлов типа "%s"Считать задачами все строки с флажкамиКопировать адрес электронной почтыКопировать шаблон_Копировать как...Копировать _ссылкуКопировать _адресНе удалось найти исполняемый файл "%s"Не удалось найти блокнот: %sНе удалось найти шаблон "%s"Не удалось найти файл или папку для этого блокнотаНе удалось загрузить проверку орфографииНе удалось открыть: %sНе удалось разобрать выражениеНе удалось прочитать: %sНе удалось сохранить страницу: %sСоздавать новую страницу для каждой заметкиСоздать папку?_ВырезатьВнешние инструментыВ_нешние инструменты…Настроить...ДатаДеньПо умолчаниюПрименять форматирование по умолчанию для копируемого текстаБлокнот по умолчаниюЗадержкаУдаление страницыУдалить страницу «%s»?Удалить строкуПонизитьЗависимостиОписаниеПодробностиДиа_грамма…Выбросить заметку?Редактирование не отвлекаясьDitaaВы хотите удалить все закладки?Вы хотите вернуть страницу: %(page)s к сохраненной версии: %(version)s? Все изменения с последней сохраненной версии будут утеряны!Корневая папка документаЗавершить к_Уравнение_Экспорт…Редактирование внешнего инструментаРедактировать изображениеРедактировать ссылкуРедактор таблицыРедактировать _исходный текстРедактированиеРедактирование файла: %sКурсивВключить контроль версий?ВключенОшибка в %(file)s в строке %(line)i около "%(snippet)s"Посчитать _формулуРазвернуть _всеРазвернуть страницу журнала в индекс при открытииЭкспортЭкспортировать все страницы в один общий файлЭкспорт завершёнЭкспортировать каждую страницу в отдельный файлЭкспорт записей блокнотаОшибкаОшибка запуска %sНе удалось запустить приложение: %sФайл существуетФайл _Шаблоны...Файл %s на диске изменёнФайл существуетФайл %s защищён от записиТип файла не поддерживается: %sИмя файлаФильтрНайтиНайти _следующееНайти _предыдущееНайти и заменитьНайти чтоПометить задачи на понедельни или вторник перед выходнымиПапкаПапка уже существует и содержит данные. Экспорт в нее может привести к перезаписи существующих файлов. Продолжить?Папка существует: %sКаталог с шаблонами для файлов-вложенийДля расширенного поиска можно использовать операторы И, ИЛИ и НЕ. Более подробная информация на странице помощи._ФорматФорматОкаменелостьГрафик GNU _RПолучить больше плагинов на сайтеПолучить больше шаблонов на сайтеGitGnuplotПерейти к домашней страницеПерейти к предыдущей страницеПерейти к следующей страницеПерейти на уровень нижеПерейти к следующей страницеПерейти на уровень вышеПерейти к предыдущей страницеЛинии сеткиЗаголовок 1Заголовок 2Заголовок 3Заголовок 4Заголовок 5Заголовок _1Заголовок _2Заголовок _3Заголовок _4Заголовок _5ВысотаСкрыть меню в полноэкранном режимеСкрыть индикатор пути в полноэкранном режимеСкрыть строку статуса в полноэкранном режимеСкрыть инструменты в полноэкранном режимеПодсвечивать текущую строкуДомашняя страницаЗначокЗначки _и текстИзображенияИмпорт страницыВключить вложенные страницыСодержаниеГлавная страницаВстроенный калькуляторВставить блок кодаВставить дату и времяВставка диаграммВставка ditaaВставка формулВставка графика GNU RВставка GnuplotВставить изображениеВставить ссылкуВставка нотного текстаВставка снимка экранаВставить диаграмму последовательностейВставка символаВставить таблицуВставить текст из файлаДиаграммаВставить изображение как ссылкуИнтерфейсНазвание для интервики:йДневникПереходПерейти к страницеМетки для задачПоследнее изменениеОставить ссылку на новую страницуПо левому краюЛевая боковая панельОграничить поиск на текущей странице и во вложенных страницахСортировщик строкСтрокКарта ссылокИспользовать полный путь для файловСсылка наМестоположениеЖурналировать события с помощью Zeitgeist.ЖурналПохоже, вы нашли ошибкуСделать приложением по умолчаниюУправление столбцами таблицыПреобразовать путь к корневой папке документов в URLПодчеркнутый_Учитывать регистрМаксимальная ширина страницыМенюMercurialИзмененМесяцПеремещение страницыПереместить выделенный текстПереместить текст на другую страницуПереместить столбец вперёдПереместить столбец назадПереместить страницу «%s»Переместить текст вИмяНужен выходной файл для экспорта в MHTMLНужна выходная папка для экспорта полной записной книжкиНовый файлСоздать новую страницуСоздать _подстраницу…Создать новую подстраницуНовое _вложениеПриложений не найденоНет изменений с прошлой версииНет зависимостейДля отображения этого объекта нет доступного плагина.Нет такого файла или папки: %sФайл %s не найденСтраница %s не найденаНеизвестная wiki-ссылка: %sШаблоны не установленыБлокнотСвойства блокнотаРедактированиеБлокнотыOKПоказывать только активные задачиОткрыть папку с вложениямиОткрыть папкуОткрыть блокнотОткрыть с помощью…Открыть папку документаОткрыть корневую папку документовОткрыть папку _блокнотаОткрыть _СтраницуОткрыть ссылку, содержащуюся в ячейкеОткрыть справкуОткрыть в новом окнеОткрыть в _новом окнеОткрыть новую страницуОткрыть папку с модулямиОткрыть с помощью «%s»ДополнительноПараметрыПараметры модуля «%s»Другой...Выходной файлВыходной файл существует, укажите "--overwrite", чтобы выполнить экспорт принудительноВыходная папкаВыходная директория существует и не пуста, укажите "--overwrite", чтобы выполнить экспорт принудительноВыходное расположение, требующееся для экспортаВывод должен заменить текущий выборПерезаписатьПанель _адресаСтраницаСтраница «%s» и все ее подстраницы и вложения будут удаленыУ страницы «%s» нет папки для вложенийИмя страницыШаблон страницыСтраница %s уже существуетСтраница содержит несохранённые измененияСтраница %s не разрешенаРаздел страницыАбзацДобавьте комментарий для этой версииИмейте ввиду, что ссылка на несуществующую страницу приведет к автоматическому созданию этой страницы.Укажите имя и папку для блокнотаПожалуйста, выберите строку перед нажатием на кнопку.Выделите не менее двух строк.Пожалуйста, сформулируйте записную книжкуМодульДля отображения этого объекта требуется плагин %s.МодулиПортПоложение в окне_ПараметрыПараметрыПечать в браузерСвойстваПовысить_Свойства…СвойстваПередаёт события процессу zeitgeist.Быстрые заметкиБыстрая заметка…Недавние измененияНедавние изменения...Недавно изменённые страницыПереформатировать разметку wiki на летуУдалитьУдалить всеУдалить столбецУбрать ссылки с %i страниц, ссылающихся на эту страницуУбрать ссылки с %i страницы, ссылающейся на эту страницуУбрать ссылки с %i страниц, ссылающихся на эту страницуУбирать ссылки при удалении страницУдалить строкуУдаление ссылокПереименование страницыПереименовать страницу «%s»Повторение нажатий по флажку меняет его состояние по кругуЗаменить _всёЗаменить наВернуть страницу к сохраненной версии?РевизияПо правому краюПравая боковая панельПозиция правой границыСтроку внизСтроку вверхСохранить _версию…_БаллыСохранить коп_ию…Сохранить копию страницыСохранить версиюСохранить закладкиСохраненная версияНайденоЦвет фона экранаКоманда для скриншотаПоискИскать страницы....Найти _ссылки...Искать в этом разделеРазделВыбрать файлВыбрать папкуВыбрать изображениеВыберите версию, чтобы увидеть изменения между этой версией и текущим состоянием. При выборе нескольких версий будут показаны различия между ними. Выберите формат для экспортаВыберите выходной файл или папкуВыберите страницы для экспортаВыбрать окно или область экранаВыделениеДиаграмма последовательностейСервер не запущенСервер запущенСервер остановленУстановить новое имяУстановить текстовой редактор по умолчаниюИспользовать текущую страницуПоказать все панелиПоказать просмотрщик приложений.Показывать номера строкПоказать карту ссылокПоказать боковые панелиОтображать задачи в виде простого спискаПоказать оглавление в плавающем виджете (а не в боковой панели)Показать _измененияПоказывать отдельный значок для каждого блокнотаПоказать календарьПоказывать календарь в боковой панели вместо отдельного окнаПоказать полное имя страницыПоказать полное имя страницыПоказать помощник панели инструментовПоказывать на панели инструментовПоказать правую границуПоказывать курсор на страницах, защищенных от редактированияПоказать заголовок страницы как заголовок в оглавленииОдна _страницаРазмерКлюч Smart HomeПри выполнении «%s» возникла ошибкаСортировать по алфавитуСортировать страницы по меткамПросмотр исходникаПроверка орфографииНачинаетсяЗапустить _веб-сервер…ЗачеркнутыйЖирныйСи_мвол…СинтаксисНастройка по умолчанию (системная)Ширина табуляцииТаблицаРедактор таблицОглавлениеМеткиТеги для невыполняемых задачЗадачаСписок задачШаблонШаблоныТекстТекстовые файлыТекст из _файла…Цвет фонаЦвет текстаУказанный файл или папка не существует. Проверьте правильность пути.Каталог %s не существует. Хотите его создать?Каталог "%s" ещё не существует. Хотите его создать?Встроенный калькулятор не смог рассчитать выражение под курсором.Таблица должна состоять по крайней мере из строки! Никакого удаления не сделано.Со времени сохранения последней версии изменений не было.Это может означать, что соответствующий словарь не установленЭтот файл уже существует. Заменить?У этой страницы нет папки для вложенийДанное имя страницы недопустимо из-за ограничений хранилищаЭтот модуль позволяет сделать снимок экрана и вставить его в страницу Zim. Это базовый модуль, поставляющийся с Zim. Этот модуль добавляет диалог, показывающий список открытых задач в определенном блокноте. Открытые задачи помечаются флажками или метками, например TODO или FIXME. Это базовый модуль, поставляющийся с Zim. Этот модуль добавляет диалог для быстрой вставки текста или содержания буфера обмена на страницу в Zim. Это базовый модуль, поставляющийся с Zim. Этот модуль добавляет значок Zim в область уведомлений. Для работы этого модуля требуется версия Gtk+ не ниже 2.10. Это базовый модуль, поставляющийся с Zim. Этот модуль добавляет дополнительный виджет, который показывает список страниц, ссылающихся на текущую страницу. Это -- базовый модуль; поставляется с zim. Этот модуль добавляет дополнительный виджет, показывающий оглавление текущей страницы. Это -- базовый модуль; поставляется с zim. Этот модуль добавляет установки, которые позволяют редактировать в zim, не отвлекаясь. Этот модуль добавляет диалог «Вставка символа» и позволяет автоформатирование типографских знаков. Это базовый модуль, поставляющийся вместе с Zim. Этот модуль обеспечивает контроль версий для блокнотов. Этот модуль поддерживает следующие системы контроля версий: Bazaar, Git и Mercurial. Это -- базовый модуль; поставляется с zim. Этот плагин позволяет вставлять "блоки кода" в страницу. Они будут показаны как встроенные виджеты с подсветкой синтаксиса, номерами строк и т.д. Этот модуль позволяет вставлять арифметические вычисления в zim. Он основан на арифметическом модуле http://pp.com.mx/python/arithmetic. Этот модуль позволяет быстро рассчитать простые математические выражения в Zim. Это базовый модуль, поставляющийся вместе с Zim. Этот модуль добавляет редактор диаграмм, основанный на Ditaa. Это -- базовый модуль; поставляется с zim. Этот модуль добавляет редактор диаграмм для Zim на основе GraphViz. Это базовый модуль, поставляющийся с Zim. Этот модуль отображает диалоговое окно с графическим представлением структуры ссылок блокнота. Он может быть использован в качестве «карты», показывающей, как связаны страницы. Это базовый модуль, поставляющийся с Zim. Этот модуль позволяет фильтровать содержание по выбранным меткам в облаке. Этот модуль, основанный на GNU R, служит для редактирования графиков. Этот модуль предоставляет редактор графиков для Zim, основанный на Gnuplot. Этот плагин предоставляет редактор диаграммы последовательностей для zim на основе seqdiag. Это позволяет легко редактировать диаграммы последовательностей. Этот модуль предоставляет отсутствующую в Zim поддержку печати. Он экспортирует текущую страницу в HTML и открывает ее в браузере. Если браузер имеет поддержку печати, вы сможете произвести печать оттуда. Это базовый модуль, поставляющийся с Zim. Этот модуль добавляет редактор формул для Zim на основе LaTeX. Это базовый модуль, поставляющийся с Zim. Этот модуль добавляет нотный редактор, основанный на GNU Lilypond. Это -- базовый модуль; поставляется с zim. Этот плагин показывает папку вложений текущей страницы значком на нижней панели. Этот модуль сортирует выделенные строки в алфавитном порядке. Если строки уже отсортированы, порядок сортировки будет изменен на обратный (А-Я на Я-А). Этот плагин перенаправляет один раздел записной книжки в журнал со страницей в день, неделю или месяц. Также добавляет виджет календаря для доступа к этим страницам. Это обычно означает, что файл содержит некорректные символыЗаголовокДля продолжения вы можете сохранить копию этой страницы или отклонить все изменения. Если вы сохраните копию, изменения также не будут внесены, но они могут быть восстановлены позже.Для создания нового блокнота Вам необходимо выбрать пустой каталог. Конечно, Вы можете также выбрать существующий каталог блокнота zim. Оглавление_СегодняСегодняПометить как V-флажокПометить как X-флажокПереключить возможность редактирования блокнотаСверху слеваВерхняя панельСверху справаЗначок в области уведомленийПреобразовывать имя страницы в метки для задачТипУдаление отступов по (если отключено, можно использовать )нет данныхНеопределённыйНепомеченныеОбновить %i страницу, ссылающуюся на эту страницуОбновить %i страницы, ссылающихся на этуОбновить %i страниц, ссылающихся на эту страницуОбновить индексОбновить заголовок страницыОбновление ссылокОбновление содержанияИспользуйте %s для переключения на боковую панельИспользовать свой шрифтСтранице календаря соответствует:Использовать для перехода по ссылкам (если отключено, можно использовать )СтенограммаКонтроль версийКонтроль версий для этого блокнота отключен. Включить?ВерсииВертикальное полеПросмотреть _аннотацииПросмотреть _журналВеб-серверНеделяПри отправке отчета об ошибке, пожалуйста, включите информацию из текстового поля нижеТолько слово целикомШиринаВики-страница: %sС помощью этого плагина вы можете вставлять таблицу в вики-страницу. Таблицы будут показаны как виджеты GTK TreeView. Экспорт их в различные форматы (т.е. HTML/LaTeX) дополняет набор функций. СтатистикаСтатистика…СловГодВчераВы редактируете файл во внешнем приложении. Закройте этот диалог по завершении редактированияВы можете настроить внешние инструменты, которые затем будут отображаться на панели инструментов или в контекстном меню.Zim Desktop WikiУ_меньшить_О программе_Все панели_АрифметикаНа_зад_ОбзорО_шибкиКалендарьУровнем _ниже_Очистить форматирование_Закрыть_Свернуть всёСо_держание_Копировать_Копировать сюда_Дата и время…_Удалить_Удалить страницуОт_клонить изменения_Правка_Редактировать Ditaa_Редактировать формулу_Редактировать график GNU RРедактировать Gnuplot_Редактировать ссылку_Редактировать ссылку или объект…_Редактировать свойства_Редактировать нотный текст_Редактировать диаграмму последовательностей_Редактировать диаграмму_Курсив_Часто задаваемые вопросы_Файл_НайтиВ_передПолноэкранный _режимПере_ход_СправкаП_одсвечиватьПосещенные страницы_Домашняя страницаТолько _значки_Изображение..._Импорт страницы…_ВставкаПере_йти к…_Горячие клавиши_Большие значки_Связать_Ссылка на дату_Ссылка…_Подчеркнутый_Еще_Переместить_Переместить сюда_Переместить страницу…_Создать страницу…_СледующееВперед по содержанию_НетНормальный размер_Нумерованный список_Открыть_Открыть другой блокнот…_Другой…_Страница_Иерархия страницУровнем _вышеВст_авить_Предварительный просмотр_ПредыдущееНазад по содержанию_Печать в браузер_Быстрая заметка…В_ыход_Недавние страницыВе_рнуть_Регулярное выражение_ОбновитьУбрать _ссылкуПере_именовать страницу…_Заменить_Заменить…_Сбросить размер_Восстановить версиюСо_хранить_Сохранить копиюС_нимок экрана…П_оиск_Найти..._Отправить…_Боковые панели_Бок о бок_Маленькие значкиСортировать строки_Строка состоянияЗач_еркнутый_ЖирныйНижний индексВерхний индекс_ШаблоныТолько _текст_Очень маленькие значки_СегодняПанель _инструментов_Инструменты_ОтменитьСтенограмма_Версии…_Вид_Увеличитьcalendar:week_start:1не использоватьгоризонтальные линиибез линий сеткитолько чтениесек.Launchpad Contributions: Andrew Kuzminov https://launchpad.net/~ilobster Antonio https://launchpad.net/~ghoniq Arsa Chernikov https://launchpad.net/~arsa-chernikov Artem Anufrij https://launchpad.net/~artem-anufrij DIG https://launchpad.net/~dig Dmitry Ostasevich https://launchpad.net/~ostasevich Dominus Alexander Z. https://launchpad.net/~dominusalex Eugene Krivobokov https://launchpad.net/~eugene-krivobokov Eugene Marshal https://launchpad.net/~lowrider Eugene Mikhantiev https://launchpad.net/~mehanik Eugene Morozov https://launchpad.net/~cactus-mouse Eugene Schava https://launchpad.net/~eschava Jaap Karssenberg https://launchpad.net/~jaap.karssenberg ManDrive https://launchpad.net/~roman-romul Nikolay A. Fetisov https://launchpad.net/~naf-altlinux Oleg https://launchpad.net/~oleg-devyatilov Sergey Shlyapugin https://launchpad.net/~inbalboa Sergey Vlasov https://launchpad.net/~sigprof Vadim Rutkovsky https://launchpad.net/~roignac Vitaliy Starostin https://launchpad.net/~vvs Vitaly https://launchpad.net/~jauthu Vladimir Sharshov https://launchpad.net/~vsharshov aks-id https://launchpad.net/~aks-id anton https://launchpad.net/~faq-ru gest https://launchpad.net/~drug-detstvaвертикальные линиис линиямиzim-0.68-rc1/locale/eu/0000755000175000017500000000000013224751170014453 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/eu/LC_MESSAGES/0000755000175000017500000000000013224751170016240 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/eu/LC_MESSAGES/zim.mo0000644000175000017500000013625613224750472017415 0ustar jaapjaap00000000000000L+,M+.z+?+ ++ ,5,0Q,,,,4,, , -i-*-!-- - -- .-.M.VU.. . ..3.Y/h/ ~/ / / //// / /0 00$#0?H0/0(00%0,$1Q1 g1q11 11 1 1 1 1 1 11 1 1 2 22+222G2N2]2 e2p222222-2<3O3 U3 _3j3s3{3333333+4334 g44 4 4 4444 53'5[5y5555556 6 6 6 )666;6?60G6x66 66 66 6 66 6 667$7~>7 77 7 77 7 8 8 8"8*8;8D8\85d88 8(88!89#9<9O9V9i9 999 999: :: : :/: @:6J::v::*;c<;;;; ;;;;;< <<%<6<F<X< l< w< < < < < < < < < <<<=!'=I=i= ===== === === >> ->:>J>\> k> x> >>> > >>>> ??-?5? =?J? _?m???.? ???2?@@&@@@I@d@}@@@ @@@@ @@A AA.AFAXAmA |AA A*AAAA A BBB5BSB.cBBBBBBBCC /C9CI I JJ8JlRl Zl gltll l ll ll lll l l m m m *m 6mAmIm Qm \m im tm mmmmm m mmmmmm nn .n q1kq8qq&q1r]7rr rrqr*-sXsxsss&ss%s t5t PtZtlt|t<tPt"u >u JuVuiu}uuu u uuuu'v5/v.ev3v(v6v,(wUwnwwwww w www wxx x 4xAxJxSxkxpxxx x xxxxy!y8y:SyEyyy y yz z+z4zDzTzcz{z0z<z*z({E{X{h{x{'{!{{9{-/|]|o|||&|| |} }"};}M}R} X}1c}} } }}} }} ~ ~ ~,~=~Y~)_~G~~~ ~ ~ / >L_g4* ,-6d(z ƀ(݀! :[t ́Ӂ ;N{V҂6#  $̃!.BWg| ̈́ ڄ    ,:)B2l++˅29MUew ̆ކ$4DXsχ  $.>Wu 0 4 P ^+h ɉ * >_ |  Ȋ(;0A5r ŋً "B5V"ό *D Ze"j ƍ׍ + 7Xg{ ˎՎݎ Kb[t)Џ" (=CC/Ɛ֐"1 BMY`1.4Pe+m ƒђ ֒ '$ LYiy"ɓ ϓ ۓe!O q~D%!G OYn  •֕ %$0UryÖ"1ŗ'" . FPe~ژ *CY'q8ҙ/>'f ֚+4'R z*Л /4NW ]jsȜ/ќ  ' 2>EW"n#Q,64k^EGH/59e+NˡC^^XXS@YxgPPjT/aިL@ORݩ0OXO_kGIQusϮ% %2BTsxJ \ fx$"!)jGQ̱ ( 9FWgEm DzֲdzγԳhٳ@B  ʹմ޴.7?Naixǵܵ3Gew  Ķ ζ ۶  '8GV ^l s ÷Է  29 Vbi| θ޸  ! 1?V _j}Թ ܹ " 3AJ P ] iv  ƺԺ ۺ ( @K^o This plugin provides bar for bookmarks. %(cmd)s returned non-zero exit status %(code)i%(n_error)i errors and %(n_warning)i warnings occurred, see log%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i of %i%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd bookmark/Show settingsAdd columnAdd new bookmarks to the beginning of the barAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAttachments:AuthorAuto WrapAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave interval in minutesAutosave version on regular intervalsAutosave version when the notebook is closedBack to Original NameBackLinksBackLinks PaneBackendBacklinks:BazaarBook_marksBookmarksBookmarksBarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck Checkbox '>'Check Checkbox 'V'Check Checkbox 'X'Check _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearClone rowCode BlockColumn 1CommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?CreatedCu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to delete all bookmarks?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootDueE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExpand journal page in index when openedExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatFossilGNU _R PlotGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageGrid linesHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageHorizontal _LineIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationManaging table columnsMap document root to URLMarkMatch _caseMaximum number of bookmarksMaximum page widthMenubarMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove column aheadMove column backwardMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNextNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such page: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOnly Show Active TasksOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen cell content linkOpen helpOpen in New WindowOpen in New _WindowOpen new pageOpen plugins folderOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage already exists: %sPage has un-saved changesPage not allowed: %sPage sectionParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select a row, before you push the button.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrevPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionRow downRow upS_ave Version...S_coreSave A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...Search this sectionSectionSection(s) to ignoreSection(s) to indexSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet New NameSet default text editorSet to Current PageShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow Tasks as Flat ListShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full Page NameShow full page nameShow helper toolbarShow in the toolbarShow right marginShow tasklist in sidepaneShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStartStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTags for non-actionable tasksTaskTask ListTasksTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The following parameters will be substituted in the command when it is executed: %f the page source as a temporary file %d the attachment directory of the current page %s the real page source file (if any) %p the page name %n the notebook location (file or folder) %D the document root (if any) %t the selected text or word under cursor %T the selected text including wiki formatting The inline calculator plugin was not able to evaluate the expression at the cursor.The table must consist of at least on row! No deletion done.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis page name cannot be used due to technical limitations of the storageThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a macOS menubar for zim.This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox '>'Toggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUn-check CheckboxUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse %s to switch to the side paneUse a custom fontUse a page for eachUse date from journal pagesUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWith this plugin you can embed a 'Table' into the wiki page. Tables will be shown as GTK TreeView widgets. Exporting them to various formats (i.e. HTML/LaTeX) completes the feature set. Word CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Checkbox_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Duplicate Line_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Line Down_Move Line Up_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Line_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Run bookmark_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Inas due date for tasksas start date for taskscalendar:week_start:0do not usehorizontal linesmacOS Menubarno grid linesreadonlysecondstranslator-creditsvertical lineswith linesProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-08-15 16:21+0000 Last-Translator: gorkaazk Language-Team: Basque MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n != 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) Plugin honek laster marken barra eskaintzen du. %(cmd)s-k zeroa ez den irteera-egoera bueltatu du %(code)i%(n_error)i erroreak eta %(n_warning)i alertak gertatu dira. Ikusi egunkari fitxategia.%A %d %B %Y%i Eranskina%i Eranskinak%i_Bueltako esteka...%i_Bueltako estekak...%i errore gertatu dira, ikusi egunkari fitxategia%i fitxategia ezabatuko da%i fitxategiak ezabatuko dira%i / %i%i elementu irekia%i elementu irekiak%i alarma gertatu dira, ikusi egunkari fitxategiaZerrenda baten elementuari koska jarriz (edo kenduz) gero azpi-elementuei ere aplikatuko zaieMahaigaineko wikia"%s" izeneko fitxategia badago lehendik. Beste izen bat erabili dezakezu edo dagoen fitxategia gainidatzi.Taulak gutxienez zutabe bat izan behar du.Gehitu 'tira askagarria' menueiGehitu aplikazioaGehitu laster-markaGehitu kodadernoaGehitu laster-marka/Erakutsi ezarpenakGehitu zutabeaGehitu laster-marka barraren hasieranGehitu lerroaGtkspell bidezko zuzenketa ortografikoa gehitzen du. LerrokatuFitxategi guztiakZeregin guztiakOnartu sarbide publikoaErabili beti kurtsorearen azken kokapena orri bat irekitzeanErrore bat gertatu da irudia sortzean. Nahi duzu hala ere iturburu-testua ikusi?Oharraren orriaren jatorriaAplikazioakAritmetikoaErantsi fitxategiaErantsi _fitxategiaErantsi kanpoko fitxategiaAurretik irudia erantsiEranskina arakatuEranskinakEranskinak:EgileaAutomatikoki egokituKoska automatikoaZim-entzat bertsioa automatikoki gordeaHautatu uneko hitza automatikoki formatua aplikatzeanBihurtu "CamelCase" hitzak esteka automatikokiBihurtu fitxategien bide-izenak esteka automatikokiGordetze automatikoaren tartea minututanGorde automatikoki bertsioa maiztasun erregularrarekinGorde bertsioa automatikoki koadernoa ixteanAtzera jatorriko izeneraBueltako estekakBueltako esteken panelaMotorraBueltako estekak:BazaarLaster-markakLaster-markakLaster marken barraBehean ezkerreanBeheko panelaBehean eskuineanArakatuZerrenda buletadunaK_onfiguratuEgutegiaEgutegiaEzin da %s orria aldatuUtziKapturatu pantaila osoaErdianAldatu zutabeakAldaketakKaraktereakKaraktere tarteak salbuKontrol-laukian markatu '>'Kontrol-laukian markatu 'V'Kontrol-laukian markatu 'X'Zuzenketa ortografikoaZerrenda kontrol-laukidunaKontrol-laukia markatuta azpi-elementuak ere aldatzen diraErretiluko ikono klasikoa, ez erabili estilo berriko ikonorik UbuntunGarbituKopiatu lerroaKode blokea1. zutabeaAginduaAginduak ez ditu datuak aldatzenIruzkinaOrri-oina barneIzenburua barneKoaderno _osoaKonfiguratu aplikazioakKonfiguratu pluginaKonfiguratu aplikazio bat "%s" lotura irekitzekoKonfiguratu aplikazio bat "%s" motako fitxategiak irekitzekoHartu kontrol-lauki guztiak zeregin moduanKopiatu helbide elektronikoaKopiatu txantiloiaGorde honela...Kopiatu _estekaKopiatu _kokalekuaEzin izan da "%s" exekutagarria aurkituEzin izan da koadernoa topatu: %sEzin da "%s" txantiloia aurkituEzin izan da topatu koaderno honen fitxategia edo karpetaEzin izan da kargatu zuzentzaile ortografikoaEzin da ireki: %sEzin izan da espresioa ebatziEzin izan da irakurri: %sEzin da orri hau gorde: %sSortu orri berria ohar bakoitzarentzatKarpeta sortu?Sortze-dataEbakiTresna pertsonalizatuak_Tresna pertsonalizatuakPertsonalizatu...DataEgunaLehenetsiaTestua arbelera kopiatzeko lehenetsitako formatuaKoaderno lehenetsiaAtzerapenaEzabatu orriaEzabatu "%s" orria?Errenkada EzabatuJaitsi mailaMendekotasunakDeskribapenaZehaztasunakDia_grama...Baztertu oharra?Distraziorik gabeko edizioaDitaaNahi duzu laster-marka guztiak ezabatzea?Leheneratu nahi duzu orria: %(page)s gordetako bertsiora: %(version)s ?Dokumentu erroaEpemugaE_kuazioaE_sportatu...Editatu tresna pertsonalizatuaEditatu irudiaEditatu estekaEditatu taulaEditatu _iturburuaEdizioaFitxategia editatzen: %sEtzanaGaitu bertsioen kontrola?GaitutaErrorea %(file)s at line %(line)i near "%(snippet)s"Ebaluatu matematikaZabaldu guztiaZabaldu egunkari orria indizean irekitzeanEsportatuEsportatu orri guztiak fitxategi bakar bateanEsportazioa burutu daEsportatu orri bakoitza fitxategi bateanKoadernoa esportatzenHuts egin duErrorea %s exekutatzenHuts egin du aplikazioa exekutatzeak: %sFitxategia badago lehendikFitxategi-txantiloiak...Fitxategia diskoan aldatu da: %sFitxategia existitzen daFitxategia ezin da idatzi: %sFitxategi mota ez baliozkoa: %sFitxategi-izenaIragazkiaBilatuBilatu hurrengoaBilatu aurrekoaBilatu eta ordeztuZer bilatuMarkatu egitekoak asteburu aurreko astelehen eta osteguneanKarpetaKarpeta hori badago eta edukia du, horra esportatzen baduzu dauden fitxategiak gainidatz ditzakezu. Nahi duzu aurrera egin?Karpeta existitzen da: %sErantsitako fitxategietzat txantiloiak dituen karpetaBilaketa aurreratuak egiteko AND, OR eta NOT bezalako eragileak erabili ditzakezu. Ikusi laguntzako orria xehetasun gehiagorako.For_matuaFormatuaFosilaGNU _R PlotEskuratu plugin gehiago InternetetikEskuratu sareko txantiloi gehiagoGitGnuplotJoan hasieraraAurreko orrira joanHurrengo orrira joanJoan orri umeraJoan hurrengo orriraJoan orri gurasoraJoan aurreko orriraSaretako marrak1. izenburua2. izenburua3. izenburua4. izenburua5. izenburua_1. izenburua_2. izenburua_3. izenburua_4. izenburua_5. izenburuaAltueraEzkutatu menu-barra pantaila osoko moduanEzkutatu bide-izenaren barra pantaila osoko menuanEzkutatu egoera-barra pantaila osoko menuanEzkutatu tresna-barra pantaila osoko menuanNabarmendu uneko lerroaHasierako orria_Lerro horizontalaIkonoaIkonoak _eta testuaIrudiakInportatu orriaAzpi-orriak barneIndizeaIndize-orriaLineako kalkulagailuaTxertatu kode blokeaSartu data eta orduaTxertatu grafikoaTxertatu DitaaTxertatu ekuazioaTxertatu GNU R PlotTxertatu GnuplotTxertatu irudiaTxertatu estekaTxertatu puntuazioaTxertatu pantaila argazkiaTxertatu sekuentzien diagramaTxertatu sinboloaTxertatu taulaTxertatu testua fitxategitikTxertatu diagramaTxertatu irudiak esteka moduanInterfazeaInterwikiaren gako-hitzaEgunkariaJausi egin honaJausi egin orri honetaraZereginak markatzeko etiketakAzken aldaketaUtzi esteka bat orri berriraEzkerreanEzker aldeko panelaMugatu bilaketa uneko orrira eta azpi-orrietara.Lerroen ordenatzaileaLerroakEsteken mapaEstekatu fitxategiak fitxategien bide-izen osoarekinEstekatu honaKokalekuaEgin aldaketen egunkaria Zeitgeist-en bidezEgunkari-fitxategiaErrore bat aurkitu duzula dirudiBihurtu aplikazio lehenetsiTaularen zutabeak kudeatuEsleitu dokumentu-erroa URLariNabarmenduaMaiuskula/minuskulaLaster-marken gehienezko kopuruaOrriaren gehienezko zabaleraMenu-barraMercurialAldatuaHilaMugitu orriaMugitu hautatutako testua...Mugitu testua beste orri bateraMugitu zutabea aurreraMugitu zutabea atzeraMugitu "%s" orriaMugitu testua honaIzenaHelburuko fitxategia behar da MHTML esportatzekoHelburuko karpeta behar da koaderno osoa esportatzekoFitxategi berriaOrri berria_Azpiorri berria...Azpi-orri berriaEranskin berriaHurrengoaEz da aplikaziorik aurkituAldaketarik ez azkeneko bertsiotikMenpekotasunik gabeObjektu hau erakusteko ez dago plugin erabilgarririk.Ez dago %s fitxategia edo karpeta.Ez da fitxategia existitzen: %sEz dago horri hau: %sDefinitu gabeko wikia: %sEz dago txantiloirik instalatutaKoadernoaKoadernoaren propietateakKoaderno _editagarriaKoadernoakAdosErakutsi bakarrik zeregin aktiboakIreki _eranskinen karpetaIreki karpetaIrekin koadernoaIreki honekin...Ireki _dokumentuaren karpetaIreki dokumentuaren e_rroaIreki _koadernoaren karpetaIreki orriaIreki gelazkako edukiaren estekaIreki laguntzaIreki leiho berrianIreki _leiho berrianIreki orri berriaIreki pluginen karpetaIreki honekin: %sAukerakoaAukerak%s pluginaren aukerakBestelakoa...Irteerako fitxategiaHelburuko fitxategia badago, zehaztu "--gainidatzi" esportazioa behartzekoIrteerako karpetaHelburuko karpeta badago eta ez dago hutsik, zehaztu "--gainidatzi" esportazioa behartzekoHelburuko kokalekua behar da esportatzekoIrteerak ordeztuko du hautatutakoaGainidatzi_Bide-izenaren barraOrria"%s" orria eta bere azpi-orri eta eranskin guztiak ezabatuko dira."%s" orriak ez dauka eranskinentzako karpetarikOrriaren izenaOrri-txantiloiaOrria lehendik ere badago: %sOrriak gorde gabeko aldaketak dituBaimenik gabeko orria: %sOrriaren sekzioaParagrafoaIruzkindu bertsioaExistitzen ez den orri batera eskeka bat sortuz gero automatikoki orri berria sortuko da.Hautatu izen bat eta karpeta bat koadernoarentzatHautatu errenkada bat botoia sakatu aurretik.Hautatu testu lerro bat baino gehiago hasi aurretik.Zehaztu koaderno batPlugina%s plugina behar da objektu hau erakusteko.PluginakAtakaKokalekua leihoan_HobespenakHobespenakAur.Inprimatu nabigatzailearen bidezProfilaIgo mailaPropie_tateakPropietateakEraman aldaketak Zeitgeist-en demonioraOhar azkarraOhar azkarra...Azken aldaketakAzken aldaketak...Azkena a_ldatutako orriakBirformateatu wiki-markak zuzeneanKenduKendu denakKendu zutabeaKendu %i orritik orri hau lotzen dituzten estekakKendu %i orrietaik orri hau lotzen dituzten estekakEzabatu estekak orriak ezabatzeanKendu lerroaEstekak ezabatzenBerrizendatu orriaBerrizendatu "%s" orriaKontrol-laukian klikatzean laukiaren egoera aldatuko da ziklo bateanOrdeztu _guztiakOrdeztu honekinLeheneratu orria gordetako bertsiora?Berrik.EskuineanEskuin aldeko panelaEskuineko marginaren posizioaJaitsi lerroaIgo lerroaGorde bertsioa...PuntuazioaGorde _kopia bat...Gorde kopia batGorde bertsioaGorde laster-markakBertsioa gordeta zim-entzatPuntuazioaPantailaren atzeko planoaren koloreaPantaila argazkiaren aginduaBilatuBilatu orriak...Bilatu bueltako estekak...Bilatu sekzio honetanSekzioaBaztertu beharreko sekzioa(k)Indexatu beharreko sekzioa(k)Hautatu fitxategiaHautatu karpetaHautatu irudiaAukeratu bertsio bat ikusteko bertsio horren eta uneko bertsioaren arteko aldaketak. Edo hautatu hainbat bertsio horien arteko aldaketak ikusteko. Hautatu esportatzeko formatuaHautatu irteerako fitxategi edo karpetaHautatu esportatu beharreko orriakHautatu leihoa edo areaHautapenaSekuentzien diagramaZerbitzaria ez da abiatuZerbitzaria abiatuaZerbitzaria geldirikEzarri izen berriaEzarri testu editore lehenetsiaEzarri uneko orrialderaErakutsi panel guztiakErakutsi eranskinen arakatzaileaErakutsi lerro zenbakiakErakutsi esteken mapaErakutsi alboko panelakErakutsi zereginak zerrenda laua moduanErakutsi aurkibidea alboko paneleko trepeta mugikorrean.Erakutsi aldaketakErakutsi aparteko ikono bat koaderno bakoitzekoErakutsi egutegiaErakutsi egutegia alboko panelean eta ez elkarrizketa koadroanErakutsi orriaren izen osoaErakutsi orriaren izen osoaErakutsi laguntzako trenen barraErakutsi tresna-barranErakutsi eskuineko marginaErakutsi zereginen zerrenda alboko paneleanErakutsi kurtsorea baita editatu ezin diren orrietanErakutsi orriaren izenburua aurkibideanOrri _bakarraTamainaAbio-tekla adimenduaErroreren bat gertatu da "%s" exekutatzeanOrdenatu alfabetikokiOrdenatu orriak etiketen araberaIturburua ikusiOrtografia zuzentzaileaHasiAbiarazi _web-zerbitzariaMarratuaLodiaSi_nboloa...SintaxiaSistemaren lehenetsiaTabulazioaren zabaleraTaulaTaula-editoreaEdukien aurkibideaEtiketakExekutagarriak ez diren egitekoentzako etiketakZereginaZereginen zerrendaZereginakTxantiloiaTxantiloiakTestuaTestu-fitxategiakTestua fitxategitik...Testuaren atzeko planoaren koloreaTestuaren aurreko planoaren koloreaHautatu duzun fitxategia edo karpeta ez dago. Begiratu bide-izena zuzena ote den.%s karpeta ez dago. Nahi duzu orain sortzea?"%s" karpeta honezkero ez dago. Nahi duzu orain sortu?Komandoa exekutatzen denean bertan hurrengo parametroak aldatuko dira: %f orriaren jatorria behin behineko fitxategi gisa %duneko orriaren eranskinen direktorioa %s orriaren jatorrizko benetako fitxategia (balego) %p orriaren izena %n koadernoaren kokalekua (fitxategia edo karpeta) %D dokumentu-erroa (balego) %t kurtsore azpian hautatuta dagoen testua edo hitza %T hautatutako testua wiki formatua barne Lineako kalkulagailua plugina ez da gai izan kurtsoreak markatzen duen espresioa kalkulatzeko.Taulak gutxienez errenkada bat izan behar du! Ezabaketa ez da gauzatu.Azkeneko bertsioa gorde zenetik ez da aldaketarik egon koaderno honetan.Agian ez daukazu instalatuta dagokion hiztegia.Fitxategia dagoeneko existitzen da. Gainidatzi nahi duzu?Orri honek ez du eranskinentzako karpetarikOrriaren izen hau ezin da erabili biltegiratzearen muga teknikoak direla medioPlugin honek pantaila argazkia egin eta zim orrian txertatzen du. Plugin honek koadernoan irekitako zereginen zerrenda gehitzen du. Zereginak ireki daitezke kontrol laukien bidez edo "TODO" zein "FIXME" etiketen bidez. Plugin honek testua edo arbelaren edukia zim orri batera azkar jaregiteko aukera gehitzen du. Plugin honek sistemaren erretiluan ikono bat gehitzen du aplikazioa azkar irekitzeko. Plugin honek Gtk+ 2.10 bertsioa edo berriagoa behar du. Plugin honek uneko orriari lotutako orrien zerrenda erakusten duen trepeta gehitzen du. Plugin honek edukien aurkibidea erakusten duen trepeta gehitzen dio uneko orriari. Plugin honek zim distraziorik gabeko editore moduan erabiltzeko ezarpenak gehitzen ditu. Plugin honek 'Txertatu sinboloa' eginbidea gehitzen du eta karaktere tipografikoak auto-formateatzeko aukera ematen du. Plugin honek koadernorako bertsio kontrola gehitzen du. Plugin honek Bazaar, Git eta Mercurial bertsio kontrolak onartzen ditu. Plugin honek kode blokeak txertatzen ditu orrian. Testua kapsulatutako trepeta batean erakusten da sintaxia nabarmenduta, lerroak zenbakituta eta abar. Plugin honek zim-en kalkulu aritmetikoak egiteko aukera ematen dizu. http://pp.com.mx/python/arithmetic orriaren aritmetika moduluan oinarritzen da. Plugin honen bidez azkar ebatsi daitezke zim-eko espresio matematiko sinpleak. Plugin honen zim-entzako Ditaa-n oinarritutako diagrama editorea eskaintzen du. Plugin honen zim-entzako GraphViz-en oinarritutako diagrama editorea eskaintzen du. Plugin honek eskaintzen du koadernoaren esteken egitura irudikatzen duen koadro bat. Orrien harremana erakusten duen "mapa mental" moduan erabili daiteke. Plugin honek Zim macOS menu-barraz hornitzen duPlugin honek hodei batean hautatutako etiketen arabera iragazitako orrien indizea eskaintzen du. Plugin honen zim-entzat GNU R-en oinarritutako traza editorea eskaintzen du Plugin honek zim-entzat Gnuplot-en oinarritutako traza editorea eskaintzen du. Plugin honek zim-entzat seqdiag-en oinarritutako diagrama editorea eskaintzen du. Plugin honek zim-en inprimatzeko gaitasun faltarako soluzio bat ematen du. Uneko orria html formatura esportatu eta nabigatzailean irekitzen du. Suposatzen da nabigatzaileak inprimatzeko gaitasuna duela. Plugin honek zim-entzat latex-en oinarritutako ekuazio editorea eskaintzen du. Plugin honek zim-entzat GNU Lilypond-en oinarritutako puntuazio editorea eskaintzen du. Plugin honen bidez uneko orriaren eranskinen karpeta goiko paneleko ikono bezala ikusiko duzu. Plugin honek hautatutako lerroak alfabetikoki ordenatzen ditu. Zerrenda lehendik ordenatuta badago ordena alderantzikatzen du. (A-Z > Z-A). Plugin honek koadernoaren sekzio bat egunkaria bihurtzen du eguneko, asteko edo hilabeteko orri banarekin. Honek normalean esan nahi du fitxategiak karaktere baliogabeak dauzkalaTituluaAurrera egiteko orri honen kopia bat gorde dezakezu edo aldaketa guztiak baztertu. Kopia bat gordeta aldaketak galduko dira baina beranduago kopia leheneratzen ahal duzu.Koaderno bat sortzeko karpeta huts bat hautatu behar duzu. Edo dagoen Zim koaderno baten karpeta hauta dezakezu ere. Edukien aurkibideaGaurGaurAldadatu kontrol-laukia '>'-raJarri/kendu 'V' kontrol laukianJarri/kendu 'X' kontrol laukianAktibatu/desaktibatu editagarritasunaGoian ezkerreanGoiko panelaGoian eskuineanErretiluko ikonoaBihurtu orriaren izena etiketaMotaKendu kontrol-laukiaren markaKendu koska atzera-teklaz (desgaituta badago erabili dezakezuEzezagunaZehaztu gabeaEtiketa kendutaEguneratu orri honi linkatuta dagoen %i orriaEguneratu orri honi linkatuta dauden %i orriakEguneratu indizeaEguneratu orri honen izenburuaEstekak eguneratzenIndizea eguneratzenErabili %s aldatzeko alboko paneleraErabili letra mota pertsonalizatuaErabili orri bana bakoitzarentzatErabili egunkari-orrien datakErabili tekla esteka segitzeko (Erabilgarri ez badago saia zaitezke konbinazioarekin)AipamenaBertsio-kontrolaUne honetan bertsioen kontrola ez dago gaituta koaderno honetan. Gaitu nahi duzu?BertsioakMarjin bertikalaIkusi oharraIkusi _egunkariaWeb zerbitzariaAsteaErrore honen berri ematean txertatu azpiko testu-kuadroko informazioaHitz osoakZabaleraWiki orria: %sPlugin honen bidez taula bat txerta dezakezu wiki orrian. Taulak GTK TreeView trepeta moduan erakutsiko da. Taula hainbat formatutan (e.b. HTML/LaTeX) esportatzeko aukerak osatzen du plugin honen gaitasuna. Hitz zenbaketaKontatu hitzak...HitzakUrteaAtzoFitxategia kanpoko aplikazio baten bidez editatzen ari zara. Elkarrizketa hau ixten ahal duzu bukatzean.Tresnen menuan eta barran tresna pertsonalizatuak gehi ditzakezuZim Mahaigaineko WikiaTxikiagotuHoni _buruzPanel _guztiak_AritmetikoaAt_zera_ArakatuErroreakEgutegia_Kontrol-laukia_UmeaGarbitu formatuaIt_xi_Tolestu guztiak_EdukiakKopiatu_Kopiatu hemen_Data eta ordua...Ezabatu_Ezabatu orria_Baztertu aldaketak_Bikoiztu lerroa_Editatu_Editatu Ditaa_Editatu ekuazioa_Editatu GNU _R Plot_Editatu Gnuplot_Editatu esteka_Editatu esteka edo objektua..._Editatu propietateak_Editatu puntuazioa_Editatu sekuentzien diagrama_Editatu diagrama_Etzana_Ohiko galderak_FitxategiaBilatu..._Aurrera_Pantaila osoan_Joan_Laguntza_Nabarmendua_Historia_Hasiera_Ikonoak soilik_Irudia..._Inportatu orria..._Txertatu_Saltatu hona..._Laster-teklakIkono _handiak_EstekaData estekatuEstekaNabarmenduaInfo_Mugitu_Eraman hona_Mugitu lerroa behera_Mugitu lerroa gora_Mugitu orria...Orri _berria..._HurrengoaHurrengoa indizean_Bat ere ezTamaina _normalaZerrenda numeratua_Ireki_Ireki beste koaderno bat..._Besteak..._OrriaOrriaren hierarkia_GurasoaItsatsi_Aurrebista_AurrekoaAurrekoa indizeanInprimatu nabigatzaileraOhar azkarra..._Irten_Azken orriak_Berregin_Adierazpen erregularra_Birkargatu_Ezabatu lerroa_Kendu estekaBerri_zendatu orria..._OrdeztuOrdeztu...Berrezarri tamainaLeheneratu bertsioa_Joan laster-markara_Gorde_Gorde kopia bat_Pantaila-argazkia..._Bilatu_Bilatu..._Bidali honi..._Alboko panelak_Alboz alboIkono _txikiakOrdenatu lerroak_Egoera-barraMarratuaLodiaAzpi-indizeaGoi-indizea_Txantiloiak_Testua soilikIkono ñi_miñoak_Gaur_Tresna-barra_Tresnak_DeseginAipamena_Bertsioak..._IkusiHandiagotuzereginaren epemuga eguna moduanzereginaren hasierak data moduanegutegia:aste_hasiera:0ez erabililerro horizontalakmacOS menu-barraSaretako marrarik gabeirakurtzeko soiliksegunduLaunchpad Contributions: 3ARRANO.com https://launchpad.net/~3arrano-3arrano Alexander Gabilondo https://launchpad.net/~alexgabi Ibai Oihanguren Sala https://launchpad.net/~ibai-oihanguren gorkaazk https://launchpad.net/~gorkaazkaratemarra bertikalaklerroekinzim-0.68-rc1/locale/ca/0000755000175000017500000000000013224751170014425 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/ca/LC_MESSAGES/0000755000175000017500000000000013224751170016212 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/ca/LC_MESSAGES/zim.mo0000644000175000017500000014161313224750472017360 0ustar jaapjaap00000000000000L+,M+.z+?+ ++ ,5,0Q,,,,4,, , -i-*-!-- - -- .-.M.VU.. . ..3.Y/h/ ~/ / / //// / /0 00$#0?H0/0(00%0,$1Q1 g1q11 11 1 1 1 1 1 11 1 1 2 22+222G2N2]2 e2p222222-2<3O3 U3 _3j3s3{3333333+4334 g44 4 4 4444 53'5[5y5555556 6 6 6 )666;6?60G6x66 66 66 6 66 6 667$7~>7 77 7 77 7 8 8 8"8*8;8D8\85d88 8(88!89#9<9O9V9i9 999 999: :: : :/: @:6J::v::*;c<;;;; ;;;;;< <<%<6<F<X< l< w< < < < < < < < < <<<=!'=I=i= ===== === === >> ->:>J>\> k> x> >>> > >>>> ??-?5? =?J? _?m???.? ???2?@@&@@@I@d@}@@@ @@@@ @@A AA.AFAXAmA |AA A*AAAA A BBB5BSB.cBBBBBBBCC /C9CI I JJ8JlRl Zl gltll l ll ll lll l l m m m *m 6mAmIm Qm \m im tm mmmmm m mmmmmm nn .n A desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd bookmark/Show settingsAdd columnAdd new bookmarks to the beginning of the barAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAttachments:AuthorAuto WrapAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave interval in minutesAutosave version on regular intervalsAutosave version when the notebook is closedBack to Original NameBackLinksBackLinks PaneBackendBacklinks:BazaarBook_marksBookmarksBookmarksBarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck Checkbox '>'Check Checkbox 'V'Check Checkbox 'X'Check _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearClone rowCode BlockColumn 1CommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?CreatedCu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to delete all bookmarks?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootDueE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExpand journal page in index when openedExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatFossilGNU _R PlotGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageGrid linesHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageHorizontal _LineIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationManaging table columnsMap document root to URLMarkMatch _caseMaximum number of bookmarksMaximum page widthMenubarMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove column aheadMove column backwardMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNextNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such page: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOnly Show Active TasksOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen cell content linkOpen helpOpen in New WindowOpen in New _WindowOpen new pageOpen plugins folderOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage already exists: %sPage has un-saved changesPage not allowed: %sPage sectionParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select a row, before you push the button.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrevPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionRow downRow upS_ave Version...S_coreSave A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...Search this sectionSectionSection(s) to ignoreSection(s) to indexSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet New NameSet default text editorSet to Current PageShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow Tasks as Flat ListShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full Page NameShow full page nameShow helper toolbarShow in the toolbarShow right marginShow tasklist in sidepaneShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStartStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTags for non-actionable tasksTaskTask ListTasksTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The following parameters will be substituted in the command when it is executed: %f the page source as a temporary file %d the attachment directory of the current page %s the real page source file (if any) %p the page name %n the notebook location (file or folder) %D the document root (if any) %t the selected text or word under cursor %T the selected text including wiki formatting The inline calculator plugin was not able to evaluate the expression at the cursor.The table must consist of at least on row! No deletion done.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis page name cannot be used due to technical limitations of the storageThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a macOS menubar for zim.This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox '>'Toggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUn-check CheckboxUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse %s to switch to the side paneUse a custom fontUse a page for eachUse date from journal pagesUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWith this plugin you can embed a 'Table' into the wiki page. Tables will be shown as GTK TreeView widgets. Exporting them to various formats (i.e. HTML/LaTeX) completes the feature set. Word CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Checkbox_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Duplicate Line_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Line Down_Move Line Up_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Line_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Run bookmark_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Inas due date for tasksas start date for taskscalendar:week_start:0do not usehorizontal linesmacOS Menubarno grid linesreadonlysecondstranslator-creditsvertical lineswith linesProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-12-28 21:22+0000 Last-Translator: SNavas Language-Team: Catalan MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n != 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) Aquest connector proporciona una barra de marcadors %(cmd)s ha retornat un estat diferent de cero %(code)iHan ocorregut %(n_error)i errors i %(n_warning)i alertes, mirau el fitxer de registre%A %d %B %Y%i _Adjunt%i _Adjunts%i _retroenllaç...%i _retroenllaços...Han ocorregut %i errors, mirau el fitxer de registreEl fitxer %i serà esborratEls %i fitxers seran esborrats%i de %i%i ítem obert%i ítems obertsHan ocorregut %i alertes, mirau el fitxer de registreCanviar el sagnat d'un ítem en una llista també en modifica els subítemsUna wiki d'escriptoriJa existeix un fitxer amb el nom "%s". Podeu emprar un altre nom o sobreescriure el fitxer existentUna taula necessita tenir almenys una columna.Afegeix als menús una línia de tall per arrabassar-losAfegir aplicacióAfegir marcadorCrea un quadernAfegir marcador/Veure configuracióAfegir columnaAfegir nou marcador al principi de la barraAfegir filaAfegeix suport de corrector ortogràfic emprant gtkspell Aquesta és una extensió bàsica que se subministra amb Zim. AlineamentTots els fitxersTotes les tasquesPermetre accés públicEmprar sempre la darrera posició del cursor quan s'obri una pàginaS'ha produït un error mentre es generava la imatge. Voleu desar el text font igualment?Font de la pàgina anotadaAplicacionsAritmèticaAdjunta un fitxerAdjunta un _fitxerAdjunta un fitxer externAdjunta una imatgeNavegador adjuntsAdjuntsAdjunts:AutorAuto TallarSagnat automàticVersió desada automàticament des de ZimSelecciona automàticament el mot actual en aplicar formatsConverteix automàticament en enllaços els mots tipus "CamelCase"Converteix automàticament en enllaços les rutes a fitxersInterval de guardat automàtic, en minutsDesa automàticament la versió a intervals regularsGuarda automàticament una versió quan es tanqui el quadernTornar al Nom OriginalRetroenllaçosPanell retroenllaçosBackendRetroenllaços:Bazaar_MarcadorsMarcadorsBarra de MarcadorsInferior esquerraPanell abaixInferior dretaExploraLlista de _VinyetesC_onfiguraCalen_dariCalendariNo es pot modificar la pàgina: %sCancel·laCaptura la pantalla completaCentratCanviar columnesCanvisCaràctersCaràcters excloent espaisMarcar casella com a '>'Marcar casella com a 'V'Marcar casella com a 'X'Verificar l'ortografiaLlista de _ControlsMarcar un requadre també en modifica els subítemsIcona de notificació clàssica, no empreu el nou tipus d'icona amb UbuntuNetejaClonar filaBloc de codiColumna 1OrdreL'ordre no modifica dadesComentariIncloure peu de pàgina principalIncloure capçalera principalQuader_n completConfigurar AplicacionsConfigura l'extensióTriar una aplicació per obrir els enllaços "%s"Triar una aplicació per obrir fitxers del tipus "%s"Considera totes les caixes com a feinesCopia l'adreça de correuCopiar plantillaCopiar com _A...Copia l'_enllaçCopia la _ubicacióNo es pot trobar l'executable "%s"No s'ha trobat el quadern: %sNo es troba la plantilla "%s"No s'ha trobat el fitxer o la carpeta d'aquest quadernNo es pot carregar el corrector ortogràficNo es pot obrir: %sNo es pot analitzar l'expressióNo s'ha pogut llegir: %sNo ha estat possible desar la pàgina: %sCrea una nova pàgina per cada anotacióVoleu crear una carpeta?Creat_TallaEines personalitzades_Eines personalitzadesPersonalitza...DataDiaPer defecteFormat predeterminat per copiar text al portapapersQuadern per omissióRetardElimina la pàginaVoleu eliminar la pàgina "%s"?Elimina filaDegradarDependènciesDescripcióDetallsDia_grama...Descartar nota?Edició lliure de distraccionsDitaaVols esborrar tots els marcadors ?Voleu tornar a la versió %(version)s de la pàgina %(page)s ? Tots els canvis efectuats des que la vau desar es perdran!Document arrelVencimentE_quacióE_xportaEdita eina personalitzadaEdita la imatgeEdita l'enllaçEditar taulaEdita el _codiS'està editantEditant fitxer: %sEmfasitzatVoleu activar el control de versions?HabilitatError a %(file)s a línia %(line)i aprop "%(snippet)s"Evaluar _MathExpandir _TotExpandeix pàgina de diari a l'índex quan s'obriExportaExporta totes les pàgines a un sol fitxerExportació completadaExportar cada pàgina a un fitxer separatExportant el quadern.FalladaError executant: %sError executant aplicació: %sEl fitxer existeixPlan_tilles de fitxerFitxer canviat al disc: %sEl fitxer ja existeixFitxer no es pot escriure: %sTipus de fitxer no suportat: %sNom de fitxerFiltreTrobaTroba el _següentTroba el _precedentCerca i reemplaçaTrobaMarca venciment de tasques a Dilluns o dimars abans del cap de setmanaCarpetaLa carpeta ja existeix i conté informació; si exporteu a aquesta carpeta us arrisqueu a sobreescriure alguns fitxers. Voleu continuar?la carpeta ja existeix: %sCarpeta amb plantilles de fitxers adjuntsPer fer cerques elaborades, podeu emprar operadors com AND, OR i NOT. Vegeu la pàgina d'ajuda si voleu més informació.For_matFormatFossilGNU _R PlotObtenir més connectors en líniaBaixar més plantilles en líniaGitGnuplotVés a l'iniciTornar a la pàgina anteriorAvençar a la pàgina següentVés a la pàgina fillaVés a la pàgina següentVés a la pàgina mareVés a la pàgina precedentLínies de graellaEncapçalat 1Encapçalat 2Encapçalat 3Encapçalat 4Encapçalat 5Encapçalat _1Encapçalat _2Encapçalat _3Encapçalat _4Encapçalat _5AlçadaOculta barra de menú al mode pantalla completaOculta barra d'ubicació al mode pantalla completaOculta barra d'estat al mode pantalla completaOculta barra d'eines al mode pantalla completaRessalta línia actualPàgina d'inici_Línia horitzontalIconaIcones _i textImatgesImporta la pàginaIncloure subpàginesÍndexPàgina índexCalculadora en líniaInserir bloc de codiInsereix la data i l'horaInsereix un diagramaInsertar DitaaInsereix una equacióInsereix un gràfic de GNU RInsertar GnuplotInsereix una imatgeInsereix un enllaçInsereix partituraInsereix captura de pantallaInserir diagrama de sequènciaInsereix símbolInsereix taulaInsereix text des d'un fitxerInsereix un diagramaInsereix imatges com a enllaçosInterfícieParaula clau InterwikiDiariVés aVés a la pàginaEtiquetes que marquen feinesDarrera modificacióDeixar enllaç a la pàgina novaEsquerraPanell esquerraLimitar la cerca a la pàgina actual i sub-pàginesClassificador de líniesLíniesMapa d'enllaçosEnllaçau els documents del directori arrel amb la ruta completaEnllaça ambUbicacióRegistra events amb ZeitgeistFitxer de registreSembla que has trobat un errorFes aplicació per defecteGestió columnes taulaEnllaçar pàgina rel amb una URLMarcatDistingeix majúscules i minúsculesMàxim nombre de marcadorsAmplada de pàgina màximaBarra de menúMercurialModificatMesDesplaça la pàginaMoure text seleccionat...Moure text a una altra pàginaMoure columna endavantMoure columna enreraDesplaça la pàgina "%s"Moure text aNomEs necessari un fitxer de sortida per a exportar a MHTMLEs necessari un fitxer de sortida per a exportar el quadern sencerNou FitxerPàgina novaS_ubpàgina novaNova subpàginaNou _AdjuntSegüentNo s'han trobat aplicacionsSense canvis des de la darrera versióSense dependènciesNo hi ha connectors disponibles per a mostrar aquest objecte.No existeix el fitxer o la carpeta %sNo hi ha cap fitxer %sNo existeix la pàgina: %sNo hi ha wiki definida: %sNo hi ha cap plantilla instal·ladaQuadernPropietats del quadernEl quadern es pot _modificarQuadernsD'acordMostrar solament tasques activesObre la _carpeta d'adjuntsObre la carpetaObre un quadernObre amb...Obre la _carpeta del documentObre l'_arrel del documentObre la carpeta de _quadernsObrir _PàginaObrir enllaç de la cel·laObre l'ajudaObre a finestra novaObre una _finestra novaObrir pàgina novaObrir carpeta de connectorsObrir amb "%s"OpcionalOpcionsOpcions de l'extensió %sAltre...Fitxer de sortidaEl fitxer de sortida existeix, especifica "--overwrite" per forçar l'exportacióCarpeta de sortidaLa carpeta de sortida existeix i no està buida, especifica "--overwrite" per forçar l'exportacióEs necessària una ubicació per exportarLa sortida reemplaçarà la sel·lecció actualSobreescriureB_arra d'adrecesPàginaLa pàgina "%s" i totes les seves subpàgines seran eliminades.La pàgina "%s" no té cap carpeta per als adjuntsNom de la pàginaPlantilla de pàginaLa pàgina ja existeix: %sLa pàgina té canvis no gravatsPàgina no permesa: %sSecció de pàginaParàgrafEscriviu un comentari per a aquesta versióEnllaçant un pàgina que no existeix la creeu automàticament.Trieu un nom i una carpeta per al quadernPer favor, selecciona una fila abans de polsar el botó.Per favor, selecciona més d'una línia primer.Per favor, especifica un quadernExtensióEl connector %s és necessari per mostrar aquest objecte.ExtensionsPortPosició a la finestra_PreferènciesPreferènciesPreviImprimeix al navegadorPerfilPromourePropie_tatsPropietatsEnvia events al daemon de ZeitgeistAnotació ràpidaAnotació ràpida...Canvis recentsCanvis recents...Pàgines amb _Canvis recentsReformata el marcat de la wiky al volEliminaElimina-ho totElimina columnaElimina els enllaços de %i pàgina que apunta a aquestaElimina els enllaços de %i pàgines que apunten a aquestaEliminar els enllaços quan s'esborrin les pàginesElimina la filaEliminant els enllaçosReanomena la pàginaReanomena la pàgina "%s"Fer click repetidament a una capsa canvia cíclicament els seus estatsSubstitueix-ho totReemplaça perVoleu restaurar la pàgina a la versió desada?Rev.DretaPanell dretPosició marge dretBaixar filaPujar fila_Desa la versió..._Partitura_Desa'n una còpiaDesa'n una còpiaDesa la versióGuardar marcadorsVersió desada des de ZimPuntuacióColor fons de pantallaComanda per capturar pantallaCercaCercar pàgines..._Cerca els retroenllaçosCercar a aquesta seccióSeccióSecció/ns a ignorarSecció/ns a indexarSeleccioneu un fitxerSeleccioneu una carpetaSeleccioneu una imatgeSeleccioneu una versió veure els canvis entre aquella i l'actual. O seleccioneu diverses versions per veure els canvis entre elles. Seleccioneu el format d'exportacióSeleccioneu el fitxer de sortida o la carpetaSeleccioneu les pàgines a exportar.Selecciona una finestra o una regióSeleccióDiagrama de seqüènciesEl servidor no s'ha engegatServidor engegatServidor aturatEstableix Nom nouEstablir editor de text predeterminatEstableix pàgina actualMostrar Tots PanellsVeure navegador adjuntsMostra números de líniaMostra el mapa d'enllaçosMostra panells lateralsMostrar Tasques com a llista planaMostra giny flotant IC enlloc del panell lateral.Mostra els _canvisMostra una icona per cada quadernVeure calendariMostra el calendari en el panell lateral, no pas com un diàlegMostra nom complet pàginaMostrar nom de pàgina completVeure barra eines d'ajudaMostra a la barra d'einesVeure marge dretMostrar llista de tasques al panell lateralMostra el cursor fins i tot per a pàgines no editablesMostra la capçalera de títol de pàgina al IC_Pàgina únicaMidaTecla inici intel·ligentUn error ha ocorregut quant s'executava "%s"Ordena alfabèticamentOrdena pàgines per etiquetesVeure codi fontCorrector ortogràficIniciEngega el servidor _webTatxatDestacatSí_mbolSintaxiValor per defecte del sistemaAmplada pestanyaTaulaEditor de taulesÍndex de contingutsEtiquetesEtiquetes per a tasques sense accióFeinaLlista de feinesTasquesPlantillaPlantillesTextFitxers de textText des d'un _fitxer...Color fons del textColor del textEl fitxer (o carpeta) especificat no existeix. Comproveu que la ruta sigui correcta.La carpeta %s no existeix encara. La vols crear ara?La carpeta "%s" no existeix encara. La voleu crear ara?Els següents paràmetres seran substituïts a la comanda quan sigui executada: %f la pàgina original com a fitxer temporal %d el directori d'adjunts de la pàgina actual %s el fitxer de la pàgina original (si n'hi ha) %p el nom de la pàgina %n la ruta del quadern (fitxer o carpeta) %D l'arrel del document (si n'hi ha) %t el text o paraula seleccionat al cursor %T el texte seleccionat incloent el formatat wiki El connector de calculadora en línia no es capaç d'avaluar l'expressió que hi ha al cursor.La taula ha de contenira almenys una fila ! No s'ha esborrat.No hi ha canvis en aquest quadern des de la darrera versió desadaAixò podria significar que no teniu els diccionaris correctes instal·latsAquest fitxer ja existeix. El voleu sobreescriure?Aquesta pàgina no té una carpeta per als fitxers adjuntsAquest nom de pàgina no pot ser usat per limitacions tècniques del emmagatzematgeAquest connector permet fer una captura de pantalla i inserir-la directament dins una pàgina de zim. Aquest connector forma part del codi principal de zim Aquesta extensió afegeix un diàleg que mostra totes les feines pendents del quadern, sigui caixes sense marcar, sigui llistes marcades amb les etiquetes "TODO" o "FIXME". Aquesta és una extensió bàsica que se subministra amb Zim. Aquesta extensió afegeix un diàleg per inserir ràpidament text (o el contingut del portapapers a una pàgina. Aquesta és una extensió bàsica que se subministra amb Zim. Aquesta extensió afegeix una icona a la safata del sistema que permet l'accés ràpid. Depèn de Gtk+, versió 2.10 o superior Aquesta és una extensió bàsica que se subministra amb Zim. Aquest connector afegeix un widget extra que mostra la llista de pàgines que enllacen a la pàgina actual. Aquest és un connector del codi principal de zim Aquest connector afegeix un giny extra d'índex de continguts de la pàgina actual Aquest connector forma part del codi principal de zim. Aquest connecttor afegeix configuracions per ajudar a emprar zim com a editor lliure de distraccions. Aquesta extensió afegeix el diàleg 'Insereix un símbol' i permet el formatat automàtic de caràcters tipogràfics. Aquesta és una extensió bàsica que se subministra amb Zim. Aquest connector afegeix control de versions pels quaderns. Suporta els sistemes de control de versions Bazaar, Git i Mercurial. Aquest connector forma part del codi principal de zim. Aquest connector permet inserir 'Blocs de codi' a la pàgina. Aquests poden veure's com a ginys incrustats, amb ressaltat de sintaxi, número de línies, etc. Aquest connector us permet incloure càlculs aritmètics a zim. Està basat en el mòdul aritmètic de http://pp.com.mx/python/arithmetic. Aquest connector permet evaluar ràpidament expressions matemàtiques simples a zim. Aquest és un connector del codi principal de zim. Aquest plugin proveeix un editor de diagrames a zim basat en Ditaa. Aquest és un connector del codi principal de zim. Aquesta extensió proporciona un editor de diagrames per a Zim basat en GraphViz. Aquesta és una extensió bàsica que se subministra amb Zim. Aquesta extensió afegeix un diàleg amb una representació gràfica de l'estructura d'enllaços del quadern. Es pot emprar com una mena de mapa mental que mostra com les pàgines es relacionen entre elles. Aquesta és una extensió bàsica que se subministra amb Zim. Aquest connector proveeis una barra de menú per a macOS per a zim.Aquest connector proveeix un índex de pàgina filtrat mitjançant una selecció d'etiquetes en un núvol. Aquesta extensió proporciona un editor de gràfics basat en GNU R. Aquest connector proveeix un editor plot a zim basat en Gnuplot. Aquest connector proveeix un editor de diagrames de seqüències a zim basat en seqdiag. Permet la fàcil edició de diagrames de seqüències. Aquesta extensió ofereix una solució alternativa la manca de suport d'impressió en Zim. S'exporta la pàgina actual a HTML i s'obre en el navegador. Suposant que aquest disposi de suport d'impressió, això us permetra d'imprimir les vostres pàgines en dos passos. Aquesta és una extensió bàsica que se subministra amb Zim. Aquesta extensió proporciona un editor d'equacions per a Zim basat en Latex. Aquesta és una extensió bàsica que se subministra amb Zim. Aquest connector proveeix un editor de partitures a zim basat enGNU Lilypond. Aquest connector forma part del codi principal de zim Aquest connector mostra la carpeta d'adjunts de la pàgina actual com una vista d'icones al panell inferior. Aquest connector classifica les línies seleccionades en ordre alfabètic. Si la llista ja està ordenada, s'inverteix l'ordre (A-Z o Z-A). Aquest connector converteix una secció del quadern en un diari amb una pàgina per dia, setmana o mes. També afegeix un giny de calendari per accerdir a aquestes pàgines. Vol dir que el fitxer conté caràcters invàlidsTítolPer continuar, podeu desar una còpia d'aquesta pàgina o descartar els canvis. Si deseu una còpia, els canvis també seran descartats, però podreu restaurar la còpia més endavant.Per crear un nou quadern necessitau seleccionar una carpeta buida. Per suposat, també podeu seleccionar una carpeta on ja existeixi un quadern de zim ÍNDEX_AvuiAvuiCanvia casella '>'Canvia la marca 'V'Canvia la marca 'X'Marca el quadern com a modificableSuperior esquerraPanell superiorSuperior DretaIcona de la safata del sistemaConveteix el nom de pàgina en etiquetes pels ítems de les tasquesTipusDesmarcar casellaElimina el sagnat amb (Si està deshabilitat, pot emprar )DesconegutSense especificarSense etiquetaActualitza %i pàgina que enllaça aquestaActualitza %i pàgines que enllacen aquestaActualitza l'índexActualitza l'encapçalament de la pàginaActualitzant els enllaçosActualitzant l'índexEmpra %s per canviar al panell lateralEmpra un tipus de lletra personalitzatEmpra una pàgina per a cadaEmprar data de pàgina de diariEmpra la tecla per seguir els enllaços. (Si està deshabilitada, podeu emprar )Text purControl de versionsEl control de versions no es troba habilitat per a aquest quadern. Voleu habilitar-lo?VersionsMarge verticalMostra les _anotacionsVisua_litza el registreServidor webSetmanaQuan reportis aquest bug, per favor inclou la informació de text d'aquí baixParaula completaAmplePàgina Wiki : %sAmb aquest connector es poden incrustar 'Taules' a les pàgines. Seràn mostrades com a ginys GTK TreeView. També es poden exportar amb varis formats (p.ex. HTML/LaTeX). Comptador de motsCompta els mots...MotsAnyAhirEstau editant un fitxer amb una aplicació externa. Podeu tancar aquest diàleg quan acabeu.Podeu configurar eines personalitzades que apareixeran al menú d'eines i a la barra d'eines, o al menús contextualsZim, wiki d'escriptori_Redueix_Quant a_Tots els Panells_Aritmètica_Precedent_Navegar_Errors_CalendariCapsa_Filla_Elimina el format_Tanca_Plega-ho tot_Contingut_Copia_Copia aquí_Data i hora..._Elimina_Suprimeix la pàgina_Descarta els canvisLínia _Duplicada_Edita_Editar Ditaa_Edita l'equació_Edita gràfic de GNU R_Editar Gnuplot_Edita l'enllaç_Edita un enllaç o un objecte..._Edita propietats_Editar Partitura_Editar diagrama de seqüències_Editar diagrama_Emfasitzat_PMF (FAQ)_Fitxer_Troba..._Següent_Pantalla completa_VésA_juda_Ressaltat_Historial_IniciNomés _icones_Imatge..._Importa una pàgina_Insereix_Vés a..._Dreceres de teclatIcones _grans_Enllaç_Enllaça la data_Enllaç..._Marcat_Més_Mou_Mou aquí_Mou línia avall_Mou línia amunt_Desplaça la pàgina_Nova pàgina..._SegüentPàgina _següent a l'índex_Cap ni uMida _normalLlista _numerada_Obre_Obre un altre quadernUn _altre..._PàginaJerarquia de _Pàgines_MareEngan_xa_Previsualització_AnteriorPàgina _precedent a l'índexIm_primeix al navegadorNota _ràpida..._SurtPàgines _recents_RefésExpressió _regular_Refresca_Esborra línia_Elimina un enllaç_Reanomena la pàgina_Reemplaça_Substitueix..._Restaura la mida_Restaura la versió_Executa marcador_Desa_Desa'n una còpia_Captura de pantalla_Cerca_Cerca...En_via a..._Panells laterals_Un a costat de l'altreIcones _petites_Classifica líniesBarra d'e_stat_Tatxat_Destacat_SubíndexSu_períndexPl&antillasNomés _textIcones _més petites_Avui_Barra d'eines_Eines_DesfésText _pur_Versions..._VisualitzaA_mpliacom a venciment de les tasquescom a data d'inici de les tasquescalendar:week_start:1no usarlínies horitzontalsBarra de Menú a macOSsense graella de líniesnomés lecturasegonsLaunchpad Contributions: David Planella https://launchpad.net/~dpm Giorgio Grappa https://launchpad.net/~j-monteagudo Jaap Karssenberg https://launchpad.net/~jaap.karssenberg SNavas https://launchpad.net/~snavas Siegfried Gevatter https://launchpad.net/~rainct animarval https://launchpad.net/~animarval pataquets https://launchpad.net/~pataquetslínies verticalsamb graella de línieszim-0.68-rc1/locale/gl/0000755000175000017500000000000013224751170014444 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/gl/LC_MESSAGES/0000755000175000017500000000000013224751170016231 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/gl/LC_MESSAGES/zim.mo0000644000175000017500000007740613224750472017407 0ustar jaapjaap00000000000000.  09j4i!9[ kVx  3Y q     $ ?!/^!(!%! ! ! !" " " !"+"4"L"a" i"t""<"""""##-#+>#3j## # # ###3$5$H$c$v$$$$ $ $ $$$$0$,%=% C%O% a% n%z% %~% & &&& 7& B& L&Y&a&r&{&&&&&&&& &' !'-'F'b'k'r' w''' ''v'*(*<(cg((((( (())():) N) X) b) l) v) ) ) ) ) )) )))) )) )**(*7*G*Y* h* u** **** *** + ++2+ A+M+S+2\++++++++ +,, , ,6,N, ],j,o,x,, ,,,,,,--8-O-X-l- --- - - ---- .. +.9.H.Q.Y.o. x. . ...C.0. / )/ 7/'A/Vi/3/0/%0,04090 P0 ]0i0z0 0 0 0 00000^ 1 j11 11 1 111122 %2 /2<2S2Y2`2p2 2 2 22<3 U3v33 333333 44 )4&74.^4454 44&45 #515C5J5 Q5\5k5p5 u55 55 55Y5?6AO6S6K6@176r7-7x7P88c9}9kk::R;;;=:<x<j==7w>>>Q?X?^?w?? ? ?'?D?H @ S@`@@@@@P@AAU.AAA A AANA BB B #B1B7B \\\q\\ \ \\\ \\(\]%']M]b] ]]]]]]^$^ 3^ A^N^n^^^^^^^^_'_0_C_ V_c_s_I{_/__` `5"`]X`8`:` *a 6a@aFa Za hauaa a a a aaa a. bs:b-bbbcc*c*:c ecocccccc ccc d(d=dRdid$d+!e!Meoe eeeeeef.fEf,Uf:ff>fg-g#5gYgwgggg gg gggghhh!hY7h4h0h^hFViVi6i,+jXjjkilmmn`oOvoQo.pGqqIOrrrXs^s+csssssDs]$tatt(t u7u#LupuauuuZv ivsv wv vvZvvww$w4w=wAw[Fwqwx%x .x9x JxWx _xix px |xxxx xx x xxxy yy7yGyXytyyy y yyyyy y yy zzz+z 4zBzVz fzpz zzzzz z zzzzz{{ #{-{6{;{ B{ P{Z{o{ {{{{{ {{{ { ||.|B|J|]|u|}| || |||||| | | } }}1}7} M} Z}d} w}}}} }}K}%(cmd)s returned non-zero exit status %(code)i%A %d %B %Y%i _Backlink...%i _Backlinks...%i file will be deleted%i files will be deleted%i open item%i open items(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.Add 'tearoff' strips to the menusAdd ApplicationAdd NotebookAdds spell checking support using gtkspell. This is a core plugin shipping with zim. All FilesAll TasksAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAuthorAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCapture whole screenChangesCharactersCheck _spellingCheckbo_x ListClassic trayicon, do not use new style status icon on UbuntuClearCommandCommand does not modify dataCommentComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Copy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find notebook: %sCould not find the file or folder for this notebookCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?Cu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?DependenciesDescriptionDetailsDia_gram...Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_xport...Edit Custom ToolEdit ImageEdit LinkEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledEvaluate _MathExportExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHome PageIconIcons _And TextImagesImport PageIndexIndex pageInline CalculatorInsert Date and TimeInsert DiagramInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScreenshotInsert SymbolInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJump toJump to PageLast ModifiedLeave link to new pageLeft Side PaneLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog fileLooks like you found a bugMake default applicationMap document root to URLMarkMatch _caseModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove page "%s"Move text toNameNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNo Applications FoundNo changes since last versionNo dependenciesNo such file or folder: %sNo such file: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen in New _WindowOpen new pageOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput folderOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplateParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select more than one line of text, first.PluginPluginsPortPosition in the windowPr_eferencesPreferencesPrint to BrowserProfileProper_tiesPropertiesQuick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemoving LinksRename PageRename page "%s"Replace _AllReplace withRestore page to saved version?RevRight Side PaneS_ave Version...Save A _Copy...Save CopySave VersionSaved version from zimScoreSearchSearch Pages...Search _Backlinks...Select FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionServer not startedServer startedServer stoppedShow All PanesShow Attachment BrowserShow Link MapShow Side PanesShow _ChangesShow a separate icon for each notebookShow calendar in sidepane instead of as dialogShow in the toolbarShow the cursor also for pages that can not be editedSingle _pageSizeSome error occurred while running "%s"Sort pages by tagsSpell CheckerStart _Web ServerStrikeStrongSy_mbol...System DefaultTagsTaskTask ListTemplateTemplatesTextText FilesText From _File...The file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The inline calculator plugin was not able to evaluate the expression at the cursor.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To_dayTodayToggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsUnindent on (If disabled you can still use )Update %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse a custom fontUse a page for eachUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWord CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Incalendar:week_start:0readonlysecondstranslator-creditsProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2014-10-01 07:43+0000 Last-Translator: Jaap Karssenberg Language-Team: Galician MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n != 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) O comando: %(cmd)s devolveu un código de saída distinto de cero: %(code)i%A, %d de %B de %Y%i Ligazón _inversa%i Ligazóns _inversas%i ficheiro será eliminado%i ficheiros serán eliminados%i elemento aberto%i elementos abertosEliminar ou aplicar indentación ó elemento dunha lista tamén cambia os elementos inferioresUn wiki de escritorioXa existe un un ficheiro co nome "%s". Pode usar outro nome ou sobreescribir o ficheiro existente.Engadir barras para desprender os menúsEngadir aplicaciónEngadir cadernoEngade soporte de comprobación de ortografía usando gtkspell. Este é un complemento básico distribuído con zim. Todos os ficheirosTodas as tarefasLembrar a última posición do cursor cando se abra unha páxinaProduciuse un erro ó xerar a imaxe. ¿Quere gardar o fonte do texto de todos modos?Páxina de código fonte con anotaciónsAritméticaAdxuntar ficheiroAd_xuntar ficheiroAdxuntar un ficheiro ex_ternoAdxuntar a imaxe primeiroNavegador de AdxuntosAdxuntosAutorVersión gardada automáticamente desde zimSeleccionar automáticamente a palabra actual cando se aplique un formatoConvertir automáticamente as palabras "CamelCase" en ligazónsConvertir automáticamente as rutas a ficheiros en ligazónsGardar automáticamente unha versión a intervalos regularesAbaixo á esquerdaPanel inferiorAbaixo á dereitaExaminarLista de _puntosC_onfigurar_CalendarioCalendarioNon se pode modificar a páxina: %sCapturar a pantalla completaCambiosCaracteresComprobar _ortografíaLista de _caixas de verificaciónIcona clásica, non usar o novo estilo de iconas de estado de UbuntuLimparOrdeO comando non modifica os datosComentarioCaderno _completoConfigurar aplicaciónsConfigurar o complementoSeleccione un aplicativo para abrir as ligazóns "%s"Seleccione unha aplicación para abrir os arquivos do tipo "%s"Copiar o enderezo de correo-eCopiar modeloCopiar _Como...Copiar a _ligazónCopiar _localizaciónNon se atopou o caderno: %sNon se atopou o ficheiro ou cartafol para este cadernoNon foi posible lanzar a aplicación: %sNon foi posible analizar a expresiónNon foi posible ler: %sNon foi posible gardar a páxina: %sCrear unha nova páxina para cada nota¿Crear o cartafol?Cor_tarFerramentas personalizadasFerramentas _personalizadasPersonalizar…DataDíaPredeterminadoFormato por defecto para o texto copiado ó portapapeisCaderno de notas predeterminadoRetrasoEliminar a páxina¿Eliminar a páxina "%s"?DependenciasDescripciónDetallesDia_grama¿Desexa restaurar a páxina: %(page)s á versión gardada: %(version)s? ¡Perderanse tódolos cambios desde a última versión gardada!Documento paiE_xportar…Editar a ferramenta personalizadaEditar imaxeEditar a ligazónEditar f_onteEditandoEditando ficheiro: %sÉnfase¿Activar o sistema de control de versións?ActivadoEvaluar _matemáticasExportarExportando cadernoProduciuse un erroErro executandose: %sHoubo un erro ó executar a aplicación: %sO ficheiro xa existe%s arquivos cambiadosO ficheiro xa existeNo se pode escribir o arquivo: %sTipo de ficheiro non soportado: %sNome de ficheiroFiltrarBuscarBuscar _seguinteBuscar _anteriorBuscar e substituírPalabras a atoparCartafolO cartafol xa existe e non está baleiro: exportar a este cartafol pode sobreescribir os ficheiros existentes. ¿Quere continuar?O cartafol xa existe: %sCarpeta con modelos para ficheiros adxuntosPara a búsqueda avanzada pode usar operadores como AND, OR e NOT. Mire a páxina de axuda para saber máis.For_matoFormatoGnuplotIr ó inicioIr á páxina anteriorIr á seguinte páxinaIr á páxina inferiorIr á páxina seguinteIr á páxina superiorIr á páxina anteriorCabeceira 1Cabeceira 2Cabeceira 3Cabeceira 4Cabeceira 5Cabeceira _1Cabeceira _2Cabeceira _3Cabeceira _4Cabeceira _5AlturaPáxina de inicioIconaIconas e _textoImaxesImportar páxinaÍndicePáxina de índiceCalculadora integrada_Insertar data e horaInsertar diagramaInsertar ecuaciónInsertar un gráfico GNU RInsertar gráfico de GnuplotInserir unha imaxeInserir unha ligazónInsertar captura de pantallaInsertar símboloInsertar texto desde un ficheiroInsertar diagramaInsertar imaxes como ligazónsInterfacePalabra clave de InterwikiIr aIr a PáxinaModificado por última vezDeixar ligazón á nova páxinaPanel lateral esquerdoOrdeador de liñasLiñasMapa de ligazónsEnlazar ficheiros baixo o raíz de documentos coa ruta completaEnlazar aUbicaciónFicheiro de rexistroSeica atopou un falloFacer aplicación por defectoMapear o raíz de documentos cunha URLMarcar_Distinguir maiúsculas/minúsculasModificadoMesMover páxinaMover Texto SeleccionadoMover o Texto a Outra PáxinaMover a páxina "%s"Mover o texto aNomeFicheiro novoPáxina novaNova _subpáxinaSubpáxina novaNovo _AdxuntoNon se atoparon aplicaciónsNon hai cambios desde a última versiónSen dependenciasNon existe o ficheiro ou cartafol: %sNon tal ficheiro: %sNon está definido tal wiki: %sNon hai ningún modelo instaladoCaderno de NotasPropiedades do caderno de notasO cartafol é _editableCadernos de notasAceptarAbrir o cartafol de adx_untosAbrir cartafolAbrir cadernoAbrir con...Abrir o cartafol de docu_mentosAbrir o raí_z de documentosAbrir o cartafol do ca_dernoAbrir _páxinaAbrir nunha _xanela novaAbir unha nova páxinaAbrir con "%s"OpcionalOpciónsOpcións para o complemento %sOutro...Ficheiro de saídaCartafol de saídaSobrescribirBarra de _rutasPáxinaA páxina "%s" e todas as súas subpáxinas e adxuntos serán eliminados.A páxina "%s" non ten unha carpeta de adxuntosNome da páxinaModelo da páxinaParágrafoPor favor, introduza un comentario para esta versiónPor favor, lembre que ligar a unha páxina que non existe creará a páxina automáticamente.Por favor, escolla un nome e un cartafol para o caderno.Por favor, seleccione primeiro máis dunha liña de texto.ComplementoEngadidosPortoPosición da ventáPr_eferenciasPreferenciasImprimir ó navegadorPerfilPropie_dadesPropiedadesNota rápidaNota rápidaCambios recentesCambios recentes...Páxinas _cambiadas recentementeAplicar o formato wiki a medida que se escribe¿Eliminar ligazóns desde %i páxina que enlaza a esta?¿Eliminar ligazóns desde %i páxinas que enlazan a esta?Eliminar enlaces cando se elimien as páxinasEliminando ligazónsRenomear páxinaRenomear páxina "%s"Substituír _todoSubstituír por¿Restaurar a páxina á versión gardada?RevisiónPanel lateral dereito_Gardar versiónGardar unha _copiaGardar unha copiaGardar versiónVersión gardada desde zimPuntuaciónBuscarProcurar páxinasBuscar nos enlaces _inversosEscoller un ficheiroEscoller un cartafolSeleccionar unha imaxeSeleccione unha versión para ver os cambios entre esa versión e o estado actual. Ou seleccione varias versións para ver os cambios entre elas. Seleccione o formato de exportaciónSeleccione o ficheiro ou cartafol de saídaSeleccione as páxinas a exportarSeleccionar xanela ou rexiónSelecciónO servidor non está activoO servidor está activoO servidor está paradoAmosar todos os paneisAmosa o navegador adxuntoAmosar mapa de ligazónsAmosar paneis laterais_Amosar cambiosAmosar unha icona distinta para cada cadernoAmosar calendario no panel lateral en lugar de como xanelaAmosar na barra de ferramentasAmosar o cursor tamén nas páxinas que non poden ser editadasSó unha _páxinaTamañoProduciuse un erro ó executar "%s"Ordear páxinas por etiquetasCorrector ortográficoLanzar _servidor webTachadoNegritaSí_mboloPredeterminado do sistemaEtiquetasTarefaLista de tarefasModeloModelosTextoFicheiros de textoTexto desde _ficheiroO ficheiro ou cartafol que indicou non existe. Por favor, comprobe se a ruta é correcta.A carpeta %s non existe aínda. Desexa creala agora?O cartafol "%s" aínda non existe. Quere creala?O complemento de calculadora integrada de zim non puido evaluar a expresión ó pé do cursor.Non hai cambios neste caderno desde que a última versión foi gardadaIsto podería significar que non ten os diccionarios apropiados instalados no sistema.Este ficheiro xa existe. ¿Desexa escribir por enriba?Esta páxina non ten un cartafol de adxuntosEste complemento permite sacar unha captura de pantalla e insertala nunha páxina de zim. Este é un complemento básico distribuído con zim. Este complemento engade unha xanela para escribir rápidamente unha nota ou soltar o contido do portapapeis nunha páxina de zim. Este é un complemento básico distribuído con zim. Este elemento engade unha icona na bandexa do sistema para acceder rápidamente. Este complemento require a versión de Gtk+ 2.10 ou superior. Este é un complemento básico distribuído con zim. Este complemento engade á xanela de 'Insertar símbolo', e permite dar formato ós caracteres tipográficos. Este é un complemento básico distribuído con zim. Este complemento permite evaluar expresións matemáticas sinxelas en zim. Este é un complemento básico distribuído con zim. Este complemento proporciona un editor de diagramas baseado en GraphViz. Este é un complemento básico distribuído con zim. Este complemento proporciona unha xanela cunha representación gráfica da estructura de ligazóns do caderno. Pode ser usada de xeito parecido a un "mapa mental", amosando cómo se relacionan as páxinas. Este é un complemento básico distribuído con zim. Este complemento proporciona un índice filtrado mediante a selección de etiquetas nunha nube. Este complemento proporciona un editor de gráficos para zim baseado en GNU R. Este complemento proporciona un editor de gráficos para zim baseado en Gnuplot. Este complemento proporciona un amaño para a falta de soporte de impresión en zim. Exporta a páxina actual a html é lanza un navegador. Asumindo que o navegador ten soporte de impresión, isto enviará os seus datos á impresora en dous pasos. Este é un complemento básico distribuído con zim. Este complemento proporciona un editor de ecuaciones para zim basado en LaTeX. É un complemento básico distribuído con zim. Este plugin ordea as liñas seleccionadas en orden alfabético. Se a lista xa está ordeada, a orde será revertida (A-Z pasa a Z-A). Esto habitualmente significa que o ficheiro contén caracteres inválidosTítuloPara continuar pode gardar unha copia desta páxina ou rexeitar as modificacións. Se garda unha copia, as modificacións tamén serán rexeitadas, pero pode restaurala máis tarde._HoxeHoxeModificar o estado de "editable" do cadernoArriba á esquerdaPAnel superiorArriba á dereitaIcona na bandexa do sistemaTrocar os nomes de páxina en etiquetas para os elementos de tarefasEliminar indentación con (se está deshabilitado, sempre pode usar )Actualizar %i páxina que enlaza a esta páxinaActualizar %i páxinas que enlazan a esta páxinaActualizar índiceActualizar o título do texto da páxinaActualizando ligazónsActualizando índiceUsar un tipo de letra personalizadoUsar unha páxina para cada unUse a tecla para seguir ligazóns (se está deshabilitado, sempre pode usar )LiteralControl de versiónsO sistema de control de versións non está activado para este caderno. ¿Desexa activalo?VersiónsVerVer _rexistroServidor webSemanaCando informe dun fallo por favor inclúa a información da caixa de texto a continuaciónPalabras _enteirasAnchuraContador de palabrasContar palabrasPalabrasAnoOnteEstá editando un ficheiro cunha aplicación externa. Pode pechar esta xanela cando remate.Pode engadir ferramentas personalizadas que aparecerán no menú e barra de ferramentas, ou no menú de contexto.Wiki persoal ZimReduc_ir_Acerca deTodos os p_aneis_Aritmética_Atrás_ExplorarFallos_Calendario_Inferior_Limpar formatos_Pechar_Contraer todo_Contidos_Copiar_Data e hora_Eliminar_Borrar páxina_Rexeitar as modificacións_Editar_Editar ecuación_Editar gráfico de GNU R_Editar Gnuplot_Editar ligazón_Editar ligazón ou obxecto_Editar propiedades_Énfase_Preguntas máis frecuentes_Ficheiro_Buscar…_Adiante_Pantalla Completa_Ir_AxudaResaltado_Historial_InicioSó _iconas_Imaxe_Importar páxina_InserirSal_tar a ...Atallos de _tecladoIconas _grandes_Ligazón_Ligar á data_Ligazón…_Marcar_Máis_Mover_Mover páxina_Nova páxina_Seguinte_Seguinte no índice_NingúnTamaño _normalLista _Numerada_AbrirAbrir outro _caderno_Outro..._Páxina_Pai_PegarVista _previa_Anterior_Anterior no índice_Imprimir ó navegadorNota _rápida_SaírPáxinas _recentes_RefacerExpresión _regularA_ctualizar_Eliminar a Ligazón_Renomear páxina_Substituír_Substituír…_Restaurar tamaño_Restaurar versión_Gardar_Gardar unha copia_Captura de pantalla..._Buscar_Buscar_Enviar a…Paneis laterais_Lado a ladoIconas _pequenas_Ordear liñasBarra de e_stado_Tachar_Negrita_SubíndiceSu_períndice_Modelos_Só textoIconas _diminutas_HoxeBarra de ferramen_tas_Ferramentas_DesfacerTexto _sen formatoVersións_Ver_Ampliarcalendar:week_start:1Só lecturasegundosLaunchpad Contributions: Jaap Karssenberg https://launchpad.net/~jaap.karssenberg Manuel Xosé Lemos https://launchpad.net/~mxlemos Miguel Anxo Bouzada https://launchpad.net/~mbouzada Roberto Suarez https://launchpad.net/~robe-allenta Xurxo Fresco https://launchpad.net/~xurxof marisma https://launchpad.net/~mariamarcpzim-0.68-rc1/locale/nb/0000755000175000017500000000000013224751170014441 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/nb/LC_MESSAGES/0000755000175000017500000000000013224751170016226 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/nb/LC_MESSAGES/zim.mo0000644000175000017500000011244313224750472017373 0ustar jaapjaap00000000000000gT&,&.&?& )'5' T'u'0''4'( (%(i4(*(!(( ( ) )- )N)VV)) ) ))3)Y*i* * * * **** * *+ ++$$+?I+/+(+%+, ,(,7, ?,J, Q, [, h, t, ,, , , ,,,,,,, - --8-H--W-- - -------+.34.h. {. . .....3/;/Y/l/////// / / 00000'0X0i0 o0{0 00 0 00 0 000$0~1 1 1 11 1 1 1 1122 2825@2v2 2(22!22#23+323E3 c3o33 333333 33 4 46&4]4vd44*4c5|555 555555 5566"646 H6 R6 \6 f6 p6 z6 6 6 6 6666!67:7 Q7[7`7p7 w777 7777 777 8 8 &8 28?8Q8 i8 w8888 8888 8 899"9.19 `9l9r92{9999999:/: 4:@:S: [:e:n: t:~::: :: :*:;";+; <;I;Y;^;t;;.;;;;<-<6<J< ]<g<j< < < <<<< < <<= &=4=H=W=`=h=~= =9= =I=!%>'G> o>y>>C>0> > ?? .?'8?V`?3?0?0@M@g@-n@@@@ @ @@@@@ @ A&A =A HAVAeAwAAA A A^A .B OBZB iBuB>B B BBBCCC.C7C>COC _C iCvCCCCCCCCC D D D(DD DD E %E/E@ESEbE qE~EEEEE EE2F 4F&BF iF.wFFFFFF5G&>G eGrG&wGGG G GGGG G HH H*H 0H=HOHTH YHcH lHvH {HHHHYH?IA_I=IKI@+J6lJ-JxJJKLKLkLnM]MM`N7N-O3O|OLPPPWP]PqPPPP P PPDPQ Q"QH+Q tQQQQ!QQQPRXRaRUqRRRR R RSN S YSeS kS yS SSS S^SfTmT ~TT T TTTT TTTT T TT U UU 'U4UEU KUWUfU wU UUUU U UUUUU VVV V&V/V 5V AVKV[V cV oV |VV VVVVV V V VVVV VWWW 5W?WEWUW]WdW mWwWWWW WWWW WWW X XX0X 6XAXPX XX cX oX {X X X XXX X X X X XXXYY Y Y+Y1Y:YPYaYjYrYY YY5{[6[<[ %\1\I\d\'}\\I\ ]]]t3](]]]] ^ ^01^ b^bo^^ ^ ^^9 _XE__ _ _ _ ___`"`*` 3`=`L`!``>`.`'`a#8a \aga|aaa a aa aa a a b bb$b@bGb ab kb wbbbbb6bbb cc$c?cGcZcpc2c6cc dd#d3d#Ddhdd;d"dd e*e>eXeweeeee eeee8ef .f :fEf Wfaf ff tff ffff$ff qg}g gg g ggg gg hh*h53hihxh(h h'hh-h!i6i=iSi ri iiiiiiij j j#j 3jF>jj}j k"kbBkkkk k"kk l ll,l@lQlclvlllllll m"m7mLmamvm"}m"m$m&mn !n+n0nAn HnVnjn qn~nnnnnnnoo"o3oHo`opoooo oooo o o p $p0p1Cpupp p3pp pppq"q?q_q$eqq q qqq qqqrr!r)&r5Prrrr r rrr#rs@sWsws"ss sss s t t $t0t AtOtdtwt t ttt ttt t u"u8u AuELuuZu$u##v Gv Rv\v8av(v vvvv-vK$w#pww&www7w4xCxHx[x jxxxxxx x x-x xxyy'y2dN17$#\Rӂdg̃e[sυY7IP{"҈  '1W6 X3E$W|\ L# p z W  ! / :HLP[Wk4< @ NZ cp v ǍӍ  1CR a ǎ̎ю ڎ    &0 B LY iw~  ÏϏ֏ 4? E S ] gu~Ɛ ڐ % .:Qf my Α ݑ   '4: IS Z dr wE  This plugin provides bar for bookmarks. %(cmd)s returned non-zero exit status %(code)i%(n_error)i errors and %(n_warning)i warnings occurred, see log%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd columnAdd new bookmarks to the beginning of the barAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAttachments:AuthorAuto WrapAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsBack to Original NameBackLinksBackLinks PaneBackendBacklinks:BazaarBookmarksBookmarksBarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClearClone rowCode BlockCommandCommand does not modify dataCommentComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Copy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?CreatedCu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to delete all bookmarks?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExpand journal page in index when openedExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatFossilGNU _R PlotGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationMap document root to URLMarkMatch _caseMaximum page widthMenubarMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNextNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen helpOpen in New WindowOpen in New _WindowOpen new pageOpen plugins folderOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage has un-saved changesParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select a row, before you push the button.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrevPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionRow downRow upS_ave Version...Save A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...SectionSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet New NameSet default text editorSet to Current PageShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full Page NameShow full page nameShow helper toolbarShow in the toolbarShow right marginShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTaskTask ListTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The table must consist of at least on row! No deletion done.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTypeUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse %s to switch to the side paneUse a custom fontUse a page for eachUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWord CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Incalendar:week_start:0horizontal linesreadonlysecondstranslator-creditsvertical lineswith linesProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-04-28 22:03+0000 Last-Translator: Jaap Karssenberg Language-Team: Norwegian Bokmal MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n != 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) Denne utvidelsen legger til linjer for bokmerker %(cmd)s returnerte ikke-null avslutningstatus %(code)i%(n_error)i feil og %(n_warning)i advarsler oppstod, se logg%A %d %B %Y%i _Vedlegg%i _Vedlegg%i _Link hit%i_Linker hit%i feil oppstod, se logg%i fil vil slettes%i filer vil slettes%i advarsler oppstod, se loggEndring av innrykk i en liste vil oogså endre underliggende oppføringerWiki for SkrivebordetEn fil med navnet "%s" finnes allerede. Du kan bruke et annet navn eller overskrive den eksisterende filen.Tabellen må bestå av minst én kolonneGi menyene rivekantLegg til applikasjonLegg inn bokmerkeLegg til notisblokkLegg til kolonneLegger bokmerker i begynnelsen av bokmerkelinjenLegg til radLegger til stave­kontroll ved å bruke gtkspell Dette er en programtillegg som følger med Zim. JusterAlle filerAlle oppgaverTillat offentlig tilgangAlltid bruk den siste markørposisjon ved åpning av sideEn feil oppstod under generering av bildet. Ønsker du å lagre kilde teksten allikevel?Kommentert sidekildeProgrammerAritmetikkLegg ved filLegg til _FilLegg ved ekstern filLegg ved bildet førstVedleggsutforskerVedleggVedlegg:ForfatterTekst brytningAutomatiske innrykkAutomatisk lagret versjon fra ZimVelg det gjeldende ordet automatisk når du bruker formateringGjør "CamelCase" ord om til lenker automatiskGjør filstier om til lenker automatiskAutolagre ved faste intervallerTilbake til det opprinnelige navnetLinker hitPanel for linker hitBakgrunnsløysingTilbakelenker:BazaarBokmerkerBokmerkebarNederst til venstreBunn PanelNederst til høyreBla gjennomPunk_t ListeK_onfigurer_KalenderKalenderKan ikke redigere siden: %sAvbrytTa bilde av hele skjermenMidtstiltEndre raderEndringerTegnTegn uten mellomromKjør _stavekontrollAvmerking_s ListeMerking av avkryssingsboks endrer også underelementerFjernKlon radKodeblokkKommandoData vil ikke bli endret av kommandoMerknadKomplett _notebookKonfigurer programmerKonfigurer programtilleggKonfigurer en applikasjon til å åpne "%s" lenkerKonfigurer et program til å åpne filer av typen "%s"Kopier e-postadresseKopier malKopier _som...Kopier _KoblingKopier _lokasjonKunne ikke finne kjørbar fil: "%s"Fant ikke notatblokk: %sKunne ikke finne mal "%s"Kan ikke finne filen eller katalogen til denne notatblokkenKunne ikke laste inn stavekontrollKan ikke åpne: %sKunne ikke analysere uttrykkKunne ikke lese: %sKunne ikke lagre side: %sLag en ny side for hvert notatOpprett mappe?LagetKlipp_uttilpassede verktøyerBrukerdefinerte_VerktøyTilpass...DatoDagStandardStandardformatet for å kopiere tekst til utklippstavlenForvalgt notatblokkForsinkelseSlett SideSlett siden "%s"?Slett radSenkAvhengigheterBeskrivelseDetaljerDia_gram...Forkast notat?Fri for distraksjoner modusDitaaØnsker du å slette alle bokmerker?Vil du gjenopprette siden: %(page)s til lagret verjson: %(version)s ? Alle endringer siden den siste lagrede versjonen vil bli tapt!DokumentrotL_igningE_ksporter...Rediger tilpasset verktøyRediger bildeRediger lenkeRediger tabellRediger _KildeRedigeringRediger fil: %sEttertrykkAktivere versjonskontroll?AktivertFeil i %(file)s på linje %(line)i nær "%(snippet)s"Evaluer _MatteEkspander alleUtvid dagboksider i indeksen ved åpningEksportérEksporter alle sider til en separat filEksport utførtEksporter hver enkelt side til separate filerEksporterer notebookFeiletKunne ikke kjøre: %sKan ikke kjøre programmet: %sFilen finnesFil _MalerFilen er endret på disk: %sFilen eksistererFilen kan ikke skrives til: %sFil type er ikke støttet: %sFilnavnFilterFinnFinn ne_steFinn forr_igeSøk og erstattSøk etterFlagg oppgaver som skal gjøres på mandag eller tirsdag før ukesluttMappeMappen eksisterer allerede og har innhold. Eksportering til denne mappen kan overskrive eksisterende filer. Vil du fortsette?Mappen eksisterer: %sMappe med maler for vedleggs filerFor avansert søk kan du bruke operatører som AND, OR og NOT. Se hjelpesiden for mer informasjon.For_matFormatFossilGNU _R PlotHent flere programtillegg på nettHent flere maler fra internettGitGnuplotGå til hjemmeområdetGå en side tilbakeGå en side framGå til undersideGå til neste sideGå til den overordnede sidenGå til forrige sideOverskriftstittel 1Overskriftstittel 2Overskriftstittel 3Overskriftstittel 4Overskriftstittel 5Overskriftstittel _1Overskriftstittel _2Overskriftstittel _3Overskriftstittel _4Overskriftstittel _5HøydeSkjul menylinjen i fullskjermmodusSkjul stilinjen i fullskjermsmodusSkjul statuslinjen i fullskjermmodusSkjul verktøylinjen i fullskjermmodusUthev aktiv linjeStartsideIkonIkoner _Og TekstBilderImporter sideInkluder undersiderIndeksSideregisterSett inn kodeblokkSett inn dato og klokkeslettSett inn diagramSett inn DitaaSett inn ligningSett inn GNU R PlotSett inn GnuplotSett inn bildeSett inn lenkeSett inn notearkLegg til skjermbildeSett inn sekvensdiagramSett inn symbolSett inn tabellSett inn tekst fra filSett inn diagramSett inn bilder som linkGrensesnittInterwiki TastaturJournalGå tilGå til SideSist endretLegg ved lenke til ny sideTil venstreVenstre Side PanelBegrens søk til den gjeldende side og undersiderLinjesorteringLinjerLenke KartLink filer i dokumentrota med fullstendige filstierLink tilLokalisasjonLogg hendelser med ZeitgeistLoggfilDu har funnet en programfeilOpprett forvalgt applikasjonRotkartdokument til nettadresseMerkeSkill mellom store og små bokstaverMaksimums side størrelseMenylinjeMercurialEndretMånedFlytt sideFlytt valgt tekst...Flytt tekst til annen sideFlytt side "%s"Flytt tekst tilNavnTrenger utdatafil for å eksportere MHTMLTrenger utdatamappe for å eksportere hele notatbokenNy filNy sideNy _underside...Ny undersideNytt VedleggNesteIngen programmer funnetIngen endringer siden siste versjonIngen avhengigheterIngen programtillegg er tilgjengelige for å vise dette objektetFinner ikke fil eller mappe: %sFil finnes ikke: %sDenne wiki`en er ikke definert: %sIngen maler er installertNotisblokkNotisbokegenskaperNotatblokk redigerbarNotatblokkerOKÅpne Vedleggets _MappeÅpne mappeÅpne NotisblokkÅpne med …Åpne _DokumentmappeÅpne _rotdokumentÅpne _NotisblokkmappeÅpne _SideÅpne hjelpÅpne i nytt vinduÅpne i nytt _vinduÅpne ny sideÅpne plugin mappenÅpne med "%s"ValgfrittAlternativerAlternativer for programtillegg %sAnnet...Utdata-filUtdata fil eksisterer, spesifiser "--overwrite" for å tvinge eksportMappe for utdataUtdata mappen eksisterer eller er ikke tom, spesifiser "--overwrite" for å tvinge eksportUtdata plassering trengs for eksportUtdata bør erstatte gjeldende valgSkriv overS_tilinjeSideSiden "%s" og alle undersider pluss vedlegg vil slettes.Siden "%s" har ikke en mappe for vedleggNavn på sideSidemalSiden er ikke lagretAvsnittVennligst legg til en kommentar til versjonenMerk at lenker til sider som ikke eksisterer vil opprette siden automatisk.Velg navn og mappe for notisblokkenVennligst velg en rad,Vennligst velg mer enn en linje tekst.Vennligst velg en notatbokProgramtilleggProgramtillegget %s trenges for å vise dette objektet.ProgramtilleggPortPlassering i vinduInnstilling_erInnstillingerForrigeSkriv ut til nettleserProfilHev_EgenskaperEgenskaperPubliserer hendelser til Zeitgeist tjenesten.Raskt notatRaskt notat...Nylige endringerNylige endringer...Nylige endrede siderFortløpende omformatering av wiki-markeringstekstFjernFjern alleFjern kolonneFjern linker fra %i side som linker til denne sideFjern linker fra %i sider som linker til denne sideFjern lenker når sider slettesFjern radFjerner linkerOmdøp SideOmdøp side "%s"Gjentatte klikk går igjennom de ulike tilstander av avmerkingboksenErstatt _alleErstatt medGjenopprett side til lagret versjon?VersjonTil høyreHøyre Side PanelHøyre margplasseringRad nedRad oppL_agre VersjonLagre en _kopiLagre kopiLagre VersjonLagre bokmerkerLagret versjon fra zimPoengsumBakgrunnsfargeSkjermbilde KommandoSøkSøk i Sider...Søk_tilbakelenkerSeksjonVelg FilVelg MappeVelg bildeVelg en versjon for å se endringer mellom den og nåværende versjon. Eller velg flere versjoner for å se endringer dem imellom. Velg eksportformatVelg utdata fil eller mappeVelg sidene for eksportVelg vindu eller områdeUtvalgSekvensdiagramServer ikke startetServer startetServer stansetAngi nytt navnSett standard tekstprogramSett til nåværende sideVis Alle PanelerVis vedleggsutforskerVis linjenummerVis linkekartVis Side PanelerLa ToC flyte på siden i stedet for å vises i sidepaneletVis _endringerVis et separat ikon for hver notatbokVIs kalenderVis kalender i sidepanelet i stedet for en dialogVis hele sidenavnetVIs hele sidenavnetVis hjelpeverktøylinjenVis i verktøylinjenVis høyre margVis også peker for sider som ikke kan redigeresVis sidetittel i ToCEnkel _sideStørrelseEn feil skjedde under kjøring av "%s"Sorter alfabetiskSorter sider etter taggerKildevisningStave­kontrollStart _webserverrammeSterkSy_mbol...SyntaksSystemstandardTabulatorbreddeTabellTabellredigeringInnholdsfortegnelseTaggerOppgaveOppgavelisteMalMalerTekstTekstfilerTekst fra _fil...Tekst bakgrunnsfargeTekst forgrunnsfargeFilen eller mappen du spesifiserte eksisterer ikke. Vennligst sjekk om filbanen er korrekt.Katalogen %s eksisterer ikke. Ønsker du å opprette den nå?Katalogen "%s" eksisterer ikke. Ønsker du å opprette den nå?Tabellen må bestå av minst en rad! Ingen sletting foretatt.Det er ingen endringer i denne notatboken siden forrige versjon som ble lagretDette betyr kanskje at du mangler installasjon avDenne filen eksisterer allerede. Vil du overskrive den?Denne siden har ingen vedleggsmappeDette programtillegget lar deg ta et skjermbilde å settte det inn i en Zim side. Dette programtillegget gir en ekstra widget som viser en liste over sider koblet til den gjeldende siden. Dette programstilleget følger med Zim. Programtillegg som legger inn innstillinger som lettere lar deg skrive i Zim uten å bli forstyrret Dette programtillegget kan du legge inn aritmetiske beregninger i Zim. Den er basert på den aritmetiske modulen fra http://pp.com.mx/python/arithmetic Dette programtillegget gir deg muligheten til å endre et diagram for Zim basert på Graphviz. Dette er et kjerne plugin frakt med Zim. Dette programtillegget tilfører zim et noteskriving bygget på GNU Lilypond. Dette er et fast programtillegg som følger med zim. Dette programtillegget viser vedleggsmappen til den aktive siden som ikoner i bunnpanelet. Dette programtillegget sorterer valgte linjer etter alfabetet. Hvis listen allerede er sortert, reverseres rekkefølgen. (A-Å til Å-A) Dette programtillegget omgjør en seksjon av notatboken til en journal med en side per dag, uke eller måned. Legger også til en kalender-widget for å få tilgang til disse sidene. Dette betyr vanligvis at filen inneholder ugyldige tegnTittelFor å fortsette kan du lagre en kopi av siden eller forkaste alle endringer. Hvis du lagrer en kopi vil endringer også forkastes, men du kan gjenopprette kopien senere.For å opprette en ny notatbok må du velge en tom mappe. Du kan selvfølgelig også velge en eksisterende zim-notatbok-mappe. InnholdsfortegnelseI _DagI dagVeksle avkryssingsboks 'V'Veksle avkryssingsboks 'X'Veksle mellom skrive- og lesemodusØverst til venstreTopp PanelØverst til høyrePanelikonTypeFjern innrykk med (om det er deaktivert kan du fortsatt bruke )UkjentIkke oppgittUtaggetOppdater %i side som lenker til denne sidenOppdater %i sider som lenker til denne sidenOppdater indeksOppdater tittel på denne sidenOppdaterer linkerOppdaterer indeksBruk %s for å bytte til sidepaneletBrukerdefinert SkrifttypeBruk en side til hverBruk for å følge lenker (Om denne er slått av kan du fortsatt bruke )VerbatimVersjonskontrollVersjonskontroll er ikke aktivert for denne notatboken. Vil du aktivere den?VersjonerVertikal margVis med _anmerkningerVis _loggWebtjenerUkeNår du rapporterer denne programfeilen inkluder informasjonen i tekst boksen nedenfor.Hele _ordetBreddeWiki side: %sOrdtellingAntall ord...OrdÅrI gårDu redigerer filen i en ekstern applikasjon. Du kan lukke denne dialogen når du er ferdig.Du kan endre de brukerdefinerte verktøyinnstillingene som vil vises i verktøylinjen eller kontekstmenyer.Zim Skrivebords-wikiZoom Ut_Om_Alle Paneler_AritmetikkTil_bake_Bla gjennom_Feil_Kalender_Under_Nullstill formatering_LukkS_lå sammen alle_Innhold_Kopier_Kopier hit_Dato og tid..._SlettSlett sideForkast en_dringer_Endre_Endre Ditaa_Endre sammenligning_Endre GNU R Plot_Endre Gnuplot_Endre Kobling_Rediger kobling eller objekt...Rediger _egenskaper_Endre sekvensdiagram_Endre diagram_Ettertrykk_OSS_Fil_Finn..._Fremover_Fullskjerm_Gå til_Hjelp_Markér_Historikk_HjemKun _ikoner_Bilde..._Importer side...Sett _inn_Hopp til..._Tastebindinger_Store Ikoner_Lenke_Link til dato_Kobling_Merke_Mer_Flytt_Flytt hit_Flytt side..._Ny Side..._Neste_Neste i registeretI_ngen_Normal Størrelse_Nummerert Liste_Åpne_Åpne annen notisblokk_Annet ..._Side_Side Hirarki_Forelder_Lime inn_Forhåndsvis_Forrige_Forrige i registeret_Skriv ut til nettleser_Hurtig Notat..._Avslutt_Nylig brukte sider_Gjenopprette_Regulært uttrykk_Oppdatere_Fjern kobling_Omdøp side..._Erstatt_Erstatt..._Nullstill Størrelsen_Gjenopprett versjon_Lagre_Lagre kopi_Skjermbilde..._Søk_Søk..._Send til..._Side Paneler_Side om side_Små ikoner_Sorter linjer_Statuslinje_Stryk_Sterk_Senket skrift_Hevet skriftM_alerKun _tekstSmå _Ikoner_IdagVerk_tøylinjeVerk_tøy_Angre_Verbatim_Versjoner..._Vis_Zoom Inncalendar:week_start:1vannrette linjerSkrivebeskyttetsekunderLaunchpad Contributions: Allan Nordhøy https://launchpad.net/~comradekingu Bjørn Forsman https://launchpad.net/~bjorn-forsman Bjørn Olav Samdal https://launchpad.net/~bjornsam Børge Johannessen https://launchpad.net/~lmdebruker Emil Våge https://launchpad.net/~emil-vaage Espen Krømke https://launchpad.net/~espenk Jaap Karssenberg https://launchpad.net/~jaap.karssenberg Per Knutsen https://launchpad.net/~pmknutsen Playmolas https://launchpad.net/~playmolas Terje Andre Arnøy https://launchpad.net/~terjeaar sunnyolives https://launchpad.net/~sissi90vertikale linjermed linjerzim-0.68-rc1/locale/de/0000755000175000017500000000000013224751170014432 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/de/LC_MESSAGES/0000755000175000017500000000000013224751170016217 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/de/LC_MESSAGES/zim.mo0000644000175000017500000014472413224750472017373 0ustar jaapjaap00000000000000L+,M+.z+?+ ++ ,5,0Q,,,,4,, , -i-*-!-- - -- .-.M.VU.. . ..3.Y/h/ ~/ / / //// / /0 00$#0?H0/0(00%0,$1Q1 g1q11 11 1 1 1 1 1 11 1 1 2 22+222G2N2]2 e2p222222-2<3O3 U3 _3j3s3{3333333+4334 g44 4 4 4444 53'5[5y5555556 6 6 6 )666;6?60G6x66 66 66 6 66 6 667$7~>7 77 7 77 7 8 8 8"8*8;8D8\85d88 8(88!89#9<9O9V9i9 999 999: :: : :/: @:6J::v::*;c<;;;; ;;;;;< <<%<6<F<X< l< w< < < < < < < < < <<<=!'=I=i= ===== === === >> ->:>J>\> k> x> >>> > >>>> ??-?5? =?J? _?m???.? ???2?@@&@@@I@d@}@@@ @@@@ @@A AA.AFAXAmA |AA A*AAAA A BBB5BSB.cBBBBBBBCC /C9CI I JJ8JlRl Zl gltll l ll ll lll l l m m m *m 6mAmIm Qm \m im tm mmmmm m mmmmmm nn .n W q{ϙߙʚ(19Ifw%› $8"M=p0Ĝ?#G#k&ם9*8cs{1Ş!ܞ %/BR Wb iw 5Ÿ ( -9L gqq=@!bBqIBOA?.Ѥ`a|}>IPZ^_v5 <Ǯ}ZNݯ,ð}ʱYH&ʳFȴδPW^d ʶն 3GPUf Ʒ ַR3Gb~-ȸ"_" [  ( <FcL ĺӺ ̻ ׻r}k  $2 ;H Y cp  ýͽ߽  # 2>Ob|پ -2 9D LV_ fs |  ˿!* 0=Rcs  "5 K V `l   4 >Kb{   -:K Q [ g q{   #2HWj| This plugin provides bar for bookmarks. %(cmd)s returned non-zero exit status %(code)i%(n_error)i errors and %(n_warning)i warnings occurred, see log%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i of %i%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd bookmark/Show settingsAdd columnAdd new bookmarks to the beginning of the barAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAttachments:AuthorAuto WrapAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave interval in minutesAutosave version on regular intervalsAutosave version when the notebook is closedBack to Original NameBackLinksBackLinks PaneBackendBacklinks:BazaarBook_marksBookmarksBookmarksBarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck Checkbox '>'Check Checkbox 'V'Check Checkbox 'X'Check _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearClone rowCode BlockColumn 1CommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?CreatedCu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to delete all bookmarks?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootDueE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExpand journal page in index when openedExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatFossilGNU _R PlotGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageGrid linesHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageHorizontal _LineIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationManaging table columnsMap document root to URLMarkMatch _caseMaximum number of bookmarksMaximum page widthMenubarMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove column aheadMove column backwardMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNextNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such page: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOnly Show Active TasksOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen cell content linkOpen helpOpen in New WindowOpen in New _WindowOpen new pageOpen plugins folderOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage already exists: %sPage has un-saved changesPage not allowed: %sPage sectionParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select a row, before you push the button.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrevPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionRow downRow upS_ave Version...S_coreSave A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...Search this sectionSectionSection(s) to ignoreSection(s) to indexSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet New NameSet default text editorSet to Current PageShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow Tasks as Flat ListShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full Page NameShow full page nameShow helper toolbarShow in the toolbarShow right marginShow tasklist in sidepaneShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStartStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTags for non-actionable tasksTaskTask ListTasksTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The following parameters will be substituted in the command when it is executed: %f the page source as a temporary file %d the attachment directory of the current page %s the real page source file (if any) %p the page name %n the notebook location (file or folder) %D the document root (if any) %t the selected text or word under cursor %T the selected text including wiki formatting The inline calculator plugin was not able to evaluate the expression at the cursor.The table must consist of at least on row! No deletion done.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis page name cannot be used due to technical limitations of the storageThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a macOS menubar for zim.This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox '>'Toggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUn-check CheckboxUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse %s to switch to the side paneUse a custom fontUse a page for eachUse date from journal pagesUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWith this plugin you can embed a 'Table' into the wiki page. Tables will be shown as GTK TreeView widgets. Exporting them to various formats (i.e. HTML/LaTeX) completes the feature set. Word CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Checkbox_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Duplicate Line_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Line Down_Move Line Up_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Line_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Run bookmark_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Inas due date for tasksas start date for taskscalendar:week_start:0do not usehorizontal linesmacOS Menubarno grid linesreadonlysecondstranslator-creditsvertical lineswith linesProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-06-17 18:09+0000 Last-Translator: sojusnik Language-Team: German MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n != 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) Diese Erweiterung stellt eine Lesezeichenleiste zur Verfügung. Aufruf von %(cmd)s fehlgeschlagen. Fehlercode: %(code)iEs sind %(n_error)i Fehler und %(n_warning)i Warnungen aufgetreten (siehe Protokoll)%A, %d. %B %Y%i _Anhang%i _Anhänge%i _Backlink...%i _Backlinks...%i Fehler aufgetreten, siehe Log%i Datei wird gelöscht%i Dateien werden gelöscht%i von %i%i offene Aufgabe%i offene Aufgaben%i Warnungen aufgetreten, siehe LogEin- oder Ausrücken von Listenpunkten ändert UnterpunkteEin Desktop WikiEine Datei mit dem Namen "%s" existiert bereits, Sie können einen anderen Namen vorschlagen oder die bestehende Datei überschreiben.Eine Tabelle muss mindestens eine Spalte haben.Menüs 'abreißbar' machenAnwendung hinzufügenLesezeichen hinzufügenNotizbuch hinzufügenLesezeichen hinzufügen/Einstellungen anzeigenSpalte hinzufügenNeue Lesezeichen am Anfang der Leiste einfügenZeile hinzufügenDieses Plugin stellt eine automatische Rechtschreibprüfung zur Verfügung. Dieses Plugin gehört zum Lieferumfang von zim. AusrichtenAlle DateienAlle AufgabenÖffentlichen Zugriff erlaubenVerwende immer die letzte Cursorposition beim Öffnen einer SeiteWährend des Erstellen der Grafik trat ein Fehler auf. Möchten Sie den Quelltext trotzdem speichern?Quelltext mit AnmerkungenAnwendungenArithmetischDatei anhängenDatei an_hängenExterne Datei anhängen ...Bild zuerst anhängenAttachment BrowserDateianhängeAnhänge:AutorAutomatisch UmbrechenAuto-EinrückungAutomatisch gespeicherte VersionDas aktuelle Wort automatisch auswählen, wenn Sie die Formatierung ändern.'KamelSchreibWeise' automatisch verlinkenDateien automatisch verlinkenAutomatisches Speichern in MinutenAutomatisch speichern in regelmäßigen AbständenVersion automatisch speichern, wenn das Notizbuch geschlossen wirdUrsprünglichen Namen verwendenRückLinksFensterbereich für RückLinksBackendBacklinksBazaarLesezeichenLesezeichenLesezeichenleisteUnten linksUnterer FensterbereichUnten rechtsDurchblätternAufz_ählungK_onfigurierenKalen_derKalenderSeite %s kann nicht geändert werdenAbbrechenGanzen Bildschirm aufnehmenZentriertSpalten ändernÄnderungenZeichenZeichen ohne LeerzeichenAnkreuzfeld '>' ankreuzenAnkreuzfeld 'V' ankreuzenAnkreuzfeld 'X' ankreuzenRecht_schreibung überprüfenAnkreu_zlisteAnkreuzlisten rekursiv ankreuzenKlassisches Informations-Symbol, verwende nicht das Symbol im neuen Ubuntu StilLeerenZeile duplizierenCode-BlockSpalte 1BefehlBefehl verändert keine DatenKommentarStets als Fuß eingefügtStets als Kopf eingefügtKomplettes _NotizbuchAnwendungen konfigurierenPlugin einrichtenEine Anwendung zum Öffnen von "%s"-Links konfigurierenAnwendung auswählen, mit der Dateien vom Typ "%s" geöffnet werden sollen.Alle Ankreuzfelder als Aufgaben interpretierenE-Mail-Adresse kopierenKopiere VorlageKopieren _Als_Verknüpfung kopierenSeiten_pfad kopierenKonnte die ausführbare Datei "%s" nicht findenKonnte Notizbuch %s nicht findenKonnte die Vorlage "%s" nicht findenKonnte für dieses Notizbuch keine Datei bzw. kein Verzeichnis findenRechtschreibprüfung konnte nicht geladen werden%s kann nicht geöffnet werdenKann Ausdruck nichtz auswertenLesen von %s nicht möglich!Seite %s konnte nicht gespeichert werdenErstelle eine neue Seite für jede NotizVerzeichnis erstellen?Angelegt_AusschneidenBenutzerdefinierte WerkzeugeBenu_tzerdefinierte WerkzeugeAnpassen …DatumTagStandardStandardformat für das Kopieren von Text in die ZwischenablageStandard-NotizbuchVerzögerungSeite löschenSeite "%s" löschen?Zeile löschenHerabstufenAbhängigkeitenBeschreibungDetailsDia_grammNotiz verwerfen?Ablenkungsfreier BearbeitungsmodusDitaaSollen alle Lesezeichen gelöscht werden?Möchten Sie die Seite %(page)s mit der gespeicherten Version %(version)s überschreiben? Alle Änderungen seit dieser Version gehen verloren!Zim-StartverzeichnisFällig am_GleichungE_xportieren...Benutzerdefiniertes Werkzeug bearbeitenBild bearbeitenVerknüpfung bearbeitenTabelle bearbeiten_Quelltext bearbeitenBearbeitenDatei bearbeiten: %sKursivVersionskontrolle anschalten?AktiviertFehler in %(file)s in der Zeile %(line)i nahe bei "%(snippet)s"_Mathematischen Ausdruck auswertenAlle _aufklappenTagebuch-Seite beim Öffnen im Index aufklappenExportierenAlle Seiten in eine einzige Datei exportierenExport abgeschlossenJede Seite in eine eigene Datei exportierenNotizbuch wird exportiertNicht erfülltKonnte nicht starten: %sAnwendung konnte nicht gestartet werden: %sDatei exisiertDatei_vorlagen ...Die Datei wurde auf der Festplatte geändert: %sDie Datei existiert bereitsDatei ist nicht schreibbar: %sDateiformat wird nicht unterstützt: %sDateinameFilterSuchen_Weitersuchen_Rückwärts suchenSuchen und ErsetzenSuche wasAufgaben, die am Montag oder Dienstag fällig sind, schon vor dem Wochenende anzeigenVerzeichnisDas Verzeichnis existiert bereits und enthält Dateien. Wenn Sie in dieses Verzeichnis exportieren, überschreiben Sie vielleicht existierende Dateien. Wollen Sie weiter machen?Ordner besteht bereits: %sSpeicherort für Vorlagen von DateianhängenFür die fortgeschrittene Suche können die logischen Verknüpfungen AND, OR und NOT verwendet werden. Mehr Informationen dazu finden Sie in der Hilfe.For_matFormatFossilGNU _R DiagrammWeitere Plugins online holenWeitere Vorlagen online holenGitGnuplotStartseiteEine Seite zurückEine Seite weiterGehe zur untergeordneten SeiteGehe zur nächsten SeiteGehe zur übergeordneten SeiteGehe zur vorherigen SeiteRasterÜberschrift 1Überschrift 2Überschrift 3Überschrift 4Überschrift 5Überschrift _1Überschrift _2Überschrift _3Überschrift _4Überschrift _5HöheMenüleiste im Vollbildmodus versteckenPfadleiste im Vollbildmodus versteckenStatusleiste im Vollbildmodus versteckenWerkzeugleiste im Vollbildmodus versteckenAktuelle Zeile hervorhebenStartseiteHorizontale _LinieSymbolSymbole _und TextBilderSeite importierenUnterpakete einschließenIndexIndexseiteTaschenrechnerCode-Block einfügenDatum und Uhrzeit einfügenDiagramm einfügenDitaa einfügenFormel einfügenGNU R Diagramm einfügenFüge Gnuplot einBild einfügenVerknüpfung einfügenNotensatz einfügenBildschirmfoto einfügenSequenzdiagramm einfügenSymbol einfügenTabelle einfügenText aus Datei einfügenDiagramm einfügenBild als Link einfügenErscheinungsbildInterwiki SchlüsselwortTagebuchGehe zuGehe zur SeiteKennzeichnungen für AufgabenZuletzt geändertLink zur neuen Seite einfügenLinksbündigLinker FensterbereichSuche auf die aktuelle Seite und Unterseite(n) einschränkenAlphabetische SortierungZeilenLink-StrukturVerlinke Dateien im Dokumentverzeichnis mit vollständigem PfadVerknüpfen mitOrtEreignisse mit Zeitgeist protokollierenProtokolldateiAnscheinend haben Sie einen Fehler gefundenZur Standardanwendung machenTabellen-Spalten verwaltenDokumentverzeichnis auf URL abbildenMarkiertGroß-/KleinschreibungMaximale Anzahl an LesezeichenMaximale SeitenbreiteMenüleisteMercurialGeändertMonatSeite verschiebenAusgewählten Text verschiebenVerschiebe Text auf andere SeiteSpalte nach oben bewegenSpalte nach unten bewegenSeite "%s" verschiebenVerschieben nachNameExport von MHTML benötigt AusgabedateiExport des gesamten Notizbuchs benötigt AusgabeverzeichnisNeue DateiNeue SeiteNeue Unter_seite...Neue UnterseiteNeuer _AnhangWeiterKeine Anwendungen gefundenKeine Änderung seit der letzten SicherungKeine VorraussetzungenKein Plugin zur Anzeige dieses Objekts verfügbar.Datei oder Verzeichnis %s existiert nichtDatei nicht gefunden: %sKeine solche Seite: %sKein Wiki definiert: %sKeine Vorlagen installiertNotizbuchEigenschaften des NotizbuchsSchr_eibschutz für NotizbuchNotizbücherOkNur aktive Aufgaben anzeigen_Anhangverzeichnis öffnenOrdner öffnenNotizbuch öffnenÖffnen mit..._Dokumentverzeichnis öffnen_Dokumentverzeichnis öffnenN_otizbuchverzeichnis öffnenSeite _ÖffnenZellen-Inhaltslink öffnenHilfe öffnenIn neuem Fenster öffnenIn neuem _Fenster öffnenNeue Seite öffnenÖffne Plugin OrdnerMit »%s« öffnenOptionalEinstellungenEinstellungen für Plugin %sAnderes …AusgabedateiAusgabedatei existiert, Export kann mit "--overwrite" erzwungen werdenAusgabeverzeichnisAusgabeverzeichnis existiert und ist nicht leer, Export kann mit "--overwrite" erzwungen werdenFür den Export wird ein Ausgabeziel benötigtAusgabe soll aktuelle Auswahl ersetzenÜberschreibenPf_adleisteSeiteSeite "%s" sowie alle Unterseiten und Anhänge werden gelöschtSeite "%s" hat kein Verzeichnis für AnhängeSeitennameSeiten VorlageSeite existiert bereits: %sDie Seite hat ungespeicherte ÄnderungenSeite nicht erlaubt: %sSeiten-AbschnittAbsatzBitte geben Sie eine Beschreibung für diese Fassung einBitte beachten Sie, dass der Link auf eine nicht existierende Seite automatisch eine neue, leere Seite erzeugtBitte wählen sie einen Namen und Ort für das NotizbuchBitte erst eine Zeile markieren, bevor die Taste gedrückt wird.Bitte wählen Sie mehr als eine Zeile ausBitte ein Notizbuch angebenPluginPlugin %s wird benötigt, um das Objekt anzuzeigen.PluginsPortPosition im Fenster_EinstellungenEinstellungenVorherigeDruck in HTML-DateiProfilHeraufstufen_EigenschaftenEigenschaftenEreignisse per Zeitgeist-Dämon aufzeichnenKurz NotizKurz NotizLetzte ÄnderungenLetzte Änderungen...Zuletzt _geänderte SeitenWiki-Markup während der Eingabe anwendenEntfernenAlle entfernenSpalte entfernenEntferne Links von %i Seite, die zu dieser Seite verlinktEntferne Links von %i Seiten, die zu dieser Seite verlinkenLinks entfernen, wenn Seiten gelöscht werdenZeile entfernenLinks entfernenSeite umbenennenSeite "%s" umbenennenWiederholtes Anklicken des Ankreuzfelds schaltet zwischen den möglichen Zuständen um_Alles ersetzenErsetzen durchAktuellen Stand mit gespeicherter Version überschreiben?RevRechtsbündigRechter FensterbereichPosition des rechten RandesZeile runterschiebenZeile hochschiebenEine V_ersion speichern..._PunkteEine _Kopie speichern...Kopie speichernVersion speichernLesezeichen speichernGespeicherte Version aus ZimBewertungFarbe des BildschirmhintergrundsScreenshot BefehlSucheSeiten durchsuchen...Suche nach _Backlinks...Suche in diesem AbschnittAbschnittAbschnitte ignorierenAbschnitte indizierenDatei auswählenVerzeichnis auswählenBild auswählenWählen Sie eine Version aus, um die Unterschiede zwischen der Version und dem aktuellen Stand anzeigen zu lassen. Wenn Sie zwei Versionen auswählen, werden die Unterschiede dieser Versionen angezeigt. Wählen Sie das ExportformatWählen Sie den AusgabeordnerWählen Sie die zu exportierenden SeitenFenster oder Bereich auswählenAuswahlSequenzdiagrammServer wurde nicht gestartetServer gestartetServer gestopptNeuen Namen vergebenVorgegebene Textbearbeitung festlegenAuf aktuelle Seite einstellenZeige alle FensterbereicheAnhänge anzeigenZeilennummern anzeigenZeige Link-StrukturZeige SeitenbereicheAufgaben als flache Liste anzeigenZeige Inhalt als schwebendes Widget statt in der SeitenleisteUnterschiede anzeigenEin eigenes Symbol für jedes Notizbuch anzeigenKalender anzeigenKalender in der Seitenleiste statt als eigenen Dialog anzeigen.Vollständigen Seitennamen anzeigenVollständigen Seitennamen anzeigenHilfe-Leiste anzeigenErscheint in WerkzeugleisteRechten Rand anzeigenAufgabenliste in Seitenleiste anzeigenAuch bei schreibgeschützten Seiten Schreibmarke anzeigenSeitentitel im Inhaltsverzeichnis anzeigenEinzelne _SeiteGrößeIntelligente Home-TasteEin Fehler trat bei der Bearbeitung von "%s" auf.Alphabetisch sortierenSortiere Seiten nach SchlagwortenQuellcode-AnsichtRechtschreibprüfungStartzeit_Webserver startenDurchgestrichenFettSy_mbol...SyntaxSystemvorgabeTabulatorbreiteTabelleTabellenbearbeitungInhaltsverzeichnisSchlagworteKennzeichen für Aufgaben, die keine Aktion erfordernAufgabeAufgabenlisteAufgabenVorlageVorlagenTextTextdateienText aus _Datei...Farbe des TexthintergrundsTextfarbeDie angegebene Datei oder das Verzeichnis existiert nicht. Bitte überprüfen Sie, ob die Pfadangabe korrekt ist.Der Ordner %s existiert nicht. Soll er jetzt angelegt werden?Der Ordner "%s" existiert nicht. Möchten Sie ihn jetzt anlegen?Die folgenden Parameter werden ersetzt in dem Befehl, wenn er ausgeführt wird: %f der Quelltext der Seite als temporäre Datei %d das Anhangsverzeichnis der aktuellen Seite %s der eigentliche Quelltext der Seite (falls vorhanden) %p der Seitenname %n der Speicherort des Notizbuchs (Datei oder Ordner) %D das Wurzelverzeichnis (falls vorhanden) %t der ausgewählte Text oder das Wort unter dem Mauszeiger %T der ausgewählte Text inklusive Wiki-Formatierung Der Taschenrechner konnte die eingegebene Formel nicht berechnen.Die Tabelle muss mindestens eine Zeile haben! Es wurde nichts gelöscht.Seit der letzten Sicherung wurde dieses Notizbuch nicht geändert.Dies könnte bedeuten, dass die richtigen Wörterbücher nicht installiert sindDiese Datei existierst bereits. Soll sie überschrieben werden?Diese Seite hat kein Verzeichnis für AnhängeDieser Seitenname kann aufgrund technischer Beschränkungen des Speichers nicht verwendet werdenDieses Plugin ermöglicht es ein Bildschirmfoto aufzunehmen und in eine Seite einzufügen. Dieses Plugin gehört zum Lieferumfang von zim. Dieses Plugin zeigt alle offenen Aufgaben. Offene Aufgaben sind entweder offene Ankreuzkästchen oder Elemente, die mit 'FIXME' oder 'TODO' markiert wurden. Dieses Plugin gehört zum Lieferumfang von Zim. Dieses Plugin stellt ein Dialogfenster zur Verfügung, dass es erlaubt Text oder den Inhalt der Zwischenablage in eine Notiz einzufügen. Dieses Plugin gehört zum Lieferumfang von zim. Dieses Plugin fügt ein Informationssymbol zum Benachrichtigungsfeld hinzu Sie benötigen Gtk+ ab der Version 2.10, um es einsetzen zu können. Dieses Plugin gehört zum Lieferumfang von Zim. Dieses Plugin fügt ein zusätzliches Widget hinzu, das eine Liste von Seiten anzeigt, die auf die aktuelle Seite verweisen. Dieses Plugin fügt ein Widget hinzu, das ein Inhaltsverzeichnis für die aktuelle Seite anzeigt. Dieses Plugin gehört zum Lieferumfang von Zim. Dieses Plugin fügt Zim einen ablenkungsfreien Bearbeitungsmodus hinzu. Diese Plugin fügt den 'Symbol einfügen'-Dialog zum Menü hinzu. Der ermöglicht die automatische Formatierung typografischer Sonderzeichen. Dieses Plugin gehört zum Lieferumfang von Zim Dieses Plugin ermöglicht eine Versionsverwaltung in ihrem Notizbuch. Unterstützt werden Bazaar, Git und Mercurial Versionswerwaltungen. Dieses Plugin gehört zum Lieferumfang von Zim Dieses Diagramm erlaubt das einfügen von 'Code-Blöcken' in die Seite. Diese Blöcke werden als eingebettete Widgets mit Syntaxhervorhebung, Zeilennummern usw. angezeigt. Durch dieses Plugin können arithmetische Berechnungn in Zim eingebettet werden. Es basiert auf dem Modul arithmetic von http://pp.com.mx/python/arithmetic. Dieses Plugin ermöglicht die schnelle Berechnung einfacher mathematischer Ausdrücke in zim. Dieses Plugin ermöglicht es Ditaa basierte Diagramme in zim einzugen. Dieses Plugin gehört zum Lieferumfang von Zim Dieses Plugin erlaubt das Erstellen von Schaubildern in zim mit Hilfe von GraphViz. Dieses Plugin gehört zum Lieferumfang von zim. Dieses Plugin stellt einen Dialog mit einer graphischen Darstellung der Linkstruktur des Notizbuchs bereit. Es kann als eine Art "mind map" verwendet werden, um zu zeigen, wie einzelne Seiten aufeinander verweisen. Dieses Plugin gehört zum Lieferumfang von zim. Dieses Plugin stellt eine macOS Menüleiste für zim bereit.Dieses Plugin unterstützt eine im Verhältnis stehende Seitenindexfilterung von ausgewählten Schlagwörtern in einer Wolke Dieses Plugin bietet einen Editor um GNU R Diagramme in zim zu erstellen und einzubinden. Dieses Plugin liefert einen Ploteditor für ZIM, welcher auf Gnuplot basiert. Dieses Plugin stellt einen auf seqdiag basierenden Sequenzdiagramm-Editor für zim bereit. Es erlaubt die einfache Bearbeitung von Sequenzdiagrammen. Dieses Plugin stellt ein Workaround für die fehlende Druckfunktion in Zim bereit. Es exportiert die aktuelle Seite in eine HTML-Datei und öffnet diese im Browser. Darüber kann die Datei dann gedruckt werden. Dieses Plugin gehört zum Lieferumfang von Zim. Dieses Plugin stellt einen LaTeX-basierten Gleichungseditor zur Verfügung. Dieses Plugin gehört zum Lieferumfang von zim. Dieses Plugin stellt einen Notensatz-Editor für Zim bereit, basierend auf GNU Lilypond. Dieses Plugin erstellt eine Auflistung der Anhänge der aktuellen Seite in Form einer Symbolansicht unterhalb der aktuellen Seite. Dieses Plugin sortiert markierte Zeilen in alphabetischer Reihenfolge. Wurde einmal sortiert, dann wird ein weiterer Aufruf die Reihenfolge umkehren. (A-Z zu Z-A) Dieses Plugin erstellt einen Journal-Abschnitt im Notebook mit einer Seite pro Tag, Woche oder Monat. Fügt auch ein Kalender Widget hinzu, um auf diese Seiten zugreifen zu können. Gewöhnlich bedeutet dies, dass die Datei ungültige Zeichen enthält.TitelSie können an dieser Stelle eine Kopie dieser Seite speichern oder die Änderungen verwerfen. Wenn Sie eine Kopie speichern, werden die Änderungen auch verworfen, Sie können Sie aber später aus der Kopie wieder herstellen.Um ein neues Notizbuch anzulegen, muss ein leerer Ordner ausgewählt werden. Es kann auch ein bereits vorhandener Zim Notizbuch-Ordner ausgewählt werden. Inhalt_HeuteHeuteAnkreuzfeld '>' umschaltenAnkreuzfeld 'v' umschaltenAnkreuzfeld 'x' umschaltenNotizbuch bearbeitenOben linksOberer FensterbereichOben rechtsBenachrichtigungsfeldsymbolSeitenname in tags für die Aufgabenliste umwandelnDateitypAnkreuzfeld abwählen-Taste verringert den Einzug (Alternativ )UnbekanntNicht angegebenOhne Tags%i Link auf diese Seite werden angepasst%i Links auf diese Seite werden angepasstIndex aktualisierenSeitentitel wird angepasstAnpassen der VerknüpfungenIndex wird aktualisiert …%s verwenden, um zur Seitenleiste zu wechselnEigene Schriftart benutzenVerwende jeweils eine SeiteDatum aus Journal-Seiten verwendenMit der -Taste können Sie Links folgen. (Wenn deaktiviert, benutzen Sie )VorformatiertVersionskontrolleDie Versionskontrolle ist für dieses Notizbuch nicht aktiviert. Wollen Sie sie aktivieren?VersionenVertikaler Abstand_Anmerkungen_Protokoll anzeigenWebserverWocheWenn Sie diesen Fehler melden wollen, senden Sie bitte die Meldungen aus der folgenden Textbox mit.Ganzes _WortBreiteWiki-Seite: %sMit diesem Plugin kannst du eine Tabelle in eine wiki-Seite einbetten. Tabellen werden als GTK TreeView widgets angezeigt. Außerdem wird die Funktion durch die Möglichkeit erweitert Tabellen in verschiedene Formate (z.B. HTML/LaTeX) umzuwandeln. WortanzahlWortanzahl...WorteJahrGesternSie bearbeiten eine Datei in einer externen Anwendung. Schließen Sie den Dialog, wenn dieser Vorgang beendet ist.Sie können benutzerdefinierte Werkzeuge erstellen, die im Werkzeugmenü, der Werkzeugleiste und in Kontextmenüs erscheinen.Zim Desktop-WikiVer_kleinern_Über_Alle Fensterbereiche_Arithmetisch_Zurück_Durchsuchen_Fehlermeldungen_Kalender_Ankreuzfeld_Untergeordnete Seite_Formatierung entfernen_SchließenAlle ein_klappen_Inhalt_KopierenHierher _kopieren_Datum und Zeit..._LöschenSeite _löschenÄnderungen _verwerfenZeile kopieren_BearbeitenDitaa _EditierenFormel b_earbeitenGNU R Diagramm bearbeitenGnuplot b_earbeitenLink _bearbeitenLink oder Objekt _bearbeiten...Eigenschaften editierenNotensatz _editieren_Sequenzdiagramm bearbeiten_Diagramm bearbeitenHervorgehoben_FAQ_Datei_Suchen…_Weiter_Vollbild_Gehe zu_Hilfe_Hervorheben_Verlauf_StartseiteNur _Symbole_Bild...Seite _importieren..._Einfügen_Gehe zu..._Tastenkombinationen_Große Symbole_Verknüpfung erstellenVer_linke datum_Link...Markiert_Mehr_VerschiebenHierher _verschiebenZeile nach untenZeile nach obenSeite _verschieben..._Neue Seite …_Nächstes_Nächste Seite im Index_Nichts_Standardgröße_Nummerierte ListeÖffnenEin neues Notizbuch _öffnen_Weitere …_Seite_Seiten Hierarchie_Übergeordnete Seite_Einfügen_Vorschau_Vorheriges_Vorige Seite im Index_Druck in HTML-Datei_Kurz Notiz_Beenden_Zuletzt besuchte Seiten_Wiederherstellen_Regulärer Ausdruck_Neu ladenZeile löschenVe_rknüpfung entfernenSeite _umbenennen..._Ersetzen_Ersetzen…Größe zu_rücksetzenVersion wiederherstellenLesezeichen öffnen_Speichern_Kopie speichern_Bildschirmfoto …_SuchenNotizbuch durchsuchen_Senden an …_Seitenbereiche_nebeneinander_Kleine Symbole_Zeilen sortieren_Statuszeile_Durchgestrichen_FettSubskriptSuperskript_VorlagenNur _Text_Winzige Symbole_Heute_Werkzeugleiste_Werkzeuge_Rückgängig_Vorformatiert_Versionen..._AnsichtVer_größernals Fälligkeitsdatum für Aufgabenals Startzeit für Aufgabencalendar:week_start:1Nicht benutzenHorizontale LinienmacOS Menüleistekeine GitternetzlinienschreibgeschütztSekundenLaunchpad Contributions: Andreas Klostermaier https://launchpad.net/~apx-ankl Arnold S https://launchpad.net/~arnold.s BBO https://launchpad.net/~bbo Benedikt Schindler https://launchpad.net/~benedikt-schindler Christoph Fischer https://launchpad.net/~christoph.fischer Christoph Zwerschke https://launchpad.net/~cito Fabian Affolter https://launchpad.net/~fab-fedoraproject Fabian Stanke https://launchpad.net/~fmos Ghenrik https://launchpad.net/~ghenrik-deactivatedaccount Gunnar Thielebein https://launchpad.net/~lorem-ipsum Jaap Karssenberg https://launchpad.net/~jaap.karssenberg Johannes Reinhardt https://launchpad.net/~johannes-reinhardt Julia https://launchpad.net/~jruettgers Klaus Vormweg https://launchpad.net/~klaus-vormweg Matthias Mailänder https://launchpad.net/~mailaender Murat Güven https://launchpad.net/~muratg P S https://launchpad.net/~pascal-sennhauser SanskritFritz https://launchpad.net/~sanskritfritz+launchpad Tobias Bannert https://launchpad.net/~toba hruodlant https://launchpad.net/~hruodlant lootsy https://launchpad.net/~lootsy mrk https://launchpad.net/~m-r-k smu https://launchpad.net/~smu sojusnik https://launchpad.net/~sojusnik ucn| https://launchpad.net/~ucn zapyon https://launchpad.net/~zapyonSenkrechte Linienmit Linienzim-0.68-rc1/locale/cs/0000755000175000017500000000000013224751170014447 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/cs/LC_MESSAGES/0000755000175000017500000000000013224751170016234 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/cs/LC_MESSAGES/zim.mo0000644000175000017500000013071413224750472017402 0ustar jaapjaap00000000000000Dl(,m(.(?( )) 4)U)0q)))4)* * *i/***!** * + +-+I+VQ++ + ++3+Y ,d, z, , , ,,,, ,, ,-$-?7-/w-(-%-- ..%.-. 4. >. K. W. c.p. w. . ........ ../+/-:/<h// / ////// 0"050L0+]030 00 0 0 11%1D1`13}111112(2H2W2 \2 i2 w22220222 22 23 3 3&3 .3 :3H3a3$g3~3 4 4 #4.4 ?4 J4 T4 _4l4t4444544 4(4(5!/5Q5#b55555 555 66.6J6S6Z6 _6j6y6 6666v6I7*[7c7777 8 8$8>8B8J8 R8_8o8888 8 8 8 8 8 8 8 8 9 9 9*919Q9!q999 9999 99 : ::0:B:W: f:s::: : : ::: : ;;%;4; J;T;f;n; v;; ;;;;.; < <<2<N<V<_<y<<<<<< << === #=-=C=[=m== == =*===> >>/>E>c>.s>>>>>>?? .?8?;? T? `? n?{??? ?? ??? @@+@4@<@R@ [@9g@ @I@!@'A CAMAVAC[A0A A AA B B'BVAB3B0B0B.CHC-OC}CCC C CCCC C C&C D $D2DADSDkDD D D^D E +E6E EEQE>bE E EEEEEE FFF+F2F BF LFYFhFFFFFFFF F F F GG GGG HH#H6HEH THaHyHHHH HH2H I&%I LI.ZIIIIII5I&!J HJUJZJ&iJJJ J JJJJ JJK KK "K/KAKFKdK iKsK |KK KKKKYK?/LAoLSL=MKCM@M6M-Nx5NNwOOP} QLQQ`RSS}$ThTk UwURKV;V=VvWWjXnY]}YY[Z7Z([.[|[G\K\R\X\l\\\\ \ \'\\D\1] 9]E]HN] ]]]]]]P^Y^b^Ur^^^^ ^ ^_N _ Z_f_ l_z_ 5` @`N`T` Y`^c`f`)a :aDa Ka Vabahapa vaaaa a aa aaa aab bb"b 3b AbLbdb ubb b bbbbb bbb bbb b cc#c +c 7c DcQc Wcecnctczc c c cccc cccc cd dd%d,d 5d?dRdddsd ydddd ddd d ddd d ee e +e 7e Ce Qe ^e jeue}e e e e e eeeee e eeeff )f7f@fHf[f jfuf+Ph/|hAh h(h:%i$`iJiFi)j1Ajsj |jjVj,j,kJk[kmk|k.kk_k +l7lHlXlDtlWlm-m 6m@mQmcm}mm mmmm!m7n0Ln4}n6nnoo-o5o vNvfvnvvvvBvvw)w =w&Hwow,ww ww"wx x3xQx$ax!xxxxxxx yFyVyi^yyyiygzpzxz zzzzzzz {!&{#H{ l{ { {{{{{{ { { { | ||1"|3T|1|4|| } } &}4}=}Q} f}q}}}}} }}}~!~ 2~@~W~q~~~~~~ ~~ ';Xk 1 B; D#Pt&ǀ! % AKT\p!Ɂ 6AJ ͂ނ"E$"j*"̓  ( +L^o'Ʉ*C]v  ˅N݅,c?1*Ն D%'j%ڇ(i, +ӈ-&T[` t  ȉ1Ӊ,=Q%n ']5׋ $.SW ^k ʌ ،-LSc{ =(ZҎ"=]!vȏ< -1_>sѐ(=>,|‘ؑ! +:N ft|ǒ֒!%.7<M^ r^~(ݓ:HADBϔH/[$2}DI˜O \n{^`cĜOiB:|7Z`xj٠D8!(ƢJPY^| ʣأ(,P0 /Bbbԥ 7ANP ɦۦJ <IRd (4CHLWS{' 8 BN _j q}  ĩѩ ة  +4CThyϪ *2 K Ua pz  ǫ ܫ  %5M]f   ֬  %2Hb xͭޭ $3<Ka i t Ů ׮  /5 JU ^ i s }ǯ֯ݯ This plugin provides bar for bookmarks. %(cmd)s returned non-zero exit status %(code)i%(n_error)i errors and %(n_warning)i warnings occurred, see log%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd columnAdd new bookmarks to the beginning of the barAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAuthorAuto WrapAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsBack to Original NameBackLinksBackLinks PaneBackendBazaarBookmarksBookmarksBarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearClone rowCode BlockColumn 1CommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?Cu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to delete all bookmarks?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExpand journal page in index when openedExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatFossilGNU _R PlotGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageGrid linesHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationManaging table columnsMap document root to URLMarkMatch _caseMaximum page widthMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove column aheadMove column backwardMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen cell content linkOpen helpOpen in New WindowOpen in New _WindowOpen new pageOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage has un-saved changesPage sectionParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select a row, before you push the button.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionRow downRow upS_ave Version...S_coreSave A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...SectionSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet New NameSet default text editorSet to Current PageShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full Page NameShow full page nameShow helper toolbarShow in the toolbarShow right marginShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTags for non-actionable tasksTaskTask ListTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The inline calculator plugin was not able to evaluate the expression at the cursor.The table must consist of at least on row! No deletion done.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse a custom fontUse a page for eachUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWith this plugin you can embed a 'Table' into the wiki page. Tables will be shown as GTK TreeView widgets. Exporting them to various formats (i.e. HTML/LaTeX) completes the feature set. Word CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Incalendar:week_start:0horizontal linesno grid linesreadonlysecondstranslator-creditsvertical lineswith linesProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-04-28 22:07+0000 Last-Translator: Pastorek Language-Team: Czech MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) Plugin zobrazuje panel se záložkami. Příkaz %(cmd)s vrátil chybový kód %(code)iNastalo %(n_error)i chyb a %(n_warning)i varování, více v logu%A, %d. %B %Y%i přílo_ha%i přílo_hy%i přílo_h%i zpětný odkaz%i zpětné odkazy%i zpětných odkazůpočet objevených chyb: %i, viz log%i soubor bude smazán%i soubory budou smazány%i souborů bude smazáno%i otevřená položka%i otevřené položky%i otevřených položekpočet objevených varování %i, viz logOdsazení položky seznamu ovlivní i podpoložkyDesktopová wikiSoubor jménem "%s" už existuje. Vyberte jiné jméno, nebo soubor přepište.Tabulka musí obsahovat aspoň jeden sloupecPřipojit k nabídkám odtrhávací proužkyPřidat aplikaciPřidat záložkuPřidat sešitPřidat sloupecPřidávat nové záložky na začátek paneluPřidat řádekModul zajišťuje kontrolu překlepů pomocí GtkSpell. Základní modul dodávaný se Zimem. ZarovnáníVšechny souboryVšechny úkolyPovolit veřejný přístupPři otevření stránky umístit kurzor na poslední známou poziciPři vytváření obrázku došlo k chybě. Přejete si zdrojový text přesto uložit?Komentovaný zdroj stránkyAplikaceVýpočtyPřipojit soubor_Připojit souborPřipojit externí souborNejprve připojit obrázekProhlížeč přílohPřílohyAutorAutomatické zalamováníAutomatické odsazováníVerze uložená automaticky zimemPři formátování automaticky vybrat aktuální slovoAutomaticky vytvářet odkazy ze SloženýchSlovAutomaticky vytvářet odkazy z adresářových cestAutomaticky ukládat verze v pravidelných intervalechZpět k původnímu názvuZpětné odkazyPanel zpětných odkazůSystémBazaarZáložkyPanel záložekVlevo dolePanel doleVpravo doleProcházetOdráž_kový seznam_Nastavit_KalendářKalendářNelze upravit stránku %sZrušitSejmout celou obrazovkuNa středZměnit sloupceZměnyZnakyZnaků bez mezer_Kontrola překlepůZašk_rtávací seznamZatržení přepínače změní také jeho podpoložkyKlasická ikona do systémového panelu, ikona v novém pojetí se nehodí pro UbuntuVymazatDuplikovat řádekBlok zdrojového kóduSloupec 1PříkazPříkaz nezmění dataKomentářSpolečné zápatíSpolečné záhlavíKompletní sešitNastavit aplikaceNastavit zásuvný modulNastavit aplikaci pro otevírání odkazů %sNastavit aplikaci pro otevírání souborů typu %sPovažovat všechny přepínače za úlohyKopírovat e-mailovou adresuKopírovat šablonuKopírovat _jako...Kopírovat _odkazKopírovat _umístěníProgram "%s" nenalezen.Nelze najít sešit %sNelze načíst šablonu "%s"Nelze najít soubor nebo složku pro tento sešitNelze načíst kontrolu překlepůNelze otevřít %sVýraz je nesrozumitelnýNelze načíst %sStránku %s nelze uložitVytvořit pro každou poznámku novou stránkuVytvořit složku?_VyjmoutVlastní nástroje_Vlastní nástrojePřizpůsobit...DatumDenvýchozíVýchozí formát pro kopírování textu do schránkyVýchozí sešitProdlevaSmazat stránkuSmazat stránku %s?Odstranit řádekO úroveň nížZávislostiPopisUkázat podrobnostiDia_gram...Odstranit poznámku?Nerušivé psaníDitaaChcete smazat všechny záložky?Přejete si obnovit stránku %(page)s na uloženou verzi %(version)s? Všechny změny od poslední uložené verze budou ztraceny!Kořen dokumentuRo_vniceE_xportovat...Upravit vlastní nástrojUpravit obrázekUpravit odkazUpravit tabulku_Upravit zdrojový kódÚpravyÚpravy souboru %sKurzivaPovolit správu verzí?PovolenoChyba v souboru %(file)s na řádku %(line)i blízko "%(snippet)s"Vyhodnotit _matematiku_Rozbalit všeZobrazit žurnálovací stránku v indexuExportovatExportovat stránky do jednoho souboruExport dokončenExportovat stránky do oddělených souborůProbíhá export sešituNevyřešenyNepodařilo se spustit %sNepodařilo se spustit aplikaci %sSoubor existujeŠablony _souborůSoubor %s se na disku změnilSoubor existujeSoubor %s je chráněn proti zápisuTyp souboru není podporován: %sJméno souboruFiltrNajítNajít _následujícíNajít _předchozíNajít a zaměnitNajít výrazÚkoly s uzávěrkou v pondělí nebo úterý označit před víkendemSložkaSložka již existuje a obsahuje soubory - hrozí, že při exportu budou přepsány. Chcete pokračovat?Adresář %s existujeSložka se šablonami přílohPro pokročilé vyhledávání můžete použít operátory AND, OR a NOT. Více informace v nápovědě._FormátFormátFossilGNU _R PlotZískejte více modulů onlineZískejte více šablon onlineGitGnuplotPřejít na startovní stránkuPřejít o stranu zpětPřejít o stranu vpředPřejít na podřízenou stránkuPřejít na následující stránkuPřejít na nadřazenou stránkuPřejít na předchozí stránkuOhraničeníNadpis 1Nadpis 2Nadpis 3Nadpis 4Nadpis 5Nadpis _1Nadpis _2Nadpis _3Nadpis _4Nadpis _5VýškaV režimu celé obrazovky skrýt hlavní nabídkuV režimu celé obrazovky skrýt ukazatel strukturyV režimu celé obrazovky skrýt stavový řádekV režimu celé obrazovky skrýt nástrojovou lištuZvýraznit aktuální řádekDomovská stránkaIkonaIkony a _textObrázkyImportovat stránkuZahrnout podstránkyRejstříkStránka s indexemZabudovaná kalkulačkaVložit blok zdrojového kóduVložit datum a časVložit diagramVložit DitaaVložit rovniciVložit graf GNU RVložit GnuplotVložit obrázekVložit odkazVložit notový zápisVložit snímek obrazovkyVložit sekvenční diagramVložit symbolVložit tabulkuVložit text ze souboruVložit diagramVložit obrázky jako odkazRozhraníklíčové slovo interwikiDeníkSkočit naSkočit na stránkuZnačky pro označení úlohNaposledy upravenoVložit odkaz na novou stránkuVlevoPanel vlevoHledat jen v aktuální stránce a podstránkáchSetřídit řádkyŘádkůMapa odkazůOdkazovat soubory v kořenové složce dokumentu absolutní cestouOdkaz naUmístěníUkládat záznamy pomocí ZeitgeistSoubor se záznamemPravděpodobně jste narazili na chybuNastavit jako výchozíSpráva sloupců v tabulcePřevést kořen dokumentu na URLZvýraznitRozlišovat _velikostMaximální šířka stranyMercurialZměněnMěsícPřesunout stránku_Přesunout vybraný text...Přesunout text na jinou stránkuPosunout sloupec dopředuPosunout sloupec dozaduPřesunout stránku %sPřesunout text na:NázevK exportu do MHTML je potřeba zadat výstupní souborPro export celého sešitu je potřeba zadat výstupní adresářNový souborNová stránkaNová _podstránkaNová podstránkaNová _přílohaŽádné aplikaceŽádné změny od poslední verzeBez závislostíPro zobrazení tohoto objektu nelze použít žádný zásuvný modulSoubor nebo složka neexistuje: %sSoubor %s neexistujeTakový odkaz na wiki není definován: %sNenainstalovány žádné šablonySešitVlastnosti sešituSešit lze _upravovatSešityOKOtevřít složku s _přílohamiOtevřít složkuOtevřít sešitOtevřít pomocí...Otevřít složku _dokumentuOtevřít _kořenovou složku dokumentuOtevřít složku se _sešitemOtevřít _stránkuOtevřít odkaz v buňceOtevřít nápověduOtevřít v novém okněOtevřít v novém _okněOtevřít novou stránkuOtevřít s „%s“VolitelnéMožnostiMožnosti zásuvného modulu %sDalší...Výstupní souborVýstupní soubor už existuje, použijte parametr "--overwrite" k přepsáníVýstupní složkaVýstupní adresář už existuje a není prázdný, použijte parametr "--overwrite" k přepsáníPro výstup z exportu je nutné zadat umístěníVýstupem se přepíše aktuální výběrPřepsatUkazatel strukturyStránkaStránka "%s"a všechny její podstránky a přílohy budou smazányStránka %s nemá složku pro přílohyNázev stránkyŠablona stránkyStránka obsahuje neuložené změny.Sekce stránkyOdstavecVložte prosím k této verzi komentářPamatujte na to, že pokud odkážete na stránku, která dosud neexistuje, bude automaticky vytvořena.Vyberte prosím název a složku pro sešit.Vyberte prosím nejprve řádek.Vyberte nejprve aspoň jeden řádek textu.Vyberte prosím sešitZásuvný modulK zobrazení objektu je vyžadován plugin %sModulyPortPozice uvnitř okna_NastaveníNastaveníZobrazit v prohlížečiProfilO úroveň výšV_lastnostiVlastnostiZaznamenává události pomocí démonu ZeitgeistRychlá poznámkaRychlá poznámka...Nedávné změnyNedávné změny...Nedávno změněné stránkyPřeformátovat wiki značky za běhuOdstranitOdstranit všeOdstranit sloupecOdstranit odkazy z %i stránky, které sem odkazujeOdstranit odkazy z %i stránek, které sem odkazujíOdstranit odkazy z %i stránek, které sem odkazujíOdstranit odkazy při mazání stránekOdstranit řádekOdstranit odkazyPřejmenovat stránkuPřejmenovat stránku %sOpakované klepnutí na přepínač mění jeho stavyNahradit _všeNahradit výrazemObnovit stránku na uloženou verzi?RevVpravoPanel vpravoPozice pravého okrajeO řádek nížO řádek výšUložit v_erzi..._ScoreUložit _kopiiUložit kopiiUložit verziUložit záložkyVerze uložená zimemSkóreBarva pozadí obrazovkyPříkaz pro snímek obrazovkyHledatHledat stránkyHledat _zpětné odkazySekceVybrat souborVybrat složkuVyberte obrázekVyberte verzi, abyste mohli srovnat rozdíly mezi touto verzí a aktuální verzí. Nebo vyberte více verzí a uvidíte rozdíly mezi nimi. Vyberte exportovaný formátVyberte výstupní soubor nebo adresářVyberte stránky k exportuVybrat okno nebo oblastVýběrSekvenční diagramServer neběžíServer spuštěnServer zastavenNastavit nový názevNastavit výchozí textový editorNastavit na aktuální stránkuZobrazit všechny panelyUkázat přiřazený prohlížečZobrazit čísla řádkůZobrazit mapu odkazůZobrazit postranní panelyObsah stránky jako plovoucí prvek místo v bočním paneluZobrazit _změnyPro každý sešit zobrazit samostatnou ikonuZobrazit kalendářZobrazit kalendář v bočním panelu místo dialogového oknaZobrazit celý název stránkyZobrazit celý název stránkyZobrazit pomocný panelZobrazit v nástrojové lištěZobrazit pravý okrajZobrazit kurzor také na stránkách, které nelze upravovat.V souhrnném obsahu zobrazit název stránkyJednu _stránkuVelikostChytrá klávesa HomePři běhu %s došlo k chyběSeřadit abecedněSeřadit stránky podle štítkůZobrazit zdrojKontrola překlepůSpustit _webový serverProškrtnutéTučněSy_mbolSyntaxeVýchozí nastavení systémuŠířka tabulátoruTabulkaEditor tabulekObsah stránkyŠtítkyŠtítky pro nesplnitelné úkolyÚkolSeznam úkolůŠablonaŠablonyTextTextové souboryText ze _souboruBarva pozadí textuBarva textuSoubor nebo složka, kterou jste zadali, neexistuje. Ověřte prosím, že je cesta správná.Složka %s neexistuje. Má se vytvořit?Složka "%s" zatím neexistuje. Chcete ji nyní vytvořit?Zabudovaná kalkulačka nedokázala vyhodnotit výraz na pozici kurzoru.Tabulka musí obsahovat aspoň jeden řádek. Nic nebylo smazáno.Od poslední uložené verze nevznikly v sešitě žádné změny.To může znamenat, že nemáte nainstalované odpovídající slovníkyTento soubor už existuje. Chcete jej přepsat?Stránka nemá složku s přílohamiTento modul umožní vytvořit snímek obrazovky a vložit jej přímo do stránky. Jde o základní modul dodávaný se Zimem. Modul přidává dialogové okno zobrazující všechny otevřené úkoly v sešitu. Otevřené úkoly jsou buď nezatržené přepínače nebo položky označené slovy jako TODO nebo FIXME. Základní modul dodávaný se zimem. Tento modul přidává dialog, pomocí něhož můžete do stránky rychle přidat nějaký text nebo obsah schránky. Je to základní modul dodávaný se Zimem. Modul zajišťuje ikonu v systémové oblasti. Závisí na Gtk+ verze 2.10 nebo novější. Základní modul dodávaný se zimem. Modul zobrazuje widget se seznamem stránek, které odkazují na aktuální stránku. Základní modul dodávaný se Zimem. Modul zobrazuje osnovu na aktuální stránce osnovu z nadpisů (obsah). Tento modul přidává nastavení, která ze Zimu vytvoří nerušivý editor. Modul přidává dialog 'Vložit symbol' a umožňuje automaticky formátovat typografické znaky. Základní modul dodávaný se Zimem. Modul přidává sešitům možnost správy verzí. Podporuje systémy Bazaar, Git a Mercurial. Základní modul dodávaný se Zimem. Tento modul umožňuje vkládat do stránek bloky zdrojového kódu. Budou zobrazeny se zvýrazněním syntaxe, číslováním řádek apod. Tento modul umožňuje zahrnout do zimu aritmetické výpočty. Je založen na výpočetním modulu z http://pp.com.mx/python/arithmetic. Tento modul vám umožní rychle vyhodnotit jednoduché matematické výrazy. Jde o základní modul dodávaný se Zimem. Modul poskytuje editor diagramů založených na Ditaa. Základní modul dodávaný se Zimem. Modul poskytuje editor diagramů založený na GraphViz. Základní modul dodávaný se Zimem. Modul zobrazuje okno se strukturou sešitu. Můžete ho použít jako myšlenkovou mapu - zobrazuje vztahy mezi stránkami. Základní modul dodávaný se Zimem. Modul poskytuje seznam stránek filtrovaný na základě vybraných štítků. Tento modul nabízí editor diagramů, schémat a grafů v GNU R. Modul poskytuje editor pro grafy založené na Gnuplotu. Tento modul poskytuje editor sekvenčních diagramů založený na seqdiag. Díky němu je snadné tyto diagramy upravovat. Tento modul poskytuje dočasné řešení pro tisk, jehož podpora v Zimu chybí. Exportuje stránku do HTML a spustí webový prohlížeč, v němž ji pak lze snadno vytisknout. Tohle je základní modul dodávaný se Zimem. Modul poskytuje editor rovnic založený na LaTeX. Základní modul dodávaný se Zimem. Modul poskytuje editor pro vytváření notových zápisů (založený na GNU Lilypond). Základní modul dodávaný se Zimem. Tento plugin zobrazuje složku s přílohami současné stránky jako ikonu na dolním panelu. Modul seřadí označené řádky podle abecedy. Pokud je seznam už setříděný, pořadí se obrátí. Tento modul upraví jednu sekci v sešitu na deník s jednou stránkou na den, týden nebo měsíc. Také přidává kalendář pro přístup k těmto stránkám. Obvykle to znamená, že soubor obsahuje neplatné znakyNadpisMůžete uložit kopii stránky, nebo všechny změny zahodit. Pokud uložíte kopii, změny budou sice také zahozeny, ale kopii můžete později obnovit.K vytvoření nového sešitu musíte vybrat prázdnou složku. Samozřejmě můžete vybrat také složku existujícího sešitu. Obsah_DnešekDnesZatrhnout přepínač kladněZatrhnout přepínač záporněPřepnout: sešit lze upravovatVlevo nahořePanel nahořeVpravo nahořeIkona v systémové oblastiNázvy stránek jako štítky v úkolechTypSmazat odsazení při stisku Backspace (pokud to nefunguje, použijte Shift-Tab)NeznáméNeurčenoBeze štítkuAktualizovat %i stránku, která sem odkazujeAktualizovat %i stránky, které sem odkazujíAktualizovat %i stránek, které sem odkazujíAktualizovat indexAktualizovat záhlaví stránkyProbíhá aktualizace odkazůProbíhá aktualizace indexuPoužít vlastní písmoPoužít pro každý stránkuPomocí klávesy Enter můžete přejít na cíl odkazu (pokud to nefunguje, použijte Alt-Enter).StrojopisSpráva verzíSpráva verzí není pro tento sešit aktuálně povolena. Chcete ji povolit?VerzeHorní okrajZobrazit _komentovanéZobrazit _záznamWebový serverTýdenPokud budete hlásit chybu, přiložte, prosím, níže uvedené informace_Celá slovaŠířkaWiki stránka: %sPomocí tohoto pluginu můžete do stránky vložit tabulku. Tabulky se zobrazují jako GTK prvky TreeView. Mezi jejich možnosti patří také export do různých formátů (např. HTML/LaTeX). Počet slovPočet slov...SlovRokVčeraUpravujete soubor v externí aplikaci. Až budete hotovi, můžete tohle okno zavřít.Můžete si nastavit vlastní programy, zobrazí se v nabídce Nástroje, v nástrojové liště a v kontextové nabídce.Zim Desktop WikiZ_menšit_O programuVšechny _panely_Výpočty_Zpět_Procházet_Chyby_KalendářO úroveň _níž_Vymazat formátování_ZavřítS_balit vše_Obsah_Kopírovat_Kopírovat sem_Datum a čas_Smazat_Smazat stránku_Zahodit změnyÚ_pravy_Upravit Ditaa_Upravit rovnici_Upravit graf GNU R_Upravit Gnuplot_Upravit odkaz_Upravit odkaz nebo objekt_Upravit vlastnosti_Upravit notový zápis_Upravit sekvenční diagramUpravit dia_gram_KurzivaČasté _otázky_SouborN_ajít..._Vpřed_Celoobrazovkový režim_Přejít_Nápověda_Zvýraznění_Historie_DomůPouze ik_ony_Obrázek..._Importovat stránku_VložitSkočit na..._Klávesové zkratky_Velké ikony_Odkaz_Odkaz na datum_OdkazO_značit_Více_Přesunout_Přesunout sem_Přesunout stránku..._Nová stránka_Další_Následující v indexuŽá_dný_Normální velikostČís_lovaný seznam_Otevřít_Otevřít jiný sešit_Další..._Stránku_Hierarchie stránekO úroveň _výšV_ložit_Náhled_PředchozíPře_dchozí v indexu_Zobrazit v prohlížeči_Rychlá poznámka...U_končit_Nedávné stránkyZrušit v_rácení_Regulární výrazZ_novu načístOdst_ranit odkazPře_jmenovat stránku...._NahraditNah_radit..._Původní velikostO_bnovit verzi_UložitUložit _kopii_Snímek obrazovky..._Hledat_Hledat...Odesla_t..._Postranní panely_Jedna ku jedné_Malé ikony_Setřídit řádky_Stavový řádekProškr_tnout_Tučně_Dolní index_Horní indexŠa_blonyPouze t_extD_robné ikony_Dnes_Nástrojová lištaNás_trojeV_rátitStro_jopis_Verze..._ZobrazitZ_většitcalendar:week_start:1vodorovné ohraničeníbez ohraničeníjen ke čtenísekundLaunchpad Contributions: 1.John@seznam.cz https://launchpad.net/~neozvuck Jakub Kozisek https://launchpad.net/~kozisek-j Konki https://launchpad.net/~pavel-konkol Pastorek https://launchpad.net/~tillf Radek Tříška https://launchpad.net/~radek-fastlinux Tomas Sara https://launchpad.net/~tomas-sara Vlastimil Ott https://launchpad.net/~vlastimil Vlastimil Ott https://launchpad.net/~vlastimil-e-ott aloisam https://launchpad.net/~a-musilsvislé ohraničenís ohraničenímzim-0.68-rc1/locale/es/0000755000175000017500000000000013224751170014451 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/es/LC_MESSAGES/0000755000175000017500000000000013224751170016236 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/es/LC_MESSAGES/zim.mo0000644000175000017500000014024413224750472017403 0ustar jaapjaap00000000000000(,(.*)?Y) )) ))0*2*;*V*4t** **i**2+!]++ + + +-++V+A, G, Q,[,3o,Y,, - - +- 7-D-Y-l- -- --$-?-/.(@.i.%.,.. ..// / !/ -/ 9/F/ M/ Z/ e/o/x////// ///0-0<>0{0 0 00000000 1"1+313_1 11 1 1 1112623S22222223-3 23 ?3 M3Z3_3c30k333 33 33 3 33 4 44$74~\4 4 4 44 5 5 $5 /5<5D5U5^5v55~55 5(55!5!6#26V6i6p66 666 6667#7*7 /7:7I7 Z76d77v78*+8cV88888889 99,9=9M9_9 s9 ~9 9 9 9 9 9 9 9 9 999:!.:P:p: :::: ::: ::::; #;0;@;R; a; n; z;; ; ;;;; ;; << <(< =<K<b<g<.v< <<<2<<<=='=B=[=r== === === ===>> ,>9> >>*_>>>> >>>>>.?=?X?i?z????? ??? @ @ @'@=@Q@ g@r@ @@@ @@@@@@A A9'A aAIoA!A'A B BBCB0_B B BBBB B B'CV.C3C0C0CD5D-F>OF F FFFFFFFGGGG /G 9GFGUGlGrGGGGGGG G G G HH HHH II$I7IFI UIbIzIIII II2I J&&J MJ.[JJJJJJJ5K&jQk Wkck6zk+k4kl+l0GlIxll llll*]m,mmmmm/m +nk8nnnnnKna5oo o oooo p!p4p;p ApNp,cpDp:p6q$Gq0lq:qq qqrr %r0rKrZrsr |r r r r$rrrrrsss>sSs:csSss st t!t)t FtQtptttt6t? u1Iu{uuuu u(u$v&%v<Lv+vv!vv!w&#wJw[wcwwwwww6wwxx,x AxOx Xx exrx {xxx"xxpy y y y y y yyyyzz Gzzz8zz/z{+2{^{{{{&{{{/{|#0| T|u|||||| |G|'}/}}-}{}q~ z~$~#~~~ ~~~'AWp          6=F8>'- =GXlsЁ"3CUe҂ .J` 7ڃK S _#j1$6#=az  ̅ /&DV Ɇۆ% /<@"}҇"5GZb } Lj' ) COjɉ҉ۉUje'. <J`:h;ߋ $"G`t1}iC:]:!Ӎ 7 8DK c q~ &  %$Fk tr. 5CVhAӐ.4 Q \h zБ /6Ld |Œ%])&ԓ 0CU&j'ʔ %TC-וA","Or#.Ė*8 Wck$ŗ $ -:C^sy $Ϙ՘-  (.@Xq^8ߙ;TSYFJF?08bSٟOdѡ`6J4Må R?F.Cuwb1pJAE #1Ojy =E <H XPe-ɯ $!Fe'^T# x ±Zɱ$5;L\r{ay  ó ˳ճ ޳ % -;LTdw˴ڴ 5 FPf o z  εٵ )1EMU[ bo Ͷݶ  "08Pgx ˷ #,?W _ jw ˸ Ӹ ݸ %* A OY bpu~ ӹ߹ e  This plugin provides bar for bookmarks. %(cmd)s returned non-zero exit status %(code)i%(n_error)i errors and %(n_warning)i warnings occurred, see log%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i of %i%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd columnAdd new bookmarks to the beginning of the barAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAuthorAuto WrapAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave interval in minutesAutosave version on regular intervalsAutosave version when the notebook is closedBack to Original NameBackLinksBackLinks PaneBackendBazaarBookmarksBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearClone rowCode BlockColumn 1CommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?Cu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDo you want to delete all bookmarks?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExpand journal page in index when openedExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageGrid linesHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationManaging table columnsMap document root to URLMarkMatch _caseMaximum page widthMenubarMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove column backwardMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such page: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen cell content linkOpen helpOpen in New WindowOpen in New _WindowOpen new pageOpen plugins folderOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage already exists: %sPage has un-saved changesPage not allowed: %sPage sectionParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select a row, before you push the button.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionRow downRow upS_ave Version...S_coreSave A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...Search this sectionSectionSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet New NameSet default text editorSet to Current PageShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full Page NameShow full page nameShow helper toolbarShow in the toolbarShow right marginShow tasklist in sidepaneShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTags for non-actionable tasksTaskTask ListTasksTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The following parameters will be substituted in the command when it is executed: %f the page source as a temporary file %d the attachment directory of the current page %s the real page source file (if any) %p the page name %n the notebook location (file or folder) %D the document root (if any) %t the selected text or word under cursor %T the selected text including wiki formatting The inline calculator plugin was not able to evaluate the expression at the cursor.The table must consist of at least on row! No deletion done.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis page name cannot be used due to technical limitations of the storageThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse %s to switch to the side paneUse a custom fontUse a page for eachUse date from journal pagesUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWord CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Inas due date for tasksas start date for taskscalendar:week_start:0do not usehorizontal linesno grid linesreadonlysecondstranslator-creditsvertical lineswith linesProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-12-29 22:55+0000 Last-Translator: korilu Language-Team: Spanish MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n != 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) Este complemento provee una barra para favoritos. %(cmd)s retornó un status de salida diferente a cero %(code)iHan ocurrido %(n_error)i errores y %(n_warning)i advertencias, revise el registro%A %d %B %Y%i_Adjunto%i_Adjuntos%i _Enlace hacia atrás...%i _Enlaces hacia atrás...Han ocurrido %i errores, revise el registro%i archivo será borrado%i archivos serán borrados%i de %i%i artículo abierto%i artículos abiertosHan ocurrido %i advertencias, revise el registro(Des-)Indentando un artículo de una lista también cambia sub-artículosUna wiki de escritorioUn archivo con el nombre "%s" ya existe. Puede usar otro nombre o sobreescribir el archivo existente.Una tabla debe tener al menos una columna.Adicionar banda de liberación a los menúesAñadir aplicaciónAñadir marcadorAñadir cuadernoAñadir columnaAñadir nuevos marcadores al inicio de la barraAñadir filaAdiciona corrección ortográfica usando gtkspell. Esta es una extensión principal suministrada con zim. AlinearTodos los ArchivosTodas las tareasPermitir acceso públicoUtilizar siempre la última posición del cursor cuando se abre una páginaOcurrió un error mientras se generaba la imagen. ¿Desea guardar el texto fuente de todos modos?Fuente anotada de la páginaAplicacionesAritméticaAdjuntar ArchivoAdjuntar _ArchivoAdjuntar archivo externoAdjuntar imagen primeroAdjuntar NavegadorAnexosAutorAuto AjustarSangría automáticaVersión guardada automáticamente desde zimSeleccionar automáticamente la palabra actual al aplicar un formatoConvertir automáticamente palabras "CamelCase" en enlacesConvertir automáticamente rutas de archivo en enlacesIntervalo de autoguardado en minutosAuto-guardar una versión a intervalos regularesAutoguardar versión cuando el cuaderno de notas se cierreRegresar al nombre originalBackLinksPanel BacklinksAdministraciónBazaarMarcadoresEsquina inferior izquierdaPanel inferiorEsquina inferior derechaExaminarLista Bulle_t_Configurar_CalendarioCalendarioNo se puede modificar la página: %sCancelarCapturar pantalla completaCentradoCambiar columnasCambiosLetrasCaracteres excluyendo espaciosRevisar _ortografíaLista Checkbo_xActivar una marca de cotejo también cambia sub-artículosBandeja del sistema clásica, no usar el nuevo estilo de ícono de estado en UbuntuVaciarClonar filaBloque de códigoColumna 1ComandoEl comando no modifica datosComentarioIncluir pié de página comúnIncluir cabecera comúnCuaderno de _notas completoConfigurar aplicacionesConfigurar extensiónConfigurar una aplicación para abrir los enlaces "%s"Configurar una aplicación para abrir los archivos de tipo "%s"Considerar todas las marcas de cotejo como tareasCopiar dirección de correo-eCopiar PlantillaCopiar _como…Copiar en_laceCopiar _lugarNo se puede encontrar el ejecutable "%s"No se pudo encontrar el cuaderno: %sNo se pudo encontrar la plantilla "%s"No se pudo encontrar el archivo o carpeta para este cuadernoNo se pudo cargar el corrector ortográficoNo se puede abrir: %sNo se pudo analizar la expresiónNo se pudo leer: %sNo se pudo guardar la página: %sCrear una página nueva para cada nota¿Crear carpeta?Cor_tarHerramientas personalizadasHerramien_tas personalizadasPersonalizar…FechaDíaPredeterminadoFormato predeterminado para copiar texto a la papeleraCuaderno predeterminadoRetardoBorrar páginaBorrar página "%s"?Eliminar filaInferiorDependenciasDescripciónDetallesDia_grama...¿Desea borrar la nota?Edición sin distraccionesDesea borrar todos los marcadores?¿Desea restaurar la página: %(page)s a su versión guardada: %(version)s ? ¡Todos los cambios hechos desde la versión guardada se perderán!Documento raízE_cuaciónE_xportar...Editar herramienta personalizadaEditar imagenEditar enlaceEditar tablaEditar _CódigoEditandoEditando el archivo. %sÉnfasis¿Activar control de versiones?HabilitadoError en %(file)s en la línea %(line)i cerca de "%(snippet)s"Evaluar _matemáticaExpandir _todoExpandir página del diario en el índice cuando se abreExportarExportar todas las páginas a un único archivoExportación completaExportar cada página a un archivo separadoExportando cuaderno de notasFallóNo se pudo ejecutar %sNo se pudo ejecutar la aplicación: %sEl archivo ya existePlantilla de _Archivo%s de los archivos del disco han sido cambiadosEl archivo ya existeEl Archivo no se puede escribir: %sTipo de archivo no soportado: %sNombre del archivoFiltrarBuscarBuscar _siguienteBuscar _anteriorEncontrar y reemplazarEcontrar quéLas tareas marcadas vencen el lunes o el martes antes del fin de semanaCarpetaLa carpeta existe y no está vacía, si exporta a esta carpeta puede sobreescribirse el contenido de la misma. ¿Desea continuar?La carpeta existe: %sCarpeta con plantillas para archivos adjuntosPara búsquedas avanzadas puede user operadores como «AND», «OR» y «NOT». Vea la página de ayuda para más detalles._FormatoDar formatoObtener más extensiones en InternetObtener más plantillas de InternetGitGnuplotIr al inicioIr a página anteriorIr a página siguienteIr a página hijaIr a la página siguienteIr a la página padreIr a la página anteriorLineas de grillaEncabezado 1Encabezado 2Encabezado 3Encabezado 4Encabezado 5Encabezado _1Encabezado _2Encabezado _3Encabezado _4Encabezado _5AlturaEsconder la barra de menu en el modo pantalla completaEsconder la barra de direcciones en el modo pantalla completaEsconder la barra de status en el modo pantalla completaEsconder la barra de herramientas en el modo pantalla completaResaltar la línea actualPágina personalIconoIconos _y TextoImágenesImportar páginaIncluir subpáginasIndiceÍndice de páginasCalculadora en líneaInsertar bloque de códigoIntroduzca fecha y horaInsertar diagramaInsertar DiagramaInsertar ecuaciónInsertar gráfico de GNU RInsertar GnuplotInsertar imagenInserta un enlaceAgregar puntajeInsertar captura de pantallaInsertar símboloInsertar tablaInsertar Texto desde ArchivoInsertar diagramaInsertar imágenes como enlacesInterfazTeclado InterwikiDiarioSaltar aSaltar a páginaEtiquetas que marcan tareasÚltima ModificaciónDejar enlace a la página nuevaIzquierdaPanel lateral izquierdoLimitar búsqueda a la página actual y sus subpáginasOrdenador de líneasLíneasMapa de EnlacesEnlace los ficheros del directorio raíz de documentos con su ruta completaEnlazar conUbicaciónRegistrar los eventos con ZeitgeistArchivo de registroParece que encontró un errorHacer esta aplicación la aplicación por defectoGestionar columnas de la tablaMapear la raíz del documento al URLMarcarCoincidir mayúsculas y minúsculasAncho de página máximoBarra de menúMercurialModificadoMesMover páginaMover texto seleccionado…Mover texto a otra páginaMover columna adelanteMover página "%s"Mover texto aNombreNecesitas archivo de salida para exportar MHTMLNecesitas carpeta de salida para exportar completo el block de notasArchivo nuevoPágina nuevaNueva s_ubpáginaSub página nuevaNuevo _AdjuntoNo se encontraron aplicacionesSin cambios desde la última versiónSin dependenciasNinguna extensión esta disponible para mostrar este objeto.No existe el archivo o carpeta: %sNo existe el archivo: %sNo existe la página: %sEl wiki no está definido: %sNo hay ninguna plantilla instaladaCuadernoPropiedades del CuadernoCuaderno EditableCuadernos de notasAceptarAbrir _Carpeta de AdjuntosAbrir carpetaAbrir cuadernoAbrir Con...Abrir la Carpeta del _DocumentoAbrir Raíz de _DocumentosAbrir un directorio de libreta de notasAbrir _páginaAbrir el enlace del contenido de la celdaAbrir ayudaAbrir en una nueva ventanaAbrir en una _ventana nuevaAbrir una página nuevaAbrir la carpeta de pluginsAbrir con "%s"OpcionalOpcionesOpciones para la extensión %sOtro...Archivo de salidaExiste el archivo de salida, especifique "--overwrite" para obligar a la exportaciónDirectorio de salidaLa carpeta de salida existe y no está vacía, especifique "--overwrite" para forzar la exportación.Se requiere la ubicación para exportarLa salida debe reemplazar la selección actualSobreescribirB_arra de direccionesPáginaLa página «%s» y todas sus sub-páginas serán borradasLa página "%s" no tiene una carpeta para archivos adjuntosNombre de la páginaPlantilla de páginaLa página ya existe: %sLa página tiene cambios sin guardarPágina no permitida: %sSección de páginaPárrafoPor favor, entre un comentario para esta versiónPor favor, note que enlazando a una página inexistente también crea una nueva página automáticamente.Por favor, seleccione un nombre y carpeta para el cuaderno de notasPor favor, seleccione una fila, antes de pulsar el botón.Por favor, seleccione más de una línea de texto primero.Por favor especifique un cuadernoExtensiónLa extensión %s es requerida para mostrar este objeto.ExtensionesPuertoPosición en la ventanaPr_eferenciasPreferenciasImprimir al NavegadorPerfilSuperiorP_ropiedadesPropiedadesEnvía los eventos al daemon ZeitgeistNota rápidaNota rápida...Cambios recientesCambios RecientesPáginas Cambiadas RecientementeReformatear marcado de wiki al vueloEliminarEliminar TodoEliminar columnaEliminar enlaces de %i página enlazando a está páginaEliminar enlaces de %i páginas enlazando a está páginaEliminar enlaces cuando se borren las páginasEliminar filaEliminando enlacesRenombrar PáginaRenombrar página "%s"Hacer click varias veces en una casilla alterna entre sus estadosReemplazar _TodosReemplazar con¿Restaurar la página a su versión guardada?Rev.DerechaPanel lateral derechoPosición del margen derechoFila abajoFila arribaGu_ardar versión_PuntuaciónGuardad una c_opiaGuardar una copiaGuardar versiónGuardar marcadoresVersión guardada desde zimPuntuacióncolor de fondo de pantallaComando captura de pantallaBuscarBuscar en Páginas...Lo que _enlaza aquí...Buscar en esta secciónSecciónSeleccione el archivoSeleccione la carpetaSeleccionar ImagenSeleccione una versión para ver los cambios entre esa versión y el estado actual. O seleccione multiples versiones para ver los cambios entre ellas. Seleccione el formato de exportaciónSeleccione el archivo o carpeta de salidaSeleccione la(s) página(s) a exportarSeleccionar ventana o regiónSelecciónDiagrama de secuenciasEl servidor no ha arrancadoServidor arrancadoServidor detenidoDefinir nuevo nombreEstablecer editor de texto por defectoEstablecer a la página actualMostrar todos los panelesMostrar el explorador de datos adjuntosMostrar números de líneaMostrar Mapa de EnlacesMostrar los paneles lateralesMostrar Tabla_de_Contenido como un espacio a parte en lugar de en el panel principalMostrar _cambiosMostrar un ícono separado para cada cuadernoMostrar calendarioMostrar el calendario en el panel lateral en vez de como diálogoMostrar nombre de página completoMostrar nombre de página completoMostrar barra de ayudaMostrar en la barra de herramientasMostrar margen derechoMostrar la lista de tareas en el panel lateralMostrar el cursor en páginas no editablesMostrar el título de la página en dirección en el ToCUna páginaTamañoTecla de inicio inteligenteOcurrió un error al ejecutar «%s»Ordenar alfabéticamenteOrdenar páginas por etiquetasVer fuenteCorrector ortográficoArrancar _Servidor WebTacharNegritasSí_mbolo...SintaxisPredeterminado del sistemaAncho de la pestañaTablaEditor de tablasÍndice de contenidosEtiquetasEtiquetas para tareas no accionablesTareaLista de tareasEtiqueta de la pestaña para el panel lateralPlantillaPlantillasTextoArchivos de TextoTexto Desde _Archivo...Color del texto de fondocolor de textoEl archivo o carpeta que especificó no existe. Por favor chequee si el camino es el correcto.El directorio %s no existe aún. ¿Quiere crearlo ahora?El directorio "%s" no existe ¿Desea crear uno nuevo ahora?Los siguientes parámetros serán reemplazados al ejecutar el comando: %f el origen de la página como un archivo temporal %d el directorio de datos adjuntos de la página actual %s el origen real del archivo (si existe) %p el nombre de la página %n la ubicación del cuaderno de notas (archivo o carpeta) %D el documento raíz (si existe) %t el texto seleccionado o la palabra bajo el cursor %T el texto seleccionado incluyendo el formateado wiki El complemento de calculadora en línea no pudo evaluar la expresión en el cursor.¡La table debe contener al menos una columna! No se ha borrado nada.No hay cambios en esta libreta de notas desde la última vez que se guardoEsto puede significar que no tiene el diccionario apropiado instalado.Este archivo ya existe. ¿Quiere sobrescribirlo?Esta página no tiene una carpeta para archivos adjuntosEste nombre de página no puede ser utilizado debido a una limitación técnica del almacenamientoEste complemento permite tomar una captura de pantalla e insertarla directamente en una página de Zim. Este es un complemento incluido en la base de Zim. Este complemento añade un diálogo que muestra todas las tareas pendientes de este cuaderno, sean cajas sin marcar o listas marcadas con las etiquetas "TODO" o "FIXME". Este es un complemento principal que se suministra con zim. Esta extensión adiciona una caja de diálogo para lanzar unas rápidamente un texto o el contenido del portapapeles dentro de página. Esta es una extensión principal suministrada con zim. Este complemento añade un icono en la bandeja del sistema para acceso rápido. Depende de: gtk versión 2.10 o mayor. Este es un complemento principal que se suministra con zim Este plugin agrega un widget extra que muestra una lista de páginas enlazadas a la página actual. Es un plugin propio de zim. Esta extensión añade un espacio extra que muestra una tabla de contenidos para la página actual. Este plugin agrega configuraciones que ayudan a usar zim como un editor libre de distracciones. Esta extensión adiciona el diálogo "Insertar símbolo" y permite el formateado automático de caracteres tipográficos. Esta es una extensión principal suministrada con zim. Esta extensión añade control de versiones para las notas. Soporta los siguientes sistemas: Bazaar, Git y Mercurial. Es una extensión integrada e incluida por defecto en Zim. Este complemente permite insertar 'Bloques de código' en la página. Estos serán mostrados como widgets incrustados con resaltado de sintaxis, números de linea, etc. Este plugin le permite insertar cálculos aritméticos en Zim. Está basado en el módulo aritmético de http://pp.com.mx/python/arithmetic Este complemento le permite evaluar rápidamente expresiones matemáticas simples en Zim. Este es un complemento incluido en la base de Zim. Esta extensión proporciona un editor de diagramas para Zim basado en Ditaa. Esta extensión provee un editor de diagramas basado en GraphViz. Esta es una extensión principal que se suministra con zim. Esta extensión provee un diálogo con una representación gráfica de la estructura de enlaces del cuaderno. Puede ser usada como especie de mapa mental que muestra como las páginas se relacionan entre sí. Esta es una extensión principal suministrada con zim. Este plugin ofrece un índice filtrado seleccionado de las etiquetas en una nube. Esta extensión provee un editor de gráficos basado en GNU R. Este plugin proporciona un editor gráfico de zim basado en Gnuplot. Esta extensión provee una solución alternativa para la falta de soporte de impresión en zim. La página actual se exporta a HTML y se abre en un navegador. Asumiendo que el navegador tienen soporte para impresión esto lleva sus datos a la impresora en dos pasos. Esta es una extensión principal suministrada con zim. Esta extensión provee un editor de ecuaciones basdo en LaTeX. Esta es una extensión principal suministrada con zim. Este plugin provee a zim un editor de puntaje basado en GNU Lilypond. Este plugin viene con zim. Este complemento muestra la carpeta de adjuntos de la página actual como vista de ícono en el panel inferior. Este plugin ordena alfabéticamente las líneas seleccionadas . Si la lista ya está ordenada invierte el orden (AZ para ZA). Este complemento convierte una sección del cuaderno de notas en un diario con una página por día, semana o mes. Además agrega un widget de calendario. para acceder a estas páginas. Esto generalmente significa que el archivo contiene caracteres no válidosTítuloPara continuar puede guardar una copia de esta página o descartar los cambios. Si guarda una copia también se descartarán los cambios, pero podrá restaurarla más adelante.Para crear un nuevo cuaderno de notas tiene que seleccionar una carpeta vacía. Por supuesto, también puede seleccionar la carpeta de un cuaderno de notas existente. Tabla_de_Contenido_HoyHoyAlternar marca de cotejoAlternar cruzMarcar cuaderno como editableEsquina superior izquierdaPanel superiorEsquina superior derechaIcono del área de notificaciónConvertir el nombre de la página a etiquetas para las tareasTipoDesindentar con (Si no se activa, puede usar )DesconocidaSin especificarSin EtiquetaActualizar %i página enlazando a éstaActualizar %i páginas enlazando a éstaActualizar índiceActualizar el encabezamiento de ésta páginaActualizando enlacesActualizando índiceUse %s para cambiar al panel lateralUsar tipografía personalizadaUsar una página por cadaUsar la fecha de las páginas de diarioUse la tecla para seguir enlaces (si está deshabilitado aún puede usar )LiteralControl de versionesEl control de versiones no se ha habilitado para este cuaderno. ¿Desea habilitarlo?VersionesMargen verticalVer con _AnotacionesVer _registroServidor webSemanaCuando reporte este error por favor incluya la información en el recuadro de texto debajoToda la _palabraAnchoPágina Wiki: %sContar palabrasConteo de palabras...PalabrasAñoAyerEstá editando el archivo en una aplicación externa. Puede cerrar este dialogo cuando este listoPuede configurar herramientas personalizadas que aparecerán en el menú de herramientas y en la barra de herramientas o los menús contextuales.Zim Wiki de escritorioAl_ejarAcerca _de_Todos los paneles_AritméticoA_trás_Examinar_Errores_Calendario_Hija_Limpiar formatos_Cerrar_Contraer todo_Contenidos_Copiar_Copiar aquí_Fecha y hora..._Borrar_Borrar Página_Descartar Cambios_EditarEditar diagrama_Editar ecuación_Editar gráfico de GNU R_Editar Gnuplot_Editar enlace_Editar Enlace u Objeto..._Editar Propiedades_Edit Puntaje_Editar diagrama de secuencia_Editar diagrama_ÉnfasisPreguntas _frecuentes_Archivo_Buscar…A_delante_Pantalla completaI_rAy_udaResaltado_Historial_Inicio_Sólo íconos_Imagen…_Importar página..._InsertarSa_ltar a..._Atajos de tecladoÍconos _GrandesEn_laceEn_lazar a la fecha_Enlace_Marcar_Más_Mover_Mover aquí_Mover página..._Nueva página_Siguiente_Siguiente en el índice_NingunoTamaño _normalLista _numerada_Abrir_Abrir otro cuaderno de notas_Otro…_Página_Padre_Pegar_Vista previa_Previo_Anterior en el índiceImprimir al na_vegadorNota _rápida..._SalirPáginas _recientes_RehacerExpresión _regular_Recargar_Eliminar enlace_Renombrar página..._Reemplazar_Reemplazar…_Restaurar Tamaño_Restaurar versión_GuardarGuardar una _copia_Captura de pantalla…_Buscar_Buscar..._Enviar a…_paneles lateralesLado a ladoÍconos _Pequeños_Ordenar líneasBarra de _estado_TacharNegrita_sSu_bíndiceSu_períndice_PlantillasSólo _TextoÍconos _minúsculos_Hoy_Barra de herramientas_Herramientas_Deshacer_Literal_Versiones..._Ver_Ampliarcomo fecha de fin de las tareascomo fecha de inicio de tareascalendar:week_start:1no utilizarlíneas horizontalessin lineas de grillasólo lecturasegundosLaunchpad Contributions: Adolfo Jayme https://launchpad.net/~fitojb Alberto Guerra Linares https://launchpad.net/~bebetoguerra Antonio Maldonado https://launchpad.net/~a.m. Carlos Albornoz https://launchpad.net/~caralbornozc Charles Edward Bedón Cortázar https://launchpad.net/~charles-bedon David https://launchpad.net/~davpaez DiegoJ https://launchpad.net/~diegojromerolopez Eduardo Alberto Calvo https://launchpad.net/~edu5800 Fido https://launchpad.net/~fedevera Gonzalo Testa https://launchpad.net/~gonzalogtesta Hector A. Mantellini https://launchpad.net/~xombra Jaap Karssenberg https://launchpad.net/~jaap.karssenberg Jaime Ernesto Mora https://launchpad.net/~jemora70 Janzun https://launchpad.net/~janzun-w Javier Rovegno Campos https://launchpad.net/~jrovegno Jonay https://launchpad.net/~jonay-santana Jorge Pérez https://launchpad.net/~ktl-xv Juan Ignacio Pucheu https://launchpad.net/~jpucheu Lex https://launchpad.net/~lex-exe Lisandro https://launchpad.net/~correo-lisandrodemarchi Mariano Draghi https://launchpad.net/~chaghi Mariano Esteban https://launchpad.net/~mesteban Monkey https://launchpad.net/~monkey-libre Pablo Angulo https://launchpad.net/~pablo-angulo Paco Molinero https://launchpad.net/~franciscomol Reynaldo Cordero https://launchpad.net/~reynaldo-cordero Servilio Afre Puentes https://launchpad.net/~servilio Ubuntu https://launchpad.net/~invrom-deactivatedaccount1-deactivatedaccount-deactivatedaccount korilu https://launchpad.net/~korilu sanzoperez https://launchpad.net/~sanzoperez victor tejada yau https://launchpad.net/~victormtyaulíneas verticalescon lineaszim-0.68-rc1/locale/pl/0000755000175000017500000000000013224751170014455 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/pl/LC_MESSAGES/0000755000175000017500000000000013224751170016242 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/pl/LC_MESSAGES/zim.mo0000644000175000017500000010752313224750472017412 0ustar jaapjaap00000000000000.  7 0X  4  i !R!t! !V! ! !3!Y0"" " " """" " #$#?7#/w#(#%# #$$$ $ *$ 6$ C$ P$ [$e$n$$$$ $$$-$<%?%E%M%j%r%%%%%+%3& 9&Z& m& {& &&&3&&''2'J'j'y' ~' ' ''''0''' ' (( $( 1(=( E(~Q( ( (( ( ) ))$)5)>)V)^) m)y)!))#))))* "*.*A* Z*f***** *** *6*+v#++*+c+;,C,J,d,h,p, x,,,,,, , , , , - - - $- /- :-E- L-V-[-k- r-~-- ---- ---. . !. -.:. L.Z.p.. .. .... ../2 /=/E/N/h/q//// / /// //0 0 /0<0A0J0 [0h0x00000011!151 H1R1U1 n1 z1 1111 11 1222"282 A2 M2 [2e2n2Cs202 2 2 3' 3V2333033334 4 &424C4K4 S4 _4&j4 4 44^4 )5J5 Y5e5 v5 555555 5 55666 46 @6 N6[66 7%7@7 X7b7u777 7727 7&8.(8W85k8 88&888 99!9(9 /9:9I9[9`9 e9o9 x99 99Y9?9S?:K:@:6 ;-W;x;;<L==}[>>c?} @h@k@^AR2B;B=BBjDn~DD7mEEEGFKFRFfFzFFF F F'FDF&G.GH7G GGGGGGPGBHKHU[HHH HHNH (I4I :I HI SIaIgI^lIfI2J CJMJ TJ _JkJqJyJ JJJJ J JJ JJJ JJ K KK+K NINQN YN dN qN |N NNNNN N NNNNNNNO4)Q ^Q3kQBQTQF7RA~RRcRV{VVVVV VVV W !W ,W+6WbWiWWWWW9WPW @X JXTX rX#|X'X XXX-X&-Y,TYYYYYYY'YZ"0ZSZ#lZ)ZZZZZ [[[ [/&[V[ f[ s[[ [ [[ [ [[l\\\ \\\\\ ]] -]8]J]]]+e]]+]]]](^ >^L^+a^ ^(^!^ ^^^__'_9_NA___)`,>`k``a a$a(a0aFaeaaaaa a b b #b 0b =b Kb Yb gb ub bbb bbbbbbbc c +c7cUc hc vcccc cc cc d dd+d"Kdndddd8d d d(e-e&"%s" already exists. You can use another name or overwrite the existing file.Add 'tearoff' strips to the menusAdd ApplicationAdd NotebookAdds spell checking support using gtkspell. This is a core plugin shipping with zim. All FilesAll TasksAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAuthorAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsBackLinksBackLinks PaneBackendBazaarBottom LeftBottom PaneBottom RightBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenChangesCharactersCheck _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearCommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find notebook: %sCould not find the file or folder for this notebookCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?Cu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?DemoteDependenciesDescriptionDetailsDia_gram...Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_xport...Edit Custom ToolEdit ImageEdit LinkEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledEvaluate _MathExpand _AllExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHome PageIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert SymbolInsert Text From FileInsert diagramInsert images as linkInterfaceJump toJump to PageLabels marking tasksLeave link to new pageLeft Side PaneLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationMap document root to URLMarkMatch _caseMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove page "%s"Move text toNameNew PageNew S_ub Page...New Sub PageNew _AttachmentNo Applications FoundNo changes since last versionNo dependenciesNo such file or folder: %sNo such file: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen in New _WindowOpen new pageOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput folderOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplateParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select more than one line of text, first.PluginPluginsPortPosition in the windowPr_eferencesPreferencesPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Reformat wiki markup on the flyRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemoving LinksRename PageRename page "%s"Replace _AllReplace withRestore page to saved version?RevRight Side PaneS_ave Version...Save A _Copy...Save CopySave VersionSaved version from zimScoreSearchSearch _Backlinks...Select FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionServer not startedServer startedServer stoppedShow All PanesShow Link MapShow Side PanesShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendar in sidepane instead of as dialogShow in the toolbarShow the cursor also for pages that can not be editedSingle _pageSizeSome error occurred while running "%s"Sort alphabeticallySort pages by tagsSpell CheckerStart _Web ServerStrikeStrongSy_mbol...System DefaultTable of ContentsTagsTaskTask ListTemplateTemplatesTextText FilesText From _File...The file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The inline calculator plugin was not able to evaluate the expression at the cursor.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.ToCTo_dayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsUnindent on (If disabled you can still use )UnknownUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse a custom fontUse a page for eachUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsView _AnnotatedView _LogWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWord CountWord Count...WordsYearYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Incalendar:week_start:0readonlysecondstranslator-creditsProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-07-10 16:48+0000 Last-Translator: Jaap Karssenberg Language-Team: Polish MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=3; plural=n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) Language: pl Komenda %(cmd)s zwróciła niezerowy status %(code)i%A, %d %B %Y%i _załącznik%i _załączniki%i _załączników%i _Link zwrotny%i _Linków zwrotnych%i odnośniki do tej strony%i plik nie będzie usunięty%i plik będzie usunięty%i plików będzie usunięte%i zadań do wykonania%i zadanie do wykonania%i zadania do wykonaniaZmiana wcięcia elementu listy zmienia także elementy podrzędneTwój osobisty notatnikPlik o nazwie "%s" już istnieje. Możesz użyć innej nazwy lub nadpisać istniejący plik.Dodaj odrywalne paski do menuDodaj programDodaj notesDodaje obsługę sprawdzania pisowni przy użyciu gtkspell. Wtyczka ta jest domyślnie dostarczona wraz z programem Zim. Wszystkie typy plikówWszystkie zadaniaZapamiętaj ostatnią pozycję kursora w czasie otwierania stronyPodczas generowania pliku graficznego wystąpił błąd. Czy mimo to chcesz zapisać tekst źródłowy?Opisane źródło stronyArytmetykaZałącz plikDołącz _plikDołącz zewnętrzny plikNajpierw dołącz obrazPrzeglądarka załącznikówZałącznikiAutorAutomatycznie zapisana wersja z programu Zim.Automatycznie zaznacz aktualne słowo przy nadawaniu formatowaniaAutomatycznie twórz odnośniki z "TakichSłów"Automatycznie twórz odnośniki ze ścieżek do plikówAutomatyczny zapis wersji w określonych przedziałach czasuOdnośniki do stronyPanel z Odnośnikami do stronySystem kontroli wersjiBazaarDół, po lewejPanel na doleDół, po prawejWypunk_towanieSk_onfiguruj wtyczkęKalen_darzKalendarzBrak możliwości zmodyfikowania strony: %sAnulujZrób zrzut całego ekranuZmianyZnakiSprawdź _pisownięLista checkbo_xZaznaczenie tego pola spowoduje zmianę pól podrzędnychKlasyczna ikona obszaru powiadamiania, nie używaj nowych ikon statusu na UbuntuWyczyśćPolecenieKomenda nie modyfikuje danychKomentarzStopka dołączana za każdym razemNagłówek dołączany za każdym razemCały _notesKonfiguruj aplikacjeSkonfiguruj wtyczkęAplikacja uruchamiająca odnośniki typu "%s"Aplikacja otwierająca pliku typu "%s"Rozpatruj wszystkie pola wyboru jako zadaniaSkopiuj adres e-mailSkopiuj szablonKopiuj _Jako...Skopiuj _odnośnikS_kopiuj położenieBrak notesu: %sBrak pliku lub katalogu dla tego notesuNie mogłem otowrzyć: %sBłąd analizy składni wyrażeniaNie można odczytać: %sNie udało się zapisać strony: %sStwórz nową stronę dla każdej notatkiUtworzyć katalog?_WytnijNarzędzia użytkownikaNarzędzia uży_tkownikaDostosuj...DatadniaDomyślnaDomyślny format tekstu skopiowanego do schowkaDomyślny notesOpóźnienieUsuń stronęUsunąć stronę "%s"?Poziom niżejZależnościOpisSzczegółyDia_gram...Czy chcesz przywrócić stronę: %(page)s do zapisanej wersji: %(version)s ? Wszystkie zmiany wprowadzone po zapisaniu ostatniej wersji zostaną utracone!Katalog główny dokumentówWye_ksportuj...Edytuj narzędzie użytkownikaEdytuj obrazEdytuj odnośnikEdytuj _źródłoEdycjaEdytowany plik: %sWyróżnienieWłączyć kontrolę wersji?WłączonaOblicz wyrażenie_Rozwiń wszystkieEksportEksportuj wszystkie strony do jednego plikuEksport zakończonyEksportuj każdą stronę do osobnego plikuEksportowanie notesuNie udało sięNie udało się uruchomić: %sNie udało się uruchomić aplikacji: %sPlik istniejeSzab_lony plików...Plik na dysku twardym został zmieniony: %sPlik istniejePlik nie ma atrybutu zapisywalności: %sPlik o nieobsługiwanym typie: %sNazwa plikuFiltrZnajdźZn_ajdź następneZnajdź p_oprzednieZnajdź i zamieńZnajdźOznaczaj zadania do wykonania na poniedziałek lub wtorek jako przedweekendoweKatalogKatalog już istnieje i nie jest pusty. Eksport do tego katalogu może nadpisać znajdujące się w nim pliki. Czy na pewno chcesz kontynuować?Katalog istnieje: %sKatalog zawierający szablony załącznikówDla zaawansowanego wyszukiwania możesz używać operatorów takich jak AND, OR i NOT. Aby uzyskać więcej informacji, zobacz stronę pomocy.For_matFormatPobierz więcej szablonówGitGnuplotPrzejdź do początkuPrzejdź do poprzedniej stronyPrzejdź do następnej stronyPrzejdź do strony podrzędnejPrzejdź do następnej stronyPrzejdź do strony nadrzędnejWróć do poprzedniej stronyNagłówek 1Nagłówek 2Nagłówek 3Nagłówek 4Nagłówek 5Nagłówek _1Nagłówek _2Nagłówek _3Nagłówek _4Nagłówek _5WysokośćStrona głównaIkonaIkony i tekstObrazyImportuj stronęUwzględnij podstronyIndeksIndeksKalkulator wewnętrznyWstawienie daty i czasuWstaw diagramWstaw DitaaWstaw wyrażenie matematyczneWstaw wykres GNU RWstaw GnuplotWstaw obrazWstaw odnośnikWstaw partyturęWstaw zrzut ekranuWstaw symbolWstaw tekst z plikuWstaw diagramWstaw obrazek jako odnośnikInterfejsPrzejdź doPrzejdź do stronyEtykiety wskazujące na zadaniaPozostaw odnośnik do nowej stronyPanel po lewej stronieSortowanie wierszyWierszeMapa odnośnikówUżyj pełnych ścieżek do plików w katalogu głównymOdnośnik doPołożenieZapisuj wydarzenia przy pomocy ZeitgeistPlik dziennikaWygląda na to, że znalazłeś błądUstaw jako aplikację domyślnąMapuj katalog główny na URLZaznaczWielkość _LiterMercurialData modyfikacjimiesiącaPrzenieś stronęPrzenieś Zaznaczony Tekst...Przenieś tekst na inną stronęPrzenieś stronę "%s"Przenieś tekst naNazwaNowa stronaNowa podstrona...Nowa podstronaNowy _ZałącznikNie znaleziono aplikacjiBrak zmian od ostatniej wersjiBrak zależnościBrak następującego pliku lub katalogu: %sBrak takiego pliku: %sNie znaleziono strony: %sNie zainstalowano szablonówNotesWłaściwości notesuNotes możliwy do edytowaniaNotesyOKOtwórz katalog z _załącznikamiOtwórz katalogOtwórz notesOtwórz za pomocą...Otwórz katalog z dokumentamiOtwórz katalog głównyOtwórz katalog notesuOtwórz _stronęOt_wórz w nowym oknieOtwórz nową stronęOtwórz za pomocą "%s"OpcjonalnieOpcjeOpcje dla wtyczki %sInny...Plik wyjściowyFolder docelowyNadpiszPasek ścieżkiStronaStrona "%s" oraz wszystkie jej podstrony i załączniki zostaną usunięteStrona "%s" nie posiada katalogu z załącznikamiNazwa stronySzablon stronyAkapitWpisz komentarz do tej wersjiPamiętaj że utworzenie linku do nieistniejącej strony powoduje jej automatyczne utworzenie.Wybierz nazwę i folder dla notatnika.Proszę wpierw wybrać więcej niż jeden wiersz tekstu.WtyczkaWtyczkiPortPozycja w oknie_PreferencjeUstawieniaDrukuj do przeglądarki wwwProfilPoziom wyżej_WłaściwościWłaściwościPrzesyła wydarzenia do usługi Zeitgeist.Szybka notatkaSzybka notatka...Zamieniaj znaczniki wiki na formatowanie w trakcie pisaniaUsuń odnośniki ze strony %i powiązane z tą stronąUsuń odnośniki ze stron %i powiązane z tą stronąUsuń odnośniki ze stron %i powiązane z tą stronąUsuń odnośniki podczas usuwania stronUsuwanie linkówZmień nazwę stronyZmień nazwę strony "%s"Zastąp _wszystkieZamień naPrzywrócić stronę do zapisanej wersji?RewizjaPanel po prawej stronieZapisz wersje...Zapisz _kopię...Zapisz KopięZapisz wersjęZapisana wersja z programu Zim.TrafnośćZnajdźSzukaj linków zwrotnychWybierz plikWybierz katalogWybierz obrazWybierz wersję, którą chcesz porównać z obecnym stanem. Możesz też wybrać wiele wersji, by porównać je między sobą. Wybierz format eksportuWybierz plik wyjściowy lub folderWybierz stronę do eksportuWybierz okno lub obszarZaznaczenieSerwer nie został uruchomionySerwer został uruchomionySerwer został zatrzymanyPokaż wszystkie panelePokaż mapę odnośnikówPokaż panele boczneWyświetlaj spis treści jako pływający widżet zamiast w panelu bocznymPokaż _ZmianyPokaż oddzielne ikony dla każdego notatnikaPokaż kalendarz w panelu bocznym zamiast w oknie dialogowymPokaż na pasku narzędziowymPokaż kursor również na stronach nie posiadających możliwości edytowaniaPojedyncza _stronaRozmiarW trakcie wykonywania polecenia "%s" wystąpiły błędySortuj w kolejności alfabetycznejSortuj strony zgodnie ze znacznikamiSprawdzanie pisowniUruchom _serwer wwwPrzekreślenieSilne zaakcentowanieSy_mbol...Domyślne ustawienia systemoweSpis treściZnacznikiZadanieLista zadańSzablonSzablonyTekstPliki tekstoweTekst z _pliku...Określony plik lub katalog nie istnieje. Sprawdź, czy podana ścieżka jest poprawna.Katalog%s jeszcze nie istnieje. Utworzyć go?Wtyczka kalkulatora wewnętrznego nie była w stanie obliczyć wyrażenia pod kursorem.Brak zmian od ostatniej zapisanej wersjiTo może oznaczać, że nie masz zainstalowanych odpowiednich słownikówTen plik już istnieje. Czy chcesz go nadpisać?Ta strona nie posiada katalogu z załącznikamiWtyczka umożliwia wykonywanie zrzutów ekranu i bezpośrednie wstawianie ich na aktualną stronę. Wtyczka ta jest domyślnie dostarczona wraz z programem Zim. Ta wtyczka wyświetla okno dialogowe zawierające wszystkie zadania do wykonania znajdujące się w otwartym notesie. Zadania te powinny być umieszczone w notesie w postaci niezaznaczonych pól "[ ]" lub elementów oznakowanych słowami "TODO" lub "FIXME". Jest to wtyczka domyślnie dostarczana z programem Zim. Wtyczka udostępnia okno do szybkiego umieszczania tekstu ze schowka w treści aktualnej strony. Wtyczka ta jest domyślnie dostarczona wraz z programem Zim. Wtyczka to dodaje ikonę obszaru powiadamiania, by ułatwić szybki dostęp do notesu Zim. Zależy od Gtk+ w wersji 2.10 lub wyższej. Jest to wtyczka domślnie dostarczana z programem Zim. Wtyczka dodaje widżet pokazujący listę stron zawierających odnośniki do aktualnej strony. Wtyczka ta jest domyślnie dostarczona wraz z programem Zim. Wtyczka dodaje specjalny widżet wyświetlający spis treści aktualnej strony. Wtyczka ta jest domyślnie dostarczona wraz z programem Zim. Wtyczka dodaje okno 'Wstaw symbol' i umożliwia automatyczne formatowanie znaków typograficznych. Wtyczka ta jest domyślnie dostarczona wraz z programem Zim. Wtyczka dodaje kontrolę wersji dla notesów. Wtyczka obsługuje systemy kontroli wersji Bazaar, Git i Mercurial. Wtyczka ta jest domyślnie dostarczona wraz z programem Zim. Wtyczka umożliwia szybkie obliczanie prostych wyrażeń matematycznych w programie Zim. Wtyczka ta jest domyślnie dostarczona wraz z programem Zim. Wtyczka udostępnia programowi Zim edytor diagramów wykorzystujący Ditaa. Wtyczka ta jest domyślnie dostarczona wraz z programem Zim. Wtyczka udostępnia programowi Zim edytor diagramów wykorzystujący GraphViz. Wtyczka ta jest domyślnie dostarczona wraz z programem Zim. Wtyczka udostępnia okno zawierające graficzną reprezentację struktury odnośników w notesie. Może być użyta jako coś na wzór „mapy myślowej” przedstawiającej relacje między stronami. Wtyczka ta jest domyślnie dostarczona wraz z programem Zim. Wtyczka udostępnia indeks stron filtrowanych według znaczników wyświetlanych w chmurce. Wtyczka dostarcza programowi Zim edytor wykresów na podstawie GNU R. Wtyczka dostarcza programowi Zim edytor wykresów na podstawie Gnuplot. Wtyczka ta służy jako substytut drukowania w programie Zim. Eksportuje aktualną stronę do pliku html i otwiera ten plik w przeglądarce www. Następnie możesz użyć przeglądarki www do wydrukowania swojej strony. Jest to wtyczka domyślnie dostarczana z programem Zim. Wtyczka udostępnia programowi Zim edytor równań wykorzystujący LaTeX. Wtyczka ta jest domyślnie dostarczona wraz z programem Zim. Wtyczka dostarcza programowi Zim edytor partytur na podstawie Lilypond. Wtyczka ta jest domyślnie dostarczona wraz z programem Zim. Wtyczka sortuje wybrane wiersze w kolejności alfabetycznej. Jeżeli wiersze są już posortowane, kolejność jest odwracana (A-Z na Z-A). Ten komunikat przeważnie oznacza, że plik zawiera niepoprawne znaki.NazwaAby kontynuować możesz zapisać kopię tej strony lub odrzucić wprowadzone zmiany. Jeśli zapiszesz kopię tej strony zmiany również zostaną odrzucone, jednak później będziesz mógł przywrócić kopię.Spis treściDziśZmień zaznaczenie pola 'V'Zmień zaznaczenie pola 'X'Zmień możliwość edytowania notesuGóra, po lewejPanel na górzeGóra, po prawejIkona obszaru powiadamianiaPrzekształć nazwę strony w znaczniki dla zadańUsuń wcięcie klawiszem (jeśli wyłączysz, nadal możesz użyć )NieznanyNieoznaczoneZaktualizuj %i stron odwołujących się do tej stronyZaktualizuj %i stronę odwołującą się do tej stronyZaktualizuj %i strony odwołujące się do tej stronyUaktualnij indeksZaktualizuj nagłówek tej stronyAktualizacja odnośnikówOdświeżanie indeksuUżyj wybranej czcionkiUżyj osobnej strony dla każdegoUżyj klawisza , by podążać za odnośnikami (Jeśli wyłączysz, nadal możesz używać )WyjustowanieKontrola wersjiKontrola wersji nie jest włączona dla tego notesu. Czy chcesz ją włączyć?WersjePokaż _opisaneWyświetl _dziennik zdarzeńtygodniaW trakcie zgłaszania błędu, proszę podać informacje z pola poniżejTylko całe słowaSzerokośćStrona wiki: %sIlość słówLiczba słów...SłowarokuEdytujesz plik za pomocą zewnętrznej aplikacji. Zamknij to okno kiedy skończyszMożesz konfigurować narzędzia użytkownika, które zostaną wyświetlone w menu narzędzi, w pasku narzędzi lub menu kontekstowych.Zim - Osobista WikiPo_mniejsz_O programieWszystkie p_anele_Arytmetyka_Wstecz_Przeglądaj_Błędy_Kalendarz_Podrzędny_Wyczyść formatowanie_ZamknijZw_iń wszystkie_Zawartość_Skopiuj_Skopiuj tutaj_Data i czas..._Usuń_Usuń stronę_Odrzuć zmiany_Edycja_Edytuj Ditaa_Edytuj wyrażenie matematyczne_Edytuj wykres GNU R_Edytuj Gnuplot_Edytuj odnośnik_Edytuj odnośnik lub obiekt..._Zmień ustawienia_Edytuj partyturęPochylenie_FAQ_Plik_Znajdź…_Naprzód_Pełny ekran_Idź_Pomoc_Podświetlenie_HistoriaStartTylko _ikony_Obraz..._Importuj stronę..._Wstaw_Przejdź do..._Skróty klawiszowe_Duże ikony_Odnośnik_Odnośnik do daty_Odnośnik..._Zaznacz_Więcej_Przenieś_Przenieś tutaj_Przenieś stronę..._Nowa strona..._Następny_Następny w indeksie_Brak_Zwykły rozmiarLista numeryczna_Otwórz_Otwórz kolejny notes..._Inne..._Strona_Nadrzędny_Wklej_Podgląd_Poprzedni_Poprzedni w indeksie_Drukuj do przeglądarki wwwSzybka notatka_Zakończ_Ostatnie strony_Ponów_Wyrażenie regularne_Odśwież_Usuń odnośnik_Zmień nazwę strony..._ZastąpZa_stąp..._Przywróć rozmiar początkowy_Przywróć wersjęZapi_sz_Zapisz Kopię_Zrzut ekranu..._SzukajSzukaj..._Wyślij do...Panele _boczne_Obok siebie_Małe ikonySortuj wierszePasek _stanu_Przekreślenie_PogrubienieIndeks dolnyIndeks górny_SzablonyTylko _tekst_Malutkie ikony_Dziś_Pasek narzędzi_Narzędzia_Cofnij_WyjustowanieWersje..._WidokPo_większcalendar:week_start:1Tylko do odczytusekundLaunchpad Contributions: BPS https://launchpad.net/~bps DB79 https://launchpad.net/~mr-bogus Dariusz Dwornikowski https://launchpad.net/~tdi-kill-9-deactivatedaccount Filip Stepien https://launchpad.net/~filstep Jaap Karssenberg https://launchpad.net/~jaap.karssenberg Kabturek https://launchpad.net/~marcindomanski Lucif https://launchpad.net/~lucif-onet Marcin Swierczynski https://launchpad.net/~orneo1212 Mirosław Zalewski https://launchpad.net/~miroslaw-zalewski Piotr Palucki https://launchpad.net/~palucki Piotr Strębski https://launchpad.net/~strebski Tomasz (Tomek) Muras https://launchpad.net/~zabuch ZZYZX https://launchpad.net/~zzyzx-eu ciastek https://launchpad.net/~ciastek yaras https://launchpad.net/~jaroslaw-zajaczkowskizim-0.68-rc1/locale/hu/0000755000175000017500000000000013224751170014456 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/hu/LC_MESSAGES/0000755000175000017500000000000013224751170016243 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/hu/LC_MESSAGES/zim.mo0000644000175000017500000014405213224750472017411 0ustar jaapjaap00000000000000L+,M+.z+?+ ++ ,5,0Q,,,,4,, , -i-*-!-- - -- .-.M.VU.. . ..3.Y/h/ ~/ / / //// / /0 00$#0?H0/0(00%0,$1Q1 g1q11 11 1 1 1 1 1 11 1 1 2 22+222G2N2]2 e2p222222-2<3O3 U3 _3j3s3{3333333+4334 g44 4 4 4444 53'5[5y5555556 6 6 6 )666;6?60G6x66 66 66 6 66 6 667$7~>7 77 7 77 7 8 8 8"8*8;8D8\85d88 8(88!89#9<9O9V9i9 999 999: :: : :/: @:6J::v::*;c<;;;; ;;;;;< <<%<6<F<X< l< w< < < < < < < < < <<<=!'=I=i= ===== === === >> ->:>J>\> k> x> >>> > >>>> ??-?5? =?J? _?m???.? ???2?@@&@@@I@d@}@@@ @@@@ @@A AA.AFAXAmA |AA A*AAAA A BBB5BSB.cBBBBBBBCC /C9CI I JJ8JlRl Zl gltll l ll ll lll l l m m m *m 6mAmIm Qm \m im tm mmmmm m mmmmmm nn .n : y Ə 2GW"_Ґ)<[n$ܑ -5bDp6'/^ G. )51S -R-<2j ЕCޕ"16P`ow 2˖  6R2r̗e0I zJǘ $+1] dq ǙΙ1:Sktšʚ';"ڛ*'(P p|Ŝ1ܜ*!D f.K15I9%ў 4"O&r;5՟ ##7[tà ۠   * 9DZc"l ơ֡U8g-΢MNBK31¥2M'u+ zBcThHv<%_аB0Js:ctQyM!otSݷ   %"2 U ` m y4Rո (3 DkQ&й)#!Mo+gZ3 Żڻ9 * 7CR >L]dheo{սQb q {  Ӿ - 7B Q ^hw Ŀٿ %;Y n   #.7 MYj     5 CPel|   : ITjq  6?R eo    # 1> B O [io  ' 7B  This plugin provides bar for bookmarks. %(cmd)s returned non-zero exit status %(code)i%(n_error)i errors and %(n_warning)i warnings occurred, see log%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i of %i%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd bookmark/Show settingsAdd columnAdd new bookmarks to the beginning of the barAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAttachments:AuthorAuto WrapAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave interval in minutesAutosave version on regular intervalsAutosave version when the notebook is closedBack to Original NameBackLinksBackLinks PaneBackendBacklinks:BazaarBook_marksBookmarksBookmarksBarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck Checkbox '>'Check Checkbox 'V'Check Checkbox 'X'Check _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearClone rowCode BlockColumn 1CommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?CreatedCu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to delete all bookmarks?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootDueE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExpand journal page in index when openedExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatFossilGNU _R PlotGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageGrid linesHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageHorizontal _LineIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationManaging table columnsMap document root to URLMarkMatch _caseMaximum number of bookmarksMaximum page widthMenubarMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove column aheadMove column backwardMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNextNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such page: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOnly Show Active TasksOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen cell content linkOpen helpOpen in New WindowOpen in New _WindowOpen new pageOpen plugins folderOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage already exists: %sPage has un-saved changesPage not allowed: %sPage sectionParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select a row, before you push the button.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrevPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionRow downRow upS_ave Version...S_coreSave A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...Search this sectionSectionSection(s) to ignoreSection(s) to indexSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet New NameSet default text editorSet to Current PageShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow Tasks as Flat ListShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full Page NameShow full page nameShow helper toolbarShow in the toolbarShow right marginShow tasklist in sidepaneShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStartStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTags for non-actionable tasksTaskTask ListTasksTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The following parameters will be substituted in the command when it is executed: %f the page source as a temporary file %d the attachment directory of the current page %s the real page source file (if any) %p the page name %n the notebook location (file or folder) %D the document root (if any) %t the selected text or word under cursor %T the selected text including wiki formatting The inline calculator plugin was not able to evaluate the expression at the cursor.The table must consist of at least on row! No deletion done.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis page name cannot be used due to technical limitations of the storageThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a macOS menubar for zim.This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox '>'Toggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUn-check CheckboxUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse %s to switch to the side paneUse a custom fontUse a page for eachUse date from journal pagesUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWith this plugin you can embed a 'Table' into the wiki page. Tables will be shown as GTK TreeView widgets. Exporting them to various formats (i.e. HTML/LaTeX) completes the feature set. Word CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Checkbox_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Duplicate Line_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Line Down_Move Line Up_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Line_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Run bookmark_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Inas due date for tasksas start date for taskscalendar:week_start:0do not usehorizontal linesmacOS Menubarno grid linesreadonlysecondstranslator-creditsvertical lineswith linesProject-Id-Version: Zim 0.48 Report-Msgid-Bugs-To: POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2018-01-08 07:09+0000 Last-Translator: Mukli Krisztián Language-Team: Zim MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n != 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) Language: hu X-Poedit-Bookmarks: 566,-1,-1,-1,-1,-1,-1,-1,-1,-1 Ez a kiegészítő megjeleníti a könyvjelzők eszköztárát. %(cmd)s kilépéskor hibakódot adott vissza: %(code)i%(n_error)i hibát és %(n_warning)i figyelmeztetést észleltünk, lásd a logokban%A %d %B %Y%i melléklet%i melléklet%i _visszacsatolás...%i _visszacsatolás...%i hiba történt, lásd a logokban%i fáljt fogok törölni%i fáljt fogok törölni%i a %i-ből%i db nyitott tétel%i db nyitott tétel%i figyelmeztetés történt, lásd a logokbanBehúzás megváltoztatásakor változzanak az alá besoroltak isEgy asztali wikiIlyen névvel már van fájl: "%s" Használj más nevet, vagy felülírhatod a létező fájlt.A táblázatnak legalább egy oszlopot tartalmaznia kell.Letéphető menükAlkalmazás hozzáadásaKönyvjelző hozzáadásaJegyzetfüzet hozzáadásaKönyvjelző hozzáadása/Beállítások megjelenítéseOszlop hozzáadásaÚj könyvjelző hozzáadása az eszköztár elejéhez.Sor hozzáadásaEz a kiegészítő helyesírás ellenőrzést tesz lehetővé a gtkspell segítségével. Ez a kiegészítő szerves része a Zim-nek. IgazításMinden fájlMinden feladatPublikus elérés engedélyezéseA kurzor visszaállítása a legutóbbi helyzetébe egy oldal megnyitásakorHiba történt a kép készítése közben. Így is el akarod menteni a forrásszöveget?Állapot lap forrásaAlkalmazásokAritmetikaFájl csatolásaFájl _csatolásaKülső fájlok csatolásaElőbb csatold a képetMellékletböngészőMellékletekMellékletek:SzerzőAutomatikus sortörésAutomata behúzásAutomatikusan mentveFormázáskor kerüljön kijelölésre az egész szóA "CamelCase" szavak automatikusan hivatkozások lesznekAutomatikusan kerüljenek a fájl-elérési utak a hivatkozásokbaAutomatikus mentés megadott percenkéntVáltozások automatikus mentéseAutomatikus változásmentés a jegyzetfüzet bezárásakorVissza az eredeti névreVisszacsatolásokVisszacsatolások paneljaKiszolgálóVisszacsatolásokBazaar_KönyvjelzőkKönyvjelzőkKönyvjelző eszköztárBal alsóAlsó panelJobb alsóTallózás_Felsorolás_Beállítás_NaptárNaptár"%s" nem módosítható lapMégsemAz egész képernyő mentéseKözépre zártOszlopok módosításaVáltozásokKarakterekKaraketerek szóközök nélkülJelölőnégyzet beállítása '>'Jelölőnégyzet beállítása 'V'Jelölőnégyzet beállítása 'X'_Helyesírás ellenőrzés_Jelölőgombos listaJelölőnégyzet megváltoztatásakor változzanak az alá besoroltak isKlasszikus értesítési ikon. Ne használj új típusú ikont Ubuntu alatt!TörlésSor másolásaKódblokkOszlop 1UtasításA parancs nem módosítja az adatokatMegjegyzésÁltalános láblécÁltalános fejlécTeljes jegyzetfüzetAlkalmazások beállításaKiegészítők beállításaAlkalmazás beállítása "%s" hivatkozás megnyitásáhozOlyan alkalmazások beállítása, amik képesek megnyitni egy "%s'" típusú hivatkozástMinden jelölőnégyzet feladatnak tekintéseLevélcím másolásaSablon másolásaMásolás _mint..._Hivatkozás másolásaHe_ly másolásaNem található a "%s" futtatható állományNem található jegyzetfüzet: %sNem található a "%s" sablonNem található az jegyzetfüzet fájlja vagy mappájaNem lehet betölteni a helyesírás-ellenőrzőt%s nem nyitható megNem tudtam elemezni a kifejezéstNem sikerült beolvasni: %sLap nem menthető: %sÚj lap létrehozása minden jegyzethezLétrehozzam a mappát?Létrehozva_KivágásEgyedi eszközökEgyéni eszközökTestreszabás...DátumNapAlapértelmezettVágólapra másoláskor alapértelmezett formátumAlapértelmezett jegyzetfüzetKésleltetésLap törlése"%s" lap törölhető?Sor törléseLejjebb sorolFüggőségekLeírásRészletekDia_gramJegyzet eldobása?Szerkesztés a figyelem elvonása nélkülDitaaBiztos, hogy minden könyvjelzőt törölni akarsz?Vissza kívánod állítani ezt a lapot: %(page)s erre a mentett változatra: %(version)s ? Az utolsó mentés óta történt változások el fognak veszni!DokumentumgyökérHatáridő_Egyenlet_Exportálás...Egyéni eszközök szerkesztéseKép szerkesztéseHivatkozás szerkesztéseTáblázat szerkesztése_Forrás szerkeszéseSzerkesztés%s szerkesztéseDőltEngedélyezed a verzókezelést?EngedélyezveHiba a %(file)s -ban, a %(line)i sorban, "%(snippet)s" közelében_Math kiértékeléseMindent _kinyitNaptár lap kibontása a főloldalon megnyitáskorExportálásÖsszes oldal exportálása egy fájlbaAz exportálás készOlalanként külön fájlba exportálásJegyzetek exportálásaHibásIndítás sikertelen: %sNem sikerült elindítani a(z) "%s" alkalmazástA fájl már létezik_Fájl sablonokAz alábbi fájl megváltozott időközben: %sA fájl már létezikFájl nem írható: %sNem támogatott fálj típus: %sFájlnévSzűrőKeresésKövetkező _találatElő_ző találatKeresés és csereMit keresA hétvége előtt megjelöli a hétfőn vagy kedden esedékes feladatokat.MappaA mappa már létezik, és nem üres. Az exportálás visszavonhatatlanul felülírhat fájlokat! Mégis folytatod?Létező mappa: %sCsatolt fájlokat tartalmazó sablonok könyvtáraA kibővitett keresésben használhatók legyenek ilyen operátorok: AND, OR és NOT. Nézd meg a súgót a részletekért!_FormátumFormátumFossilGNU _R PlotTovábbi kiegészítők letöltéseTovábbi sablonok letöltéseGitGnuplotUgrás a kezdőlapraUgrás egy lapot visszaUgrás egy lapot előreUgrás az alatta lévő lapraUgrás a következő lapraUgrás a felette lévő lapraUgrás az előző lapraVonalakCímsor 1Címsor 2Címsor 3Címsor 4Címsor 5Címsor _1Címsor _2Címsor _3Címsor _4Címsor _5MagasságMenü elrejtése teljes képernyős módbanHelyek elrejtése teljes képernyős módbanStátuszsor elrejtése teljes képernyős módbanEszköztár elrejtése teljes képernyős módbanAktuális sor kiemeléseKezdőlapVízszintes _vonalIkon_Ikon és szövegKépekLap importálásaAloldalakkal együttTárgymutatóIndex lapBeépített kalkulátorKódblokk beillesztéseDátum és idő beillesztéseDiagram beillesztéseDitaa beillesztéseEgyenlet beillesztéseGNU R Plot beillesztéseGnuplot beillesztéseKép beillesztéseHivatkozás beillesztéseKotta beillesztéseKépernyőkép beillesztéseSzekvenciadiagram beillesztéseSzimbólum beillesztéseTáblázat beszúrásaSzöveg beillesztése fájlbólDiagram beillesztéseKép csatolása hivatkozáskéntFelhasználói felületInterwiki kulcsszóNaptárUgrásUgrás lapraA megjelölt feladatok címkéiMódosítvaHagyja meg az új oldalra hivatkozástBalra zártBaloldali panelKeresés csak a jelenlegi oldalon és aloldalainSorrendezőSorokHivatkozás-térképFájl hivatkozások tartalmazzák a teljes elérési utatHivatkozásHelyEsemények naplózása a Zeitgeisten keresztülLog fájlÚgy tűnik találtál egy hibátLegyen alapértelmezett alkalmazásTáblázatoszlopok kezeléseA dokumentum gyökerének hozzáadása az URL-hozMegjelöltKis- és nagy_betű megkülönböztetéseKönyvjelzők maximális számaLegnagyobb oldalszélességMenüsávMercurialMódosítvaHónapLap áthelyezéseKijelölt szöveg mozgatása...Szöveg átmozgatása másik oldalraOszlop mozgatása előreOszlop mozgatása hátra"%s" lap áthelyezéseSzöveg áthelyezéseNévKimeneti fájl megadása szükséges az MHTML-be történő exportáláshozKimeneti mappa megadása szükséges a teljes jegyzetfüzet exportálásáhozÚj fájlÚj lapÚj aloldal...Új alábontásÚj _mellékletKövetkezõNem találtam alkalmazásokatNem történt módosítás az utolsó változat ótaNincsenek függőségekNem található kiegészítő az objektum megjelenítéséhez.Nincs ilyen fájl vagy mappa: %sNincs ilyen fájl: %sNincs ilyen oldal: %sIlyen wiki nincs definiálva: %sNincsenek telepített sablonok.JegyzetfüzetJegyzetfüzet tulajdonságokSzerkeszthető lapokJegyzetfüzetekRendbenCsak az aktív feladatokat mutatjaMellékletek mappa megnyitásaKönyvtár megnyitásaJegyzetfüzet megnyitásaMegnyitás mással..._Dokumentum mappája_Dokumentum gyökereJegyzetfüzet mappája_Oldal megnyitásaCella tartalmának megnyitásaSúgó megnyitásaMegnyitás új ablakbanMegnyitás új _ablakbanÚj oldal létrehozásaBeépülők mappájának megnyitásaMegnyitás ezzel: "%s"OpcionálisBeállítások%s kiegészítő beállításaMás…Kimeneti fájlA kimeneti fájl már létezik, az erőltetett exportáláshoz add meg az "--overwrite" kapcsolótKimeneti mappaA kimeneti mappa már létezik és nem üres, az erőltetett exportáláshoz add meg az "--overwrite" kapcsolótKimeneti hely megadása szükséges az exportáláshozAz aktuális kiválasztás cseréje a kimenetreFelülírás_HelyekOldalA "%s", minden alatta lévő lap,és ezek csatolásai törölve lesznekA "%s" lapnak nincs mappája a csatolásokhoz.Lap neveOldalsablonEz az oldal már létezik: %sAz oldalon nem mentett változások találhatóakOldal nem engedélyezett: %sOldal szekcióBekezdésÍrj be egy megjegyzést ehhez a változathozA hivatkozások által mutatott nem létező lapok jöjjenek létre automatikusan.Válassz nevet és mappát a jegyzetfüzethezVálassz ki egy sort, mielőtt megnyomod a gombot.Jelölj ki több sort.Adj meg egy jegyzetfüzetetKiegészítőA %s kiegészítő szükséges az objektumnak a megjelenítéséhezKiegészítőkPortAblakon belüli pozíció_BeállításokTulajdonságokElõzõMegjelenítés a böngészőbenProfilFeljebb sorol_TulajdonságokTulajdonságokAz eseményeket a Zeitgeist démonnak továbbítjaGyors jegyzetGyors jegyzet...Legfrissebb változásokLegfrissebb változások...Legutóbb _módosított oldalakWiki jelölés újraformázása használat közbenEltávolításÖsszes eltávolításaOszlop eltávolítása%i db erre a lapra mutató hivatkozást töröltem%i db erre a lapra mutató hivatkozást töröltemLinkek eltávolítása oldalak törlése eseténSor törléseHivatkozások törléseLap átnevezése"%s" lap átnevezéseIsmételt kattintással lehet a jelölőnégyzet kijelzéseit változtatniÖ_sszes cseréjeMire cserélVisszaállítja a lap mentett változatát?VisszaJobbra zártJobboldali panelJobb margó pozícióMozgatás leMozgatás felVáltozat _mentése_KottaMás_olat mentésMásolat mentéseVáltozat mentéseKönyvjelzők mentéseAutomatikusan mentveTalálatKépernyő háttérszínKépernyőkép parancsaKeresésKeresés az oldalakban..._Előzmény keresés...Keresés ebben a szakaszbanSzakaszSzakasz amit ki kell hagyniSzakasz amit indexelni kellVálasszon fájltVálasszon mappátKép kiválasztásaVálaszd ki azt a változatot, amelyet össze akarsz hasonlítani a jelenlegi állapottal! Vagy válassz ki többet, hogy összehasonlítsd őket egymással! Válassz exportálási formátumotVálaszd ki a kimeneti fájlt vagy mappátVálaszd ki az exportálandó fájlokatAblak vagy terület kijelölésKijelölésSzekvenciadiagramSzerver nem futSzerver elindítvaSzerver leállítvaÚj név beállításaAlapértelmezett szövegszerkesztő beállításaAktuális lap beállításaMinden panel megmutatásaMellékletböngésző megnyitásaSorok számának megjelenítéseHivatkozás-térképOldalpanelek megmutatásaFeladatok megjelenítése egyszerű listakéntA tartalomjegyzéket nem oldalpanelként, hanem lebegő ablakként mutatja._Változások mutatásaKülönböző ikonok használata minden adatbázishozNaptár megjelenítéseA naptár mutatása az oldalpanelon külön ablak helyettOldal teljes nevének megjelenítéseTeljes oldalnév megjelenítéseEszköztár megjelenítéseLátsszon az eszköztáronJobb oldali margó megjelenítéseFeladatlista mutatása oldalpanelkéntA kurzor akkor is látszódjon, ha a lap nem szerkeszthetőOldal címének megjelenítése a tartalomjegyzékbenÖnálló _oldalMéretOkos kezdőlap gombHibák voltak, a "%s" futtatásakorRendezés abc sorrendbenSorbarendezés címkék szerintForrás nézetHelyesírás-ellenőrzőKezdet_Web szerver indításaÁthúzottFélkövér_Szimbólumok...SzintaxisA rendszer alapértelmezéseTAB-széleségTáblázatTáblázatszerkesztőTartalomCímkékNem indítható feladatok címkéiFeladatFeladatlistaFeladatokSablonSablonokSzövegSzöveg fájlokSzöveg _fájlból...Szöveg háttérszínSzöveg színeA megadott fájl vagy mappa nem létezik. Ellenőrizd az elérési út helyességét!A(z) %s könyvtár még nem létezik. Létrehozzuk most?A "%s" mappa nem létezik. Létrehozzam most?A következő paraméterek lesznek hozzáadva az utasításhoz, amikor az fut: %f az oldal forrása, mint ideiglenes fájl %d az aktuális oldal mellékleteinek könyvtára %s az oldal forrása (ha létezik) %p az oldal neve %n a jegyzetfüzet helye (fájl vagy könyvtár) %D a dokumentumgyökér (ha létezik) %t a kiválasztott szöveg, vagy a kurzor alatti szó %T a kiválasztott szöveg wiki formázással A beépített kalkulátor nem tudta kiértékelni a kifejezést a kurzornál.A táblázatnak legalább egy sort tartalmaznia kell! Nem történt törlés.Nincsenek változások az jegyzetfüzetben az utolsó mentés ótaTalán a megfelelő szótárak nincsenek telepítveEz a fájl már létezik! Szeretnéd felülírni?Ennek a lapnak nincs könyvtára a mellékletekhezEz a név nem használható az oldalhoz, a tároló technikai korlátai miattEz a beépülőmodul lehetővé teszi, hogy közvetlenül beillesszünk egy képernyőképet egy Zim oldalba. Ez egy alapvető bővítmény, a Zimmel együtt került telepítésre. Ez a kiegészítő az adatbázisba felvett nyitott feladatolat jeleníti meg egy dialógus ablakban. A nyitott feladatokat az üres jelölőnégyzetek és a "TODO", "FIXME" kezdetű sorok jelentik. Ez a kiegészítő szerves része a Zim-nek. Ez a kiegészítő egy párbeszédablakot ad egy szöveg vagy a vágólap tartalmának gyors beszúrásához. Ez a kiegészítő szerves része a Zim-nek. Ez a kiegészítő egy ikont hoz létre az értesítési területen a gyors eléréshez. Működéséhez legalább 2.10-es GTK+ szükséges. Ez a kiegészítő szerves része a Zim-nek. Ez a kiegészítő megjelenít egy külön panelt ami azokat az oldalakat sorolja fel, ahol hivatkozás található az aktuális oldalra. Ez egy alapvető bővítmény, a Zim-mel együtt települt. Ez a bővítmény egy extra funkciót biztosít, ami az aktuális oldal tartalomjegyzékét mutatja. Ez egy alapvető bővítmény, a Zimmel együtt került telepítésre. Ez a beépülő modul átváltoztatja a Zim-et olyan szerkesztővé, ami nem vonja el a figyelmet. Ez a kiegészítő szimbólumok kódba való beszúrását, és a tipográfiai jelek automatikus formázását teszi lehetővé. Ez a kiegészítő szerves része a Zim-nek. Ez a bővítmény változáskövetést biztosít a jegyzetfüzetekhez. Támogatja a Bazaar, a Git, a Mercurial és Fossil verziókövető rendszereket. Ez egy alapvető bővítmény, a Zimmel együtt került telepítésre. Ez a kiegészítő kódblokkok beillesztését teszi lehetővé az oldalakba, beágyazott panel formájában. Lehetőség van kódszinezésre, sorszámok megjelenítésére, stb. Ezzel a beépülő modullal aritmetikai számításokat végezhetsz a Zim-ben. Az alábbi helyen található aritmetikai modulra épül: http://pp.com.mx/python/arithmetic. Ezzel a beépülőmodullal gyorsan ki lehet értékelni egyszerű matematikai kifejezéseket a Zim-ben. Ez a bővítmény egy diagram szerkesztő, mely a Ditaa-n alapul. Ez egy alapvető bővítmény, a Zimmel együtt került telepítésre. Ez a kiegészítő a GraphViz segítségével diagramokat ad a kódhoz. Ez a kiegészítő szerves része a Zim-nek. Ez a kiegészítő a linkek szerkezeti struktúrájának grafikus megjelenítését teszi lehetővé. Használható egyfajta "elmetérképként", megjelenítve a bejegyzések közötti kapcsolatokat. Ez a kiegészítő szerves része a Zim-nek. Ez a plugin macOS menüt ad a Zimhez.Ez a beépülőmodul lehetővé teszi az oldalak szűrését egy címkefelhő segítségével. Ez a kiegészítő a GNU R segítségével rajzokat ad a kódhoz. Ez a beépülőmodul grafikonokat jelenít meg a Gnuplot segítségével. Ez a kiegészítő egy, a seqdiagon-on alapuló szekvenciadiagram-szerkesztőt ad hozzá a zim-hez. Szekvenciadiagramok egyszerű szerkesztését teszi lehetővé. Ez a kiegészítő egy megkerülése a Zim-ből hiányzó nyomtatási lehetőségnek. Ki tudja exportálni az aktuális lapot egy böngészőbe, ahonnan annak nyomtatási lehetőségét használva nyomtatható az anyag. Így a nyomtatás két lépésből megoldható. Ez a kiegészítő szerves része a Zim-nek. Ez a kiegészítő a latex segítségével egyenleteket ad a kódhoz. Ez a kiegészítő szerves része a Zim-nek. Ez a bővítmény egy kottaszerkesztő, ami a GNU Lilypond-on alapul. Ez egy alapvető bővítmény, a Zimmel együtt került telepítésre. Ez a kiegészítő a mellékletek mappát ikonként mutatja az az alsó panelon. Ez a beépülőmodul sorbarendezi a kijelölt sorokat. Már rendezett sorokon fordított sorrendben teszi ugyanezt (A-Z, majd Z-A). Ez a kiegészítő a jegyzetfüzet egy részét átalakítja naplóvá, oldalakkal a napokhoz, hetekhez vagy hónapokhoz. Valamint naptár panelt is ad az oldalakhoz. Ennek oka általában az, hogy a fájl nem megengedett karaktereket tartalmazCímAhhoz, hogy folytasd a munkát, vagy elmented a fájlt egy másolatba, vagy eldobod a változásokat. Ha a másolat készítést választod, a változások akkor is elvesznek, de a másolatből később visszaállíthatod.Új jegyzetfüzet létrehozásához válassz egy üres mappát. Természetesen egy már létező jegyzetfüzet-mappát is választhatsz. Tartalom_Mai dátumraMaJelölőnégyzet billentése '>'Ki_pipálásBeiks_zelésTedd a jegyzetet szerkeszthetővéBal felsőFelső panelJobb felsőTálca ikonAz oldal neve legyen címke a feladatlista számáraTípusJelölés törléseBehúzás csökkentése -szel (Ellenkező esetben marad a )IsmeretlenMeghatározatlanNincs címke%i db erre a lapra mutató hivatkozást frissítettem%i db erre a lapra mutató hivatkozást frissítettemIndex frissítéseFrissítsd az aktuális lap fejlécétHivatkozás frissítéseIndex frissítése%s használata az oldalsávra váltáshozHasználj egyéni betűkészletetDarabonként egy oldalHasználja a dátumot a naptár oldalakrólHasználd az -t a hivatkozások követéséhez (Ha letiltod az marad használatban)KódVáltozáskövetésA változáskezelés nincs bekapcsolva ehhez a jegyzetfüzethez. Be akarod kapcsolni most?VáltozatokVízszintes margóMutasd a_z állapotokat_Logok megtekintéseWeb kiszolgálóHétA hibajelentéshez kérjük csatold hozzá az alábbiakat_Egész szóSzélességWiki oldal: %sEz a kiegészítő táblázatok beszúrását teszi lehetővé a wiki oldalakba. A táblázatok GTK TreeView widgetként fognak megjelenni. A különböző formátumokba (pl. HTML/LaTeX) exportálhatóság egészíti ki a funkciókat. Szavak számaSzavak száma...SzavakÉvTegnapEgy fájlt szerkesztesz egy külső alkalmazással. Ezt az ablakot akkor zárd be, amikor kész vagy.Szerkesztheted az eszközöket, amik megjelenhetnek az Eszközök menü alatt, és az eszköztáron, vagy a helyi menüben.Zim asztali wiki_Kicsinyítés_Névjegy_Minden panel_AritmetikaUgrás _vissza_Tallózás_Hibák_Naptár_JelölőnégyzetEgy szinttel _lejjebbF_ormázás törléseJegyzetfüzet _bezárásaMindent össze_zár_Tartalom_Másolás_Másolás ide_Dátum/idő_TörlésLap tö_rléseVáltozások _eldobásaSor duplikálásaS_zerkesztésDitaa sz_erkesztése_EgyenletszerkesztőGNU R Plot _szerkesztéseGnuplot _szerkesztéseHivatkozás _szerkesztése_Hivatkozás/objektum_Tulajdonságok szerkesztéseKotta sz_erkesztése_Szekvenciadiagram szerkesztése_Diagram szerkesztése_Dőlt_GYIK_Fájl_Keresés a laponUgrás _előreTeljes képernyő_Ugrás_Súgó_Kiemelés_Előzmények_Kezdőlapra_Csak ikon_Kép...Lap _importálása..._Beszúrás_Ugrás lapra..._Billentyűhozzárendelések_Nagy ikonok_Hivatkozás_Csatolás a dátumhoz_Hivatkozás..._Megjelölt_TovábbM_ozgatás_Áthelyezés ideSor mozgatása leSor mozgatása felLap át_helyezése...Új _oldal..._KövetkezőKövetkező in_dexre_Nincs_Normál méretSzámozott _lista_MegnyitásJegyzetfüzet _váltás..._Egyéb..._Lap_Oldal hierarchiaEgy _szintet visszaBei_llesztés_Előnézet_ElőzőElőző inde_xreNyomtatás bön_gészővel_Gyors jegyzet_Kilépés_Utoljára megnyitottÚj_ra_Reguláris kifejezés_FrissítésSor eltávolításaHivatkozás tö_rléseLap át_nevezése..._Csere_Csere...Méret _visszaállításaVáltozat vi_sszaállításaKönyvjelző _futtatása_Mentés_Másolat mentése_Képernyőkép..._KeresésÁltaláno_s keresés...Küldés le_vélben..._Oldalpanel_Egy az egyben_Kis ikonok_Sorok rendezéseÁ_llapotsorÁt_húzott_Félkövér_Alsó index_Felső index_SablonokCsak _szöveg_Mini ikonok_Ma_Eszköztár_Eszközök_Visszavonás_Kód_Változatok..._Nézet_Nagyításmint határidőt a feladatokhozmint kezdetet a feladatokhoznaptár:hét_eleje:0nem használjavízszintes vonalakmacOS Menubarvonalak nélkülcsak olvashatómásodpercfordító-hitelesség Launchpad Contributions: István Papp https://launchpad.net/~istpapp Jaap Karssenberg https://launchpad.net/~jaap.karssenberg Marton S. Viktor https://launchpad.net/~msv-titok Mukli Krisztián https://launchpad.net/~krisztianmukli Robert Roth https://launchpad.net/~evfool SanskritFritz https://launchpad.net/~sanskritfritz+launchpad bruce https://launchpad.net/~mano155 sipizoli https://launchpad.net/~zoltan-sipossfüggőleges vonalakvonalakkalzim-0.68-rc1/locale/da/0000755000175000017500000000000013224751170014426 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/da/LC_MESSAGES/0000755000175000017500000000000013224751170016213 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/da/LC_MESSAGES/zim.mo0000644000175000017500000012731713224750472017366 0ustar jaapjaap00000000000000(,(.)?I) )) ))0)"*=*4[** **i**+!D+f+ v+ + +-++V+(, ., 8,B,3V,Y,, , - - -+-@-S- f- r-- --$-?-/.(4.%].. ... .. . . . . ./ / / '/1/:/R/Y/n/u// ////-/<0=0 C0 M0X0a0i0000000+03!1 U1v1 1 1 1111132I2g2z2222222 2 3 3$3)3-3053f3w3 }33 33 3 33 3 334$4~,4 4 4 44 4 4 4 4 55%5.5F55N55 5(55!55#6&696@6S6 q6}66 666666 6 77 *7647k7vr77*7c&8888 888888 889 909B9 V9 a9 k9 u9 9 9 9 9 9 9 9999!:3:S: j:t:y:: ::: ::::: ;;#;5; D; Q; ];j;|; ; ;;;; ;;<< <#< 8<F<]<b<.q< <<<2<<<<="===V=m== === === ===>>*> 9>F> K>*l>>>> >>>>>?. ?O?j?{????? ??? @ @ @(@>@R@ h@s@ @@@ @@@@@@A A9(A bAIpA!A'A BBBCB0`B B BB B B'BVC3YC0C0CC D-D>DFDKD bD oD{DDDD D D&D D DDEE1EQE XE cE^qE E EE FF>(F gF tFFFFFFFFFFF G GG.GEGKGcGvG}GGG G G GGaH zHHH HHHH I I'I?ISIbIzI II2I I&I J. JOJcJwJJJ5J&J KK K&/KVKjK }K KKKK KKK KK KKL L*L /L9L BLLL QL\LoLLYL?LA5MSwM=MK N@UN6N-NxNtO=PPPQ}QLORR&SS[T}ThhUkU=VRW;dW=WvWUXjiYnY]CZZ![7[[[|\ ]]]]2]F]_]h] q] {]']]D]] ] ^H^ ]^j^^^!^^^P^A_J_UZ____ _ __N_ B`N` T`b` a (a6abJbPbXb ^bhbobb b bb bbb bbb bb c c )c4cLc ]cic c ccccc ccc ccc c cc d d d ,d9d ?dMdVd\dbd hd sd dddd dddd ddde ee e'e:eLe[e aeoeuee eee e eee eef f f f +f 9f Ff Rf]fef mf xf f f fffff f ffffg gg(g0gCg Rg]g0Fi=wi=i i#j3$jXj3rj'jjLj:k@kIk.Yk%k'kkkk l3lMlT\ll l ll7lX mym m m m mmmmn#n 6n @nNn]n>}n2n'n-o$Eo jotoo oo oooooo o p pp(p CpMp hp rp ppppp6p< qIq MqYq bqlquq qqqqqq*q2*r']rrrr rr%rr s3=s qssssss tt't-t>t PtZt_tct7ltt t tt ttt t u u u*uAu%Gumuu v vv6v Fv Svav uvvvv v5vv w8wLw&Tw{w#wwwwwxx!x:xPxnxxxx xxx xAxy"yy*ylyUz]zdz kzwzzzzzzzz{{4{H{ e{ r{ { { { { { { { {{${$|'=|*e|||||| ||| |}}'}A} Q}_}n}}} }}}}} }~~.~ H~U~o~ w~~~ ~~~~3~#2 90Ct }4 H R\d kuʀڀ+1LS[ ly%ց1!?(W ӂ߂!   )<Q lw  ƃ ؃ &A0rS-ׄ$ * 4>IC0 ̅&م  &Q;!/*߆ 4#X`ey  Ň ч&܇ *?,V j - : HTef ̉ ى  8 CM] fs |̊  $ 0>׋! / JTcw ̌݌ I0z$ 27O4`1 ǎ Ԏ ߎ(% ; HU fp t  Ǐ*̏   $/AZRs4Ɛ@@<<}I@9E/@-ؔhmqrTڛ>/?n37skqߞZQT>9?p#(DTI \+EU#fU P$ u  ?   צhljק   & 0=OTenv ĨӨ 5L]u  ʩԩ ݩ  2@FU^fl r  ̪ު  &/ ANd y ëΫޫ  $6< E R_ v  Ȭ Ԭ߬   ,: ?I_ p} Į This plugin provides bar for bookmarks. %(cmd)s returned non-zero exit status %(code)i%(n_error)i errors and %(n_warning)i warnings occurred, see log%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd columnAdd new bookmarks to the beginning of the barAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAttachments:AuthorAuto WrapAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsBack to Original NameBackLinksBackLinks PaneBackendBacklinks:BazaarBookmarksBookmarksBarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearClone rowCode BlockColumn 1CommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?CreatedCu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to delete all bookmarks?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExpand journal page in index when openedExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatFossilGNU _R PlotGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageGrid linesHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationManaging table columnsMap document root to URLMarkMatch _caseMaximum page widthMenubarMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove column aheadMove column backwardMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNextNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen cell content linkOpen helpOpen in New WindowOpen in New _WindowOpen new pageOpen plugins folderOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage has un-saved changesPage sectionParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select a row, before you push the button.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrevPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionRow downRow upS_ave Version...S_coreSave A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...SectionSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet New NameSet default text editorSet to Current PageShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full Page NameShow full page nameShow helper toolbarShow in the toolbarShow right marginShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTags for non-actionable tasksTaskTask ListTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The inline calculator plugin was not able to evaluate the expression at the cursor.The table must consist of at least on row! No deletion done.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse %s to switch to the side paneUse a custom fontUse a page for eachUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWith this plugin you can embed a 'Table' into the wiki page. Tables will be shown as GTK TreeView widgets. Exporting them to various formats (i.e. HTML/LaTeX) completes the feature set. Word CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Incalendar:week_start:0horizontal linesno grid linesreadonlysecondstranslator-creditsvertical lineswith linesProject-Id-Version: zim Report-Msgid-Bugs-To: Morten Juhl-Johansen Zölde-Fejér POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2016-02-27 19:55+0000 Last-Translator: mjjzf Language-Team: Danish MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n != 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) Dette plugin giver et panel med bogmærker. %(cmd)s returnerede en exit-status, der ikke var nul %(code)i%(n_error)i fejl og %(n_warning)i advarsler opstod, check log%A %d. %B %Y%i _vedhæftning%i _vedhæftninger%i _Henvisning hertil...%i _Henvisninger hertil...%i fejl opstod, check log%i fil vil blive slettet%i filer vil blive slettet%i åben komponent%i åbne komponenter%i advarsler opstod, check logÆndring af indrykning på en liste vil også påvirke underliggende punkterEn desktop-wikiEn fil med navnet "%s" findes allerede.En tabel skal have mindst en kolonne.Tilføj håndtag til at frigøre menuerTilføj programTilføj bogmærkeTilføj notesbogTilføj kolonneTilføj nye bogmærker i starten af bogmærkelinienTilføj rækkeTilføjer stavekontrol med gtkspell. Dette er et core-plugin, der udgives med zim. JusterAlle filerAlle opgaverTillad offentlig adgangBrug altid seneste markørplacering ved åbning af sideDer opstod en fejl under billedgenereringen. Ønsker du at gemme kildeteksten alligevel?Annoteret kilde for sidenApplikationerAritmetikVedhæft filVedhæft _FilVedhæft ekstern filVedhæft billede førstBrowser til vedhæftede filerVedhæftede filerVedhæftede filer:ForfatterAuto FoldningAutoindrykningAutomatisk gemt version fra zimVælg automatisk det aktuelle ord, når formattering påføresKonverter automatisk ord med "CamelCase" til linksKonverter automatisk filstier til linksGem en version automatisk med faste mellemrumSkift tilbage til det originale navnBackLinksPanel med backlinksBackendBacklinks:BazaarBogmærkerBogmærkelinieNederst til venstrePanel i bundenNederst til højreGennemse_PunktlisteKonfiguration_KalenderKalenderKan ikke ændre i siden %sAnnullérTag billede af fuld skærmCentreretByt kolonnerÆndringerTegnTegn inklusive mellemrumCheck _stavningListe med _afkrydsningsbokseKryds i afkrydsningsboks vil også ændre underpunkterKlassisk tray icon, bruger ikke det nye statusikon i Ubuntu.RydKlon rækkeKodeblokKolonne 1KommandoKommando modificerer ikke dataKommentarCommon include footerCommon include headerHele _notesbogenOpsæt programmerKonfigurer pluginOpsæt et priogram til at åbne "%s"-linksOpsæt et program til at åbne filer af typen "%s"Tolk alle afkrydsningsbokse som opgaverKopier emailadresseKopier skabelonKopier _Som...Kopier _linkKopier _placeringKunne ikke finde eksekverbar fil "%s"Kunne ikke finde notesbogen %sKunne ikke finde skabelonen "%s"Kunne ikke finde fil eller mappe for denne notesbogKunne ikke indlæse stavekontrolKunne ikke åbne %sKunne ikke fortolke udtrykketKunne ikke indlæse %sKunne ikke gemme siden %sOpret ny side for hver noteOpret mappe?OprettetKl_ipEgne værktøjerEgne _værktøjerTilpas...DatoDagStandardStandardformat for kopiering af tekst til udklipsholderStandardnotesbogForsinkelseSlet sideSlet siden "%s"?Slet rækkeNedrykAfhængighederBeskrivelseDetaljerDia_gram...Slet note?Uforstyrret redigeringDitaaØnsker du at slette alle bogmærker?Ønsker du at etablere siden: %(page)s til den gemte version version: %(version)s ? Alle ændringer siden sidst gemte version vil gå tabt!Dokumentets rod_FormelEksport...Rediger egne værktøjerRediger billedeRediger linkRediger tabelRediger _kildetekstRedigeringRedigerer filen %sKursivAktiver versionskontrol?AktiveretFejl i %(file)s ved linie %(line)i nær "%(snippet)s"Evaluer _matematikUdfold _alleUdvid journalside i indholdsfortegnelsen når den åbnesEksportEksporter alle sider til en enkelt filEksport fuldførtEksporter hver side til separat filEksporterer notesbogFejletKunne ikke køre: %sKunne ikke køre programmet %sFilen eksisterer_Skabeloner...Fil ændret på disk: %sFilen findes alleredeKunne ikke skrive til fil: %sFiltype ikke understøttet: %sFilnavnFilterFindFind _næsteFind _foregåendeFind og erstatSøg efterMarker opgaver til afslutning mandag eller tirsdag før weekendenMappeMappen findes allerede og er ikke tom; eksporteres der til denne mappe, kan det overskrive eksisterende filer. Ønsker du at fortsætte?Mappen findes: %sMappe med skabeloner til vedhæftede filerFor avanceret søgning kan man bruge operatorer som AND, OR og NOT. Se hjælpesiden for yderligere detaljer.For_matFormatFossilGNU _R-PlotHent flere plugins onlineHent flere skabeloner onlineGitGnuplotGå til forsideGå en side tilbageGå en side fremGå til underordnet sideGå til næste sideGå til overordnet sideGå til foregåendeVandrette og lodrette linjerOverskrift 1Overskrift 2Overskrift 3Overskrift 4Overskrift 5Overskrift _1Overskrift _2Overskrift _3Overskrift _4Overskrift _5HøjdeSkjul menulinje i fuldskærmsvisningSkjul stilinje i fuldskærmstilstandSkjul statuslinje i fuldskærmstilstandSkjul værktøjslinje i fuldskærmsvisningFremhæv aktuel linjeForsideIkonIkoner _og tekstBillederImporter sideInkluder undersiderIndeksIndekssideIn-line regnemaskineIndsæt kodeblokIndsæt dato og tidspunktIndsæt diagramIndsæt DitaaIndsæt formelIndsæt GNU R-plotIndsæt GnuplotIndsæt billedeIndsæt linkIndsæt nodearkIndsæt skærmbilledeIndsæt sekvensdiagramIndsæt symbolIndsæt tabelIndsæt tekst fra filIndsæt diagramIndsæt billeder som linkGrænsefladeAdgangskode til InterwikiJournalSping tilSpring til sideLabels, der angiver opgaverSidst ændretEfterlad link til ny sideVenstreVenstre sidepanelAfgræns søgning til denne side og dens undersiderLiniesorteringLinierLink-kortLink filer under dokumentets rod med fuld filstiLink tilPlaceringLog events med ZeitgeistLogfilDet ser ud som en fejl i zim!Sæt som standardprogramAdministrer tabelkolonnerSæt dokumentrod til URLMarkerSamme _store/små bogstaverMaksimal sidebreddeMenulinjeMercurialÆndretMånedFlyt sideFlyt valgt tekst...Flyt tekst til anden sideFlyt kolonne fremFlyt kolonne tilbageFlyt siden "%s"Flyt tekst tilNavnAngiv outputfil for at eksportere til MHTMLAngiv outputmappe for at eksportere fuld notesbogNy filNy sideNy _underside...Ny undersideNy _vedhæftningNæsteIngen programmer til rådighedIngen ændringer siden sidste versionIngen afhængighederDer er ikke et plugin, der kan vise dette objekt.Filen eller mappen %s findes ikkeIngen fil med navnet %sDer er ikke defineret en sådan wiki: %sIngen skabeloner installeretNotesbogEgenskaber for notesbogNotesbog _redigerbarNotesbøgerOKÅbn mappe med vedhæftede _filerÅbn mappeÅbn notesbogÅbn med...Åbn dokumentmappeÅbn dokumentets rodÅbn mappe med notesbøgerÅbn _SideÅbn link i celleÅbn hjælpÅbn i nyt vindueÅbn i nyt vindueÅbn ny sideÅbn plugin-mappeÅbn med "%s"ValgfriValgmulighederValgmuligheder for plugin'et %sAndet...OutputfilOutputfil findes, angiv "--overwrite" for at gennemtvinge eksportMappe til outputOutputmappen findes og er ikke tom, angiv "--overwrite" for at gennemtvinge eksportAngiv en placering, inden der kan eksporteresOutput skal erstatte nuværende valgOverskrivS_tilinieSideSiden "%s" og alle dens undersider og vedhæftede filer vil blive slettetSiden "%s" har ingen mappe til vedhæftede filerNavn på sideSideskabelonSiden har ændringer, der ikke er gemtSide sektionAfsnitIndtast en kommentar til denne versionBemærk, at at link til en ikke-eksisterende side opretter en ny side automatisk.Vælg navn og mappe til notesbog.Vælg en række, inden der trykkes på knappen.Start med at vælge mere end 1 tekstlinie.Vælg en notesbogPluginPlugin'et %s er påkrævet til at vise dette objekt.PluginsPortPlacering i vinduet_IndstillingerIndstillingerForegåendeUdskriv til browserProfilFremryk_EgenskaberEgenskaberSender events til Zeitgeist-tjenesten.KviknoteKviknote...Nylige ændringerNylige ændringer...Nyligt _ændrede siderKonverter wiki-opmærkningm mens der skrivesFjernFjern alleFjern kolonneFjern links fra %i side, der henviser til denne sideFjern links fra %i sider, der henviser til denne sideFjern links, når sider slettesFjern rækkeFjerner linksOmdøb sideOmdøb siden "%s"Trykkes der igen på en afkrydsningsboks, vil man gennemgå de forskellige markeringstyper for denne.Erstat _alleErstat medGendan side til gemt version?RevHøjreHøjre sidepanelPlacering af højremargenRække nedRække op_Gem version...N_odearkGem _kopi...Gem kopiGem versionGem bogmærkerGemt version fra zimScoreBaggrundsfarve for skærmScreenshot-kommandoSøgSøg i sider...Søg til_bagevisende links...AfsnitVælg filVælg mappeVælg billedeVælg en version for at se ændringerne imellem den version og den nuværende, eller vælg flere versioner for at se ændringerne imellem de versioner. Vælg format til eksportVælg outputfil eller -mappeVælg sider, der skal eksporteresVælg vindue eller områdeMarkeringSekvensdiagramServer ikke startetServer startetServer stoppetSæt nyt navnVælg standardeditorSæt til denne sideVis alle panelerVis browser til vedhæftningerVis linjenumreVis kort over linksVis sidepanelderVis indholdsfortegnelse som en flydende widget i stedet for i sidepanelet_Vis ændringerVis særskilt ikon for hver notesbogVis kalenderVis kalender i sidebjælken istedet for som dialogVis fuldt navn for sidenVis fuldt sidenavnVis hjælpe-værktøjslinjeVis på værktøjslinieVis højremargenVis cursoren - også i sider, der ikke kan redigeresVis sidens titeloverskrift i indholdsfortegnelsenEnkelt _sideStørrelseSmart HomeDer opstod en fejl under kørsel af "%s"Sorter alfabetiskSort sider efter tagsKildevisningStavekontrolStart _webserverOverstregFedSy_mbol...SyntaksSystemstandardTab-breddeTabelTabeleditorIndholdsfortegnelseTagsTags or opgaver, der ikke skal handles påOpgaveOpgavelisteSkabelonSkabelonerTekstTekstfilerTekst fra _fil...Baggrundsfarve for tekstForgrundsfarve for tekstDen angivne fil eller mappe eksisterer ikke. Efterse, at stien er opgivet korrekt.Mappen %s findes ikke. Ønsker du at oprette den nu?Mappen "%s" eksisterer ikke endnu. Ønsker du at oprette den nu?Matematik-plugin'et kunne ikke evaluere udtrykket ved markøren.Tabellen skal indeholde mindst en række! Der slettes ikke.Der er ingen ændringer i denne notesbog, siden sidste version blev gemt.Dette kan betyder, at du ikke har de rette ordbøger installeretDenne fil filndes allerede. Ønsker du at overskrive den?Denne side har ikke en mappe med vedhæftningerDette plugin lader brugeren tage et skærmbillede og indsætte det direkte i en zim-side. Dette er et core-plugin, der udgives sammen med zim. Dette plugin tilføjer en dialog, der viser alle igangværende opgaver fra denne notesbog. Aktive opgaver kan være åbne afkrydsningsbokse eller punkter markeret med "TODO" eller "FIXME". Dette er et core-plugin, der leveres med zim. Dette plugin tilføjer en dialog til hurtigt at indsætte noget tekst eller udklipsholderens Indhold i en zim-side. Dette er et core-plugin, der udgives sammen med zim. Dette plugin tilføjer et tray icon, så man hurtigt kan komme til zim. Dette plugin kræver Gtk+ version 2.10 eller nyere, Dette er et core-plugin, der udgives med zim. Dette plugin tilføjer en ekstra widget med en liste af sider som linker til den aktuelle side. Dette er et standardplugin, der kommer med zim. Dette plugin indsætter en ekstra widget, som viser en indholdsfortegnelse for den aktuelle side. Dette er et standardplugin, der kommer med zim. Dette plugin giver indstillinger, der hjælper med at bruge zim som editor uden forstyrrende elementer. Dette plugin tilføjer "Indsæt symbol"-dialogen, som tilføjer automatisk formattering af typografiske tegn. Dette er et core-plugin, der udgives sammen med zim. Dette plugin tilføjer versionskontrol for notesbøger. Dette plugin understøtter versionssystemerne Bazaar, Git og Mercurial. Dette er et standardplugin, der kommer med zim. Dette plugin gør det muligt aat indsætte kodeblokki i siden. De vil blive vist som indlejrede widgets med syntaksfarvning, linienummerering osv. Denne plugin tillader dig at inkludere aritmetiske beregninger i zim. Den er baseret på det aritmetiske modul fra http://pp.com.mx/python/arithmetic. Dette plugin giver mulighed for hurtigt at vurdere simple matematiske udtryk i zim. Dette er et core-plugin, der udgives med zim. Dette plugin giver en diagrameditor for zim baseret på Ditaa. Dette er et standardplugin, der leveres med zim. Dette plugin tilføjer en GeaphViz-baseret diagram-editor til zim. Dette er et core-plugin, der leveres med zim. Dette plugin giver en dialog med en grafisk visning af notesbogens struktur. Den kan bruges som en slags "mind map", der viser, hvordan siderne relaterer til hinanden. Dette er et core-plugin, der leveres med zin. Dette plugin giver et sideindeks filtreret efter tags, der er valgt fra en tag-sky. Dette plugin tilføjer en plot-editor baseret på GNU R i zim Dette plugin giver adgang til redigering af plots via Gnuplot. Dette plugin giver en editor til sekvensdiagrammer for zim baseret på seqdiag. Det introducerer enkel redigering af sekvensdiagrammer. Dette plugin fungerer som en måde at komme udenom manglende printerunderstøttelse i zim. Det eksporterer den nuværende side til HTML of åbner den i en browser. Såfremt browseren er sat op til udskrift, får man sine data til printeren i to skridt. Dette er et core-plugin, der udgives sammen med zim. Dette plugin indsætter en LaTeX-baseret formeleditor i zim. Dette er et core-plugin, der udgives sammen med zim. Dette plugin giver en node-editor for zim baseret på GNU Lilypond. Dette er et standardplugin leveret med zim. Dette plugin viser den aktuelle sides mappe med vedhæftninger som ikon i nederste panel. Dette plugin sorterer markerede linier i alfabetisk rækkefølge. Såfremt listen allerede er sorteret sådan, vil rækkefølgen blive omvendt (A-Å bliver til Å-A). Dette plugin gør en sektion af notesbogen til en dagbog-journal med en side pr. dag, uge eller måned. Tilføjer også en kalenderwidget til at tilgå disse sider. Dette betyder almindeligvis, at filen indeholder ugyldige tegnTitelFor at fortsætte kan du gemme en kopi af denne side eller forkaste ændringer. Gemmer du en kopi vil ændringerne også bortfalde, men kopien vil kunne genindlæses senere.For at oprette en ny notedbog skal der væles en tom mappe. Der kan naturligvis også vælges en eksisterende Zim-notesbogsmappe. IndholdsfortegnelseI_dagI dagSkift afkrydsning 'V'Skift afkrydsning 'X'Notesbog redigerbar/ikke-redigerbarØverst til venstrePanel i toppenØverst til højreIkonGør sidens navn til tag for opgavelisteTypeSlet indrykning med (Hvis deaktiveret kan fortsat anvendes)UkendtIkke angivetUden mærkerOpdatér %i side, der henviser til denne sideOpdatér %i sider, der henviser til denne sideOpdater indeksOpdater sidens overskriftOpdaterer linksOpdaterer indeksBrug %s til at skifte til sidepanelAnvend egen fontBrug en side til hverBrug til at følge links (Hvis deaktiveret kan man stadig bruge )MaskinskriftVersionskontrolVersionkontrol er ikke aktiveret for denne notesbog. Ønsker du at slå det til?VersionerLodret margenVis _annoteretVis _LogWebserverUgeVed fejlrapportering bedes nedenstående oplysninger inkluderetHelt _ordBreddeWiki-side: %sMed dette plugin kan du indlejre en tabel i wiki-siden. Tabeller vil blive vist som GTK TreeView-widgets. Ved eksport til forskellige formater, f.eks. HTML/LaTeX, anvendes disses tabelfunktioner. OrdtællingOrdtælling...OrdÅrI gårDu er i gang med at redigere en fil i et eksternt program. Du kan lukke denne dialog, når du er færdigDu kan definere egne værktjer, som vil vises i Værktøjer-menuen og værktøjslinien eller kontekstmenuer.Zim Desktop WikiZoom _ud_Om_All Paneler_Aritmetik_Tilbage_Gennemse_Bugs_Kalender_Underordnet_Ryd formattering_Luk_Sammenfold alle_IndholdK_opier_Kopiér hertil_Dato og tid..._Slet_Slet side_Forkast ændringer_Rediger_Rediger Ditaa:_Rediger formel_Rediger GNU R-Plot_Rediger Gnuplot_Rediger link_Rediger link eller objekt..._Rediger indstillinger_Rediger nodearkRediger _sekvensdiagramRediger _diagram_Kursiv_FAQ_Fil_Find..._Frem_Fuld skærm_Go_Hjælp_Fremhæv_Historik_ForsideKun _ikoner_Billede..._Importer side..._Indsæt_Spring til..._TastaturbindingerSt_ore ikoner_Link_Link til dato_Link..._Marker_Mere_Flyt_Flyt hertilF_lyt side..._Ny side..._Næste_Næste i indeks_Ingen_Normal størrelse_Nummereret liste_Åbn_Åbn anden notesbog..._Andet..._SideSide_hierarki_Overordnet_Indsæt_Forhåndsvisning_Foregående_Foregående i indeks_Udskriv til browser_Kviknote..._Afslut_Seneste sider_Gendan_Regulære udtryk_Genindlæs_Slet link_Omdøb side..._Erstat_Erstat..._Nulstil størrelse_Gendan version_Gem_Gem kopi_Skærmbillede..._Søg_Søg..._Send til..._Sidepaneler_Ved siden af hinandenS_må ikoner_Sorter linier_Statuslinie_Overstreg_Fed_Lav skrift_Høj skriftS_kabelonerKun _tekst_Helt små ikoner_Idag_Værktøjslinie_Værktøjer_Fortryd_Maskinskrift_Versioner..._Vis_Zoom indcalendar:week_start:1vandrette linjeringen linjerSkrivebeskyttetsekunderLaunchpad Contributions: Frederik 'Freso' S. Olesen https://launchpad.net/~freso Jeppe Toustrup https://launchpad.net/~tenzer Jhertel https://launchpad.net/~jhertel fsando https://launchpad.net/~fsando mjjzf https://launchpad.net/~mjjzf nanker https://launchpad.net/~nankerlodrette linjermed linjerzim-0.68-rc1/locale/el/0000755000175000017500000000000013224751170014442 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/el/LC_MESSAGES/0000755000175000017500000000000013224751170016227 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/el/LC_MESSAGES/zim.mo0000644000175000017500000016424213224750472017400 0ustar jaapjaap00000000000000V|%.}%?% %% &8&0T&&&4&& &'i'*|'!'' ' ''V'P( V( `(j(3~(Y( ) ") /) :) F)S)h){) ))$)?)/*(6*%_* *** * * ** * * *** ++)+0+?+ G+R+n+~+-+<++ + ,,,$,A,I,\,s,+,3, ,- - &- 2-=-L-k--3--- .$.7.O.o.~. . . ....0... // "/-/ 4/ A/M/ U/ a/o/~u/ / 0 0 0 )0 30 >0K0S0d0m00500 00!01#1<1O1V1i1 111 1112 22 2 2/2 @2J2vQ22*2c3i3q3x33333 333334 "4 -4 74 A4 K4 U4 _4 j4 u4 4 4444!445 65@5E5U5 \5h5y5 55555 5556 6 6)6;6 S6 a6n666 6666 66 677!7.07 _7k7q72z77777778+8 08<8 O8Y8b8 h8r888 88 8*8 999 09=9M9c99.9999::%:9: L:V:Y: r: ~: :::: : :: ;;;(;0;F; O;9[; ;I;!;'< 7<A<J<CO<0< < << < =' =V5=3=0=0="><>-C>q>y>~> > >>>> > > > >>? ?8? X?^f? ? ?? @ @>@ \@ i@v@@@@@@@ @ @@AA2AEALA\AqA yA A AA0B IBjBB BBBBBBCC(C :CHC2XC C&C C.CCD%D57D mDzD&DDD D DDDE EEE (E2E 8EEEWE\E aEkE tE~E EEEEYE?'FAgFSF=FK;G@G6G-Gx-HHoIIJ}KK LL@M}MhMNkN"ORO;IP=PvP:QjNRR79SqSwSTTT$T8TLTeTnT wT T'TTDTT UUHU cUpUUUUUPU%V.VU>VVVV V VVNV &W2W 8WFW X XX X %X^/XfXX YY Y "Y.Y4Y]J]Q]Z]a] g] q]~]]]] ]]]]] ]^[_*` `-` `LaQ]aQaZb\bbb=cAc^d,rd#d-dde/e&f7fPf9off9g5g2hEh!Zh"|h6h,h+i/iBiFWiis#j`jjj ckmkkkkkk!k ll1lBFll5l lllmKm&em mrm nn%no o ,o<9o vo1o!o!oTo[NpAp-p#q>q Zq({q;qFq5'ru]rIr's8Es%~s@sMs$3tXt+ht,ttt tt{u5uuu-u'vGvZvovvv0vvv2w/xFBx%x#x#x$xy)3y ]y?jy yYy?zQzlzF{z'zKz+6{b{'q{G{!{|B"|'e|:|A| } $}1}D}&c}.}}}})~QZ` xJH΀3#=W57ˁ539=m!͂1Jd~̃^Ճf4hd6i)ͅ+&R!e@(Ȇ7))S%jŇ6>:!y5)1KZz$Dĉ) E3y,u!-O^axڋ!j#?.Όb`1u( Ѝڍ #( @I/* Jr;֏()^RvѐIH#2A+/F4vƒ5Ւ +)U6lB;"@,`&͔0 &2L͕Jeٖ? Z {}HOiGϘGHt\T>8wf) 3K,b Ԝ"-0E=vP#[ g,%1ڟ $Qڠ, 5$@4e$6)# 5Dz$=-'3 [h5£/C(3l5֥'7 0E4vS/4/.d(.v be'm?22%Ѫa)B9l%3 3@S)b%'߬'CRap&(0ޭoǮq7d_EL +h?o?$*Ի_>_wegX%6\ ) . <If]8(ia 'M.'=De0^'o)&#   ~% .  .8K] s.}! B T u(""8C[* (AScy #4 K l+z'@X)h 8 + 8 FPf1-#"-"P s)$2"Wz*$ )Fe#" #'< dr2#)*M xp%(cmd)s returned non-zero exit status %(code)i%(n_error)i errors and %(n_warning)i warnings occurred, see log%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd NotebookAdd columnAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAuthorAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsBackLinksBackendBazaarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearClone rowCode BlockColumn 1CommandCommand does not modify dataCommentComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?Cu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?DitaaDo you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageGrid linesHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog fileLooks like you found a bugMake default applicationManaging table columnsMap document root to URLMarkMatch _caseMaximum page widthMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen helpOpen in New _WindowOpen new pageOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage has un-saved changesPage sectionParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select a row, before you push the button.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrint to BrowserProfilePromoteProper_tiesPropertiesQuick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionS_ave Version...Save A _Copy...Save CopySave VersionSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...SectionSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet default text editorShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full page nameShow in the toolbarShow right marginShow the cursor also for pages that can not be editedSingle _pageSizeSome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTaskTask ListTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The inline calculator plugin was not able to evaluate the expression at the cursor.The table must consist of at least on row! No deletion done.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.ToCTo_dayTodayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse a custom fontUse a page for eachUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWith this plugin you can embed a 'Table' into the wiki page. Tables will be shown as GTK TreeView widgets. Exporting them to various formats (i.e. HTML/LaTeX) completes the feature set. Word CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Incalendar:week_start:0horizontal linesno grid linesreadonlysecondstranslator-creditsvertical lineswith linesProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2015-06-14 17:19+0000 Last-Translator: Aggelos Arnaoutis Language-Team: Greek MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n != 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) %(cmd)s Επεστράφει μη μηδενική κατάσταση εξόδου %(code)i%(n_error)i σφάλματα και %(n_warning)i προειδοποιήσεις συνέβησαν, δείτε την καταγραφή%A, %d %B %Y%i _Συννημένο%i _Συννημένα%i _Backlink...%i _Backlinks...%i σφάλματα συνέβησαν, δείτε την καταγραφή%i αρχείο θα διαγραφεί%i αρχεία θα διαγραφούν%i ανοικτό αντικείμενο%i ανοικτά αντικείμενα%i προειδοποιήσεις συνέβησαν, δείτε την καταγραφήΗ αλλαγή στην εσοχή ενός στοιχείου λίστας, αλλάζει και τα υποστοιχεία του<Κορυφή><Άγνωστο>Ένα Wiki για την Επιφάνεια ΕργασίαςΥπάρχει ήδη ένα αρχείο με το όνομα "%s". Μπορείτε να δώσετε άλλο όνομα ή να αντικαταστήσετε το υφιστάμενο αρχείο.Ο πίνακας απαιτείται να έχει τουλάχιστον μια στήλη.Χρήση αποσπώμενων μενούΠροσθήκη ΕφαρμογήςΠροσθήκη σημειωματάριουΠροσθήκη στήληςΠροσθήκη γραμμήςΤο πρόσθετο αυτό προσθέτει υποστήριξη ορθογραφικού ελέγχου με χρήση του gtkspell. Είναι ένα από τα πρόσθετα του zim και παρέχεται μαζί του. ΣτοίχισηΌλα τα αρχείαΌλες οι εργασίεςΕπιτρέπεται η δημόσια πρόσβασηΝα χρησιμοποιείται πάντα η τελευταία θέση του κέρσορα όταν ανοίγει μια σελίδαΠαρουσιάστηκε σφάλμα κατά τη δημιουργία της εικόνας. Θέλετε παρόλα αυτά να αποθηκεύσετε το πηγαίο αρχείο;Κώδικας Σελίδας με ΕνδείξειςΕφαρμογέςΑριθμητικήΕπισύναψη αρχείουΕπισύνα_ψη αρχείουΕπισύναψη εξωτερικού αρχείουΕπισύναψη εικόνων πρώταΠεριηγητής επισυνάψεωνΣυνημμέναΔημιουργόςΑυτόματα αποθηκευμένη έκδοση από το zimΑυτόματη επιλογή της τρέχουσας λέξης όταν γίνεται εφαρμογή διαμόρφωσηςΑυτόματη μετατροπή λέξεων γραμμένων σε μορφή "CamelCase" σε δεσμούςΑυτόματη μετατροπή των διαδρομών αρχείων σε δεσμούςΑυτόματη αποθήκευσης έκδοσης σε τακτά χρονικά διαστήματαBackLinksΣύστημα ελέγχουBazaarΚάτω ΑριστεράΚάτω ΠλαίσιοΚάτω ΔεξιάΠλοήγησηΛίσ_τα με κουκίδεςΡύ_θμισηΗμερολό_γιοΗμερολόγιοΑδύνατη η τροποποίηση της σελίδας: %sΑκύρωσηΣύλληψη ολόκληρης της οθόνηςΚέντροΑλλαγή στηλώνΑλλαγέςΧαρακτήρεςΧαρακτήρες εξαιρουμένων των διαστημάτωνΈλεγχος ορ_θογραφίαςΛίστα με κουτάκιαΗ επιλογή σε ένα κουτάκι να αλλάζει και τα υφιστάμενα κουτάκιαΚλασικό εικονίδιο συστήματος. Να μη χρησιμοποιηθεί το νέου στυλ εικονίδιο κατάστασης στο UbuntuΕκκαθάρισηΚλωνοποίηση γραμμήςΜπλοκ κώδικαΣτήλη 1ΕντολήΗ εντολή δεν τροποποιεί δεδομέναΣχόλιοΟ_λόκληρο το σημειωματάριοΡύθμιση ΕφαρμογώνΡύθμιση προσθέτουΡύθμιση εφαρμογής για το άνοιγμα "%s" συνδέσμωνΡύθμιση εφαρμογής για το άνοιγμα αρχείων τύπου "%s"Θεώρησε όλα τα κουτάκια ως εργασίεςΑντιγραφή διεύθυνσης emailΑντιγραφή Προτύπου_Αντιγραφή Ως...Αντιγραφή _δεσμούΑντιγραφή _ΤοποθεσίαςΑδυναμία εύρεσης εκτελέσιμου "%s"Αδύνατη η εύρεση του σημειωματάριου: %sΑδυναμία εύρεσης πρότυπου "%s"Αδύνατη η εύρεση του αρχείου ή φακέλου αυτού του σημειωματάριουΑδυναμία φόρτωσης ορθογραφικού ελέγχουΑδύνατο ανοίγματος: %sΑδύνατη η ανάλυση της έκφρασηςΑνέφικτη ανάγνωση: %sΑδύνατη η αποθήκευση της σελίδας: %sΔημιουργία νέας σελίδας για κάθε σημείωσηΔημιουργία φακέλου;Απ_οκοπήΠροσαρμοσμένα εργαλείαΠροσαρμοσμένα _εργαλείαΠροσαρμογή...ΗμερομηνίαΗμέραΠροεπιλογήΠροεπιλεγμένη μορφοποίηση για την αντιγραφή κειμένου στο πρόχειροΠροεπιλεγμένο σημειωματάριοΚαθυστέρησηΔιαγραφή σελίδαςΝα διαγραφεί η σελίδα "%s";Διαγραφή γραμμήςΥποχώρησηΕξαρτήσειςΠεριγραφήΛεπτομέρειεςΔιά_γραμμαΝα απορριφθεί το σημείωμα;DitaaΘέλετε να επαναφέρετε τη σελίδα: %(page)s στην αποθηκευμένη έκδοση: %(version)s; Όλες οι αλλαγές που έγιναν μετά την τελευταία αποθήκευση της σελίδας, θα χαθούν!Ριζικός κατάλογος εγγράφουΕξαγ_ωγή...Επεξεργασία προσαρμοσμένου εργαλείουΕπεξεργασία εικόναςΕπεξεργασία δεσμούΕπεξεργασία πίνακαΕπεξεργασία _κώδικαΕπεξεργασίαΕπεξεργασία αρχείου: %sΈμφασηΕνεργοποίηση του ελέγχου εκδόσεωνΕνεργόΣφάλμα στο %(file)s στη γραμμή %(line)i κοντά στο "%(snippet)s"Υπολογισμός _μαθηματικής έκφρασηςΕπέκτ_αση όλωνΕξαγωγήΕξαγωγή όλων των σελίδων σε ένα αρχείοΕξαγωγή ολοκληρώθηκεΕξαγωγή κάθε σελίδας σε ξεχωριστό αρχείοΕξαγωγή σημειωματάριουΑπέτυχεΑποτυχία εκτέλεσης: %sΑποτυχημένη εκτέλεσης της εφαρμογής: %sΥφιστάμενο αρχείοΠρότυπα _ΑρχείωνΤο αρχείο τροποποιήθηκε στο δίσκο: %sΤο αρχείο υπάρχει ήδηΤο αρχείο δεν είναι εγγράψιμο: %sΜη υποστηριζόμενος τύπος αρχείου: %sΌνομα αρχείουΦίλτροΑναζήτησηΕύρεση ε_πόμενουΕύρεση προη_γούμενουΕύρεση και ΑντικατάστασηΑναζήτηση τουΦάκελοςΟ φάκελος υπάρχει ήδη και δεν είναι κενός. Αν κάνετε εξαγωγή σε αυτόν, είναι πιθανό να επικαλύψετε υπάρχοντα αρχεία. Θέλετε να συνεχίσετε;Υφιστάμενος φάκελος: %sΟ Φάκελος με πρότυπα για τα συννημένα αρχείαΣτην προχωρημένη αναζήτηση μπορείτε να χρησιμοποιήσετε τους τελεστές AND, OR και NOT. Ανατρέξτε στη σελίδα βοήθειας για περισσότερες πληροφορίες.Μορ_φοποίησηΜορφήΑπέκτησε πιο πολλά πρόσθετα διαδικτυακάΑπέκτησε πιο πολλά πρότυπα διαδικτυακάGitGnuplotΜετάβαση στην αρχική σελίδαΜετάβαση στην προηγούμενη σελίδαΜετάβαση στην επόμενη σελίδαΜετάβαση στη θυγατρική σελίδαΜετάβαση στην επόμενη σελίδαΜετάβαση στη μητρική σελίδαΜετάβαση στην προηγούμενη σελίδαΓραμμές πλέγματοςΕπικεφαλίδα 1Επικεφαλίδα 2Επικεφαλίδα 3Επικεφαλίδα 4Επικεφαλίδα 5Επικεφαλίδα _1Επικεφαλίδα _2Επικεφαλίδα _3Επικεφαλίδα _4Επικεφαλίδα _5ΎψοςΑπόκρυψη μπάρας μενού σε λειτουργία πλήρους οθόνηςΑπόκρυψη μπάρας διαδρομής σε λειτουργία πλήρους οθόνηςΑπόκρυψη μπάρας κατάστασης σε λειτουργία πλήρους οθόνηςΑπόκρυψη μπάρας εργαλείων σε κατάσταση πλήρους οθόνηςΕπισήμανση τρέχουσας γραμμήςΑρχική σελίδαΕικονίδιοΕικονίδι_α και κείμενοΕικόνεςΕισαγωγή σελίδαςΣυμπερίλιψη υποσελίδωνΕυρετήριοΣελίδα ευρετηρίουΥπολογιστής μαθηματικών εκφράσεωνΕισαγωγή μπλοκ κώδικαΕισαγωγή ημερομηνίας και ώραςΕισαγωγή διαγράμματοςΕισαγωγή DitaaΕισαγωγή συνάρτησηςΕισαγωγή GNU R PlotΕισαγωγή GnuplotΕισαγωγή εικόναςΕισαγωγή δεσμούΕισαγωγή στιγμιότυπου οθόνηςΕισαγωγή διαγράμματος ακολουθίαςΕισαγωγή συμβόλουΕισαγωγή πίνακαΕισαγωγή κειμένου από αρχείοΕισαγωγή διαγράμματοςΕισαγωγή εικόνων ως δεσμοίΔιεπαφήInterwiki Λέξη-κλειδίΧρονικόΜετάβαση σεΜετάβαση στη σελίδαΕτικέτες που καταδεικνύουν εργασίες:Τελευταία ΤροποποίησηΠαραμονή συνδέσμου προς τη νέα σελίδαΑριστεράΑριστερό Πλαϊνό ΠλαίσιοΠεριορισμένη αναζήτηση στην τρέχουσα σελίδα και τις υποσελίδεςΤαξινόμος γραμμώνΓραμμέςΧάρτης δεσμώνΧρήση πλήρους διαδρομής σε δεσμούς για τοπικά αρχείαΣύνδεση μεΤοποθεσίαΑρχείο καταγραφήςΑπ' ότι φαίνεται μόλις βρήκατε ένα σφάλμα προγραμματισμούΟρισμός ως προεπιλεγμένη εφαρμογήΔιαχείριση στηλών πίνακαΑντιστοίχηση του ριζικού καταλόγου του εγγράφου σε URLΜαρκάρισμαΤαίριασμα πεζών/_κεφαλαίωνΜέγιστο μήκος σελίδαςMercurialΤροποποίησηΜήναςΜετακίνηση σελίδαςΜετακίνηση Επιλογής...Μετακίνηση Κειμένου σε Άλλη ΣελίδαΜετακίνηση της σελίδας "%s"Μετακίνηση κειμένου σεΌνομαΑπαιτείται αρχείο εξόδου για εξαγωγή MHTMLΑπαιτείται φάκελος εξόδου για εξαγωγή πλήρους σημειωματαρίουΝέο ΑρχείοΝέα σελίδαΝέα _υποσελίδα...Νέα υποσελίδαΝέο _ΣυννημένοΔε βρέθηκαν ΕφαρμογέςΚαμία αλλαγή από την τελευταία αποθηκευμένη έκδοσηΧωρίς εξαρτήσειςΜη διαθεσιμότητα πρόσθετου για εμφάνιση αυτού του αντικειμένου.Δεν υπάρχει τέτοιο αρχείο ή κατάλογος: %sΑνύπαρκτο αρχείο: %sΔεν έχει οριστεί τέτοι wiki: %sΔεν υπάρχουν εγκατεστημένα πρότυπαΣημειωματάριοΙδιότητες σημειωματάριουΕ_πεξεργάσιμο σημειωματάριοΣημειωματάριαΕντάξειΆνοιγμα _φακέλου επισυνάψεωνΆνοιγμα φακέλουΆνοιγμα σημειωματάριουΆνοιγμα με...Άνοιγμα φακέλου του ε_γγράφουΆνοιγμα αρχι_κού καταλόγου εγγράφουΆ_νοιγμα φακέλου σημειωματάριωνΆνοιγμα ΣελίδαςΆνοιγμα βοήθειαςΆνοιγμα σε νέο παρά_θυροΆνοιγμα νέας σελίδαςΆνοιγμα με "%s"ΠροαιρετικήΕπιλογέςΕπιλογές για το πρόσθετο %sΆλλο...Αρχείο εξόδουΟ φάκελος εξόδου υπάρχει, καθορίστε "--overwrite" για εξαναγκασμένη εξαγωγήΦάκελος εξόδουΟ φάκελος εξόδου υπάρχει και δεν είναι κενός, καθορίστε "--overwrite" για εξαναγκασμένη εξαγωγήΤοποθεσία εξόδου χρειάζεται για εξαγωγήΗ έξοδος πρέπει να αντικαταστήσει την τρέχουσα επιλογήΑντικατάστασηΓρ_αμμή διαδρομήςΣελίδαΗ σελίδα "%s" και όλες οι υποσελίδες και επισυνάψεις της θα διαγραφούνΗ σελίδα "%s" δεν έχει φάκελο επισυνάψεωνΌνομα σελίδαςΠρότυπο ΣελίδαςΗ σελίδα έχει μη αποθηκευμένες αλλαγέςΤομέας σελίδαςΠαράγραφοιΕισαγάγετε σχόλιο για αυτήν την έκδοσηΠαρακαλώ σημειώστε ότι όταν δημιουργήσετε ένα δεσμό σε μία μη υπάρχουσα σελίδα, αυτή δημιουργείται αυτόματα.Παρακαλώ επιλέξτε το όνομα και ένα φάκελο για το σημειοματάριο.Παρακαλώ επιλέξτε γραμμή, πριν πατήσετε το κουμπί.Παρακαλώ επέλεξε περισσότερς από μια γραμμές.Παρακαλώ καθορίστε σημειωματάριοΠρόσθετοΤο πρόσθετο %s απαιτείται για εμφάνιση του αντικειμένου.ΠρόσθεταΘύραΘέση μέσα στο παράθυροΠ_ροτιμήσειςΠροτιμήσειςΕκτύπωση στον περιηγητήΠροφίλΠροώθησηΙδιότ_ητεςΙδιότητεςΓρήγορη σημείωσηΓρήγορη σημείωση...Πρόσφατες ΤροποποιήσειςΠρόσφατες Τροποποιήσεις...Πρόσφατα Τ_ροποποιημένες σελίδεςΕπαναμορφοποίηση κώδικα markup στο παρασκήνιοΑφαίρεση στήληςΑφαίρεση δεσμών από %i σελίδα που αναφέρονται σε αυτή τη σελίδαΑφαίρεση δεσμών από %i σελίδες που αναφέρονται σε αυτή τη σελίδαΑφαίρεση των συνδέσμων όταν διαγράφονται σελίδεςΑφαίρεση γραμμήςΓίνεται αφαίρεση δεσμώνΜετονομασία σελίδαςΜετονομασία της σελίδας "%s"Πατώντας επανειλημμένα ένα κουτάκι αλλάζουν διαδοχικά οι καταστάσεις τουΑντικατάσταση ό_λωνΑντικατάσταση μεΕπαναφορά σελίδας στην αποθηκευμένη έκδοση;ΑναθΔεξιάΔεξί Πλαϊνό ΠλαίσιοΤοποθεσία δεξιού περιθωρίουΑπο_θήκευση έκδοσηςΑποθήκευση ενός αν_τιγράφου...Αποθήκευση αντιγράφουΑποθήκευση έκδοσηςΑποθηκευμένη έκδοση από το zimΒαθμολογίαΧρώμα φόντου οθόνηςΕντολή λήψης στιγμιότυπου οθόνηςΑναζήτησηΑναζήτηση στις Σελίδες...Αναζήτηση για _Backlinks...ΤομέαςΕπιλογή αρχείουΕπιλογή φακέλουΕπιλογή ΕικόναςΕπιλέξτε μία έκδοση για να δείτε τις αλλαγές μεταξύ εκείνης και της τρέχουσας κατάστασης. Ή επιλέξτε πολλαπλές εκδόσεις για να δείτε τις διαφορές που έχουν μεταξύ τους. Επιλογή της μορφής εξόδουΕπιλογή του αρχείου ή φακέλου εξόδουΕπιλογή σελίδων για εξαγωγήΕπιλογή παραθύρου ή περιοχήςΕπιλογήΔιάγραμμα ακολουθίαςΟ εξυπηρετητής δεν εκκινήθηκεΟ εξυπηρετητής εκκινήθηκεΟ εξυπηρετητής τερματίστηκεΟρισμός προεπιλεγμένου επεξεργαστή κειμένουΠροβολή Όλων των ΠλαισίωνΠροβολή Πλοηγητή ΣυννημένωνΕμφάνιση αριθμών γραμμήςΕμφάνιση χάρτη δεσμώνΠροβολή Πλαϊνού ΠλαισίουΕμφάνιση του Πίνακα ως πλεούμενου χειριστήριου αντί για πλαϊνούΕμ_φάνιση αλλαγώνΕμφάνιση ξεχωριστού εικονιδίου για κάθε σημειωματάριοΕμφάνιση ημερολογίουΕμφάνιση του ημερολογίου στην πλευρική μπάρα αντί διαλόγουΕμφάνιση ονόματος πλήρους σελίδαςΕμφάνιση στην εργαλειοθήκηΕμφάνιση δεξιού περιθωρίουΕμφάνιση του δρομέα ακόμα και στις σελίδες οι οποίες δεν μπορούν να τροποποιηθούνΜία _σελίδαΜέγεθοςΠαρουσιάστηκε κάποιο σφάλμα κατά την εκτέλεση του "%s"Αλφαβητική ταξινόμησηΤαξινόμηση σελίδων ανά ετικέταΠροβολή πηγήςΈλεγχος ορθογραφίαςΕκκίνηση εξυπηρετητή _ΙστούΜεσογράμμισηΈντοναΣύ_μβολο...ΣύνταξηΠροεπιλογή ΣυστήματοςΠλάτος καρτέλαςΠίνακαςΕπεξεργαστής πίνακαΠίνακας ΠεριεχομένωνΕτικέτεςΕργασίαΛίστα εργασιώνΠρότυποΠρότυπαΚείμενοΑρχεία κειμένουΚείμενο από αρ_χείο...Χρώμα κειμένου φόντουΧρώμα κειμένου προσκηνίουΤα αρχείο ή ο φάκελος που καθορίσατε δεν υπάρχει. Παρακαλώ σιγουρευτείτε ότι η διαδρομή είναι σωστή.Ο φάκελος %s δεν υπάρχει. Επιθυμείτε να το δημιουργήσετε τώρα;Ο φάκελος "%s" δεν υπάρχει. Επιθυμείτε να το δημιουργήσετε τώρα;Το πρόσθετο υπολογισμού μαθηματικών εκφράσεων απέτυχε να υπολογίσει την έκφραση στη θέση του δρομέα.Ο πίνακας πρέπει να αποτελείται από τουλάχιστον μια γραμμή! Καμία διαγραφή δεν πραγματοποιήθηκε.Δεν έχει γίνει καμία αλλαγή από την τελευταία αποθηκευμένη έκδοση του σημειωματάριουΑυτό μπορεί να είναι ένδειξη ότι δεν έχουν εγκατασταθεί τα απαραίτητα λεξικάΤο αρχείο υπάρχει ήδη. Θέλετε να το αντικαταστήσετε;Αυτή η σελίδα δεν έχει φάκελο επισυνάψεωνΤο πρόσθετο αυτό επιτρέπει τη λήψη ενός στιγμιοτύπου οθόνης και την εισαγωγή του σε μία σελίδα του zim. Είναι ένα από τα πρόσθετα του zim και παρέχεται μαζί του. Αυτό το ένθετο προσθέτει ένα διάλογο που εμφανίζει όλες τις εκκρεμείς ενέργειες σε ένα σημειωματάριο. Εκκρεμείς ενέργειες αποτελούν είτε κουτάκια ελέγχου που δεν έχουν τσεκαρισιτεί ή στοιχεία που έχουν σημειωθεί με ετικέτες όπως "TODO" ή "FIXME". Είναι ένα κεντρικό ένθετο που παρέχεται με τη διανομή του zim. Το πρόσθετο αυτό παρέχει ένα διάλογο μέσω του οποίου μπορείτε εύκολα να εισάγετε κείμενο ή τα περιεχόμενα του προχείρου σε μία σελίδα του zim. Είναι ένα από τα πρόσθετα του zim και παρέχεται μαζί του. Το πρόσθετο αυτό προσθέτει το Εικονίδιο πλαισίου συστήματος του zim για γρήγορη πρόσβαση στα σημειωματάρια. Το πρόσθετο εξαρτάται από την έκδοση 2.10 της Gtk+ (ή νεότερη). Είναι ένα από τα πρόσθετα του zim και παρέχεται μαζί του. Το πρόσθετο αυτό προσθέτει ένα επιπλέον πλαίσιο που προβάλει τη λίστα με τις σελίδες που περιέχουν συνδέσμους που οδηγούν στην τρέχουσα σελίδα. Το πρόσθετο αυτό είναι βασικό και έρχεται μαζί με το zim. Αυτό το ένθετο προσθέτει ένα νέο χειριστήριο που εμφανίζει τον πίνακα περιεχομένων της τρέχουσας σελίδας. Πρόκειται για ένα βασικό ένθετο της διανομής του zim. Το πρόσθετο αυτό εισάγει το διάλογο 'Εισαγωγή συμβόλου' και κάνει δυνατή τη χρήση τυπογραφικών χαρακτήρων. Είναι ένα από τα πρόσθετα του zim και παρέχεται μαζί του. Αυτό το ένθετο παρέχει έλεχγο εκδόσεων για τα σημειωματάρια. Το ένθετο υποστηρίζει τα συστήματα ελέγχου εκδόσεων Bazzar, Git και Mercurial. Είναι ένα κεντρικό ένθετο που παρέχεται με τη διανομή του zim. Αυτό το πρόσθετο επιτρέπει την εισαγωγή 'μπλοκ κώδικα' σε αυτή τη σελίδα. Αυτά θα εμφανιστούν σαν ενσωματωμένα γραφικά στοιχεία με επισήμανση σύνταξης, αρίθμηση γραμμών κλπ. Το πρόσθετο αυτό επιτρέπει την ενσωμάτωση αριθμητικών υπολογισμών στο zim. Είναι βασισμένο στο αριθμητικό άρθρωμα από http://pp.com.mx/python/arithmetic. Το πρόσθετο αυτό υπολογίζει απλές μαθηματικές εκφράσεις στο zim. Είναι ένα από τα πρόσθετα του zim και παρέχεται μαζί του. Αυτό το ένθετο παρέχει έναν συντάκτη διαγραμμάτων για το zim, βασισμένο στο Dita.. Είναι ένα κεντρικό ένθετο που διανείμεται με το zim. Το πρόσθετο αυτό παρέχει έναν επεξεργαστή διαγραμμάτων για το zim βασισμένο στο GraphViz. Είναι ένα από τα πρόσθετα του zim και παρέχεται μαζί του. Το πρόσθετο αυτό παρέχει μία γραφική αναπαράσταση της διάρθρωσης των δεσμών του σημειωματάριου. μπορεί να χρησιμοποιηθεί σαν ένα είδος "χάρτη" που εμφανίζει τον τρόπο με τον οποίο συνδέονται οι σελίδες μεταξύ τους. Είναι ένα από τα πρόσθετα του zim και παρέχεται μαζί του. Αυτό το ένθετο παρέχει ένα ευρετήριο σελίδων που φιλτράρεται με βάση την επιλογή ετικετών από ένα σύνεφο. Το πρόσθετο αυτό παρέχει έναν επεξεργαστή σχεδιαγραμμάτων βασισμένο στο GNU R. Αυτό το ένθετο παρέχει ένα συντάκτη γραφημάτων για το zim, βασισμένο στο Gnuplot. Αυτό το πρόσθετο παρέχει έναν επεξεργαστή διαγραμμάτων ακολουθίας για τον zim βασισμένο στο seqdiag. Επιτρέπει την εύκολη επεξεργασία των διαγραμμάτων ακολουθίας. Το πρόσθετο αυτό αποτελεί μια προσωρινή λύση για την έλλειψη υποστήριξης εκτύπωσης στο zim. Μετατρέπει και εξάγει την τρέχουσα σελίδα σε html και την ανοίγει τον περιηγητή ιστοσελίδων σας. Εφόσον ο περιηγητής ιστοσελίδων σας έχει υποστήριξη εκτύπωσης, θα μπορέσετε να εκτυπώσετε τα δεδομένα σας, έστω και έμμεσα. Είναι ένα από τα πρόσθετα του zim και παρέχεται μαζί του. Το πρόσθετο αυτό παρέχει έναν επεξεργαστή συναρτήσεων για το zim βασισμένο στο latex. Είναι ένα από τα πρόσθετα του zim και παρέχεται μαζί του. Αυτό το ένθετο ταξινομεί τις επιλεγμένες γραμμές με αλφαβητική σειρά. Αν είναι ήδη ταξινομημένες, τότε αντιστρέφεται η ταξινόμηση (A-Ω σε Ω-Α). Συνήθως πρόκειται για ένδειξη ότι το αρχείο περιέχει μη αποδεκτούς χαρακτήρεςΤίτλοςΓια να συνεχίσετε θα πρέπει να αποθηκεύσετε ένα αντίγραφο της σελίδας, αλλιώς οι αλλαγές σας θα χαθούν. Αν κάνετε αποθήκευση, οι αλλαγές θα χαθούν και πάλι, αλλά θα μπορείτε να τις επαναφέρετε αργότερα από το αντίγραφο.ΠΠΣήμε_ραΣήμεραΣημείωση ως OK (V)Σημείωση ως NOK (X)Εναλλαγή δυνατότητας επεξεργασίας σημειωματάριουΠάνω ΑριστεράΠάνω ΠλαίσιοΠάνω ΔεξιάΕικονίδιο πλαισίου συστήματοςΜετατροπή ονομάτων σελίδων σε ετικέτες για τις ενέργειεςΤύποςΑφαίρεση εσοχής με το (Αν είναι απενεργοποιημένο, μπορείτε να χρησιμοποιήσετε το )ΆγνωστηΜη καθορισμένοΧωρίς ετικέταΕνημέρωση %i σελίδας που έχει δεσμούς σε αυτήν τη σελίδαΕνημέρωση %i σελίδων που έχουν δεσμούς σε αυτήν τη σελίδαΕνημέρωση ΕυρετηρίουΕνημέρωση της κεφαλίδας αυτής της σελίδαςΓίνεται ενημέρωση δεσμώνΕνημέρωση ευρετηρίουΧρήση προσαρμοσμένης γραμματοσειράςΧρήση μίας σελίδα για κάθεΧρήση του για ακολούθηση δεσμών (Αν είναι απενεργοποιημένο, χρησιμοποιήστε το )ΑυτολεξίΈλεγχος εκδόσεωνΟ έλεγχος εκδόσεων δεν είναι ενεργός για αυτό το σημειωματάριο. Θέλετε να τον ενεργοποιήσετε;ΕκδόσειςΚατακόρυφο περιθώριοΕμφ_άνιση με ΕνδείξειςΕμφάνιση _καταγραφήςΕξυπηρετητής ΙστούΕβδομάδαΌταν καταγράφετε ένα σφάλμα παρακαλούμε να περιλαμβάνετε την πληροφορία από το κουτί κειμένου που ακολουθείΠλήρης _λέξηΠλάτοςΒικισελίδα: %sΜε αυτό το πρόσθετο μπορείς να ενσωματωθεί ένα 'πίνακας' σε σελίδα wiki. Οι πίνακες εμφανίζονται σαν γραφικά στοιχεία GTK TreeView. Η εξαγωγή αυτών σε διάφορες μορφές (π.χ. HTML/LaTeX) ολοκληρώνει το σύνολο χαρακτηριστικών. Μέτρηση λέξεωνΜέτρηση λέξεωνΛέξειςΈτοςΧθεςΤο αρχείο είναι ανοικτό σε μία εξωτερική εφαρμογή. Μπορείτε να κλείσετε αυτό το παράθυρο όταν τελειώσετεΜπορείτε να καθορίσετε ποια προσαρμοσμένα εργαλεία θα εμφανίζονται στο μενού εργαλείων και στην εργαλειοθήκη ή τα αναδυόμενα μενούZim Wiki Επιφάνειας ΕργασίαςΑπεστίαση_Περί_Όλα τα Πλαίσια_Αριθμητική_ΠίσωΠεριήγησηΣ_φάλματαΗμερολό_γιο_Κάτω_Εκκαθάριση μορφοποίησης_Κλείσιμο_Σύμπτυξη όλωνΠεριε_χόμεναΑντι_γραφήΑντι_γραφή ΕδώΗ_μεροηνία και ώρα_Διαγραφή_Διαγραφή σελίδαςΑπό_ρριψη αλλαγών_Επεξεργασία_Επεξεργασία DitaaΕ_πεξεργασία εξίσωσης_Επεξεργασία GNU R Plot_Επεξεργασία GnuplotΕ_πεξεργασία δεμού_Επεξεργασία δεσμού ή αντικειμένου..._Επεξεργασία ΙδιοτήτωνΈμ_φαση_Συχνές ερωτήσεις_Αρχείο_Εύρεση..._Μπροστά_Πλήρης οθόνη_Μετάβαση_ΒοήθειαΕπι_σήμανση_Ιστορικό_ΑρχικήΕ_ικονίδια μόνο_Εικόνα...Ε_ισαγωγή σελίδας...Ε_ισαγωγήΜετάβαση σε...Συντομεύσεις πλη_κτρολογίουΜεγά_λα εικονίδια_Δεσμός_Δεσμός στην ημερομηνία_Δεσμός..._Μαρκάρισμα_Περισσότερα_Μετακίνηση_Μετακίνηση Εδώ_Μετακίνηση σελίδας..._Νέα σελίδα..._ΕπόμενοΕπόμε_νη στο ευρετήριο_ΤίποταΚα_νονικό ΜέγεθοςΑριθμημέ_νη ΛίσταΆν_οιγμαΆν_οιγμα νέου σημειωματάριου...Ά_λλα..._ΣελίδαΠάν_ωΕ_πικόλληση_Προεπισκόπηση_ΠροηγούμενοΠροη_γούμενη στο ευρετήριοΕμφάνι_ση στον περιηγητή_Γρήγορη σημείωση...'Ε_ξοδοςΠ_ρόσφατες σελίδεςΑ_κύρωση αναίρεσης_Κανονική έκφραση_ΕπαναφόρτωσηΑ_φαίρεση δεσμούΜετονομασία _σελίδας..._Αντικατάσταση_Αντικατάσταση...Επαναφο_ρά μεγέθουςΕπαναφο_ρά έκδοσης_ΑποθήκευσηΑποθήκευ_ση αντιγράφουΣ_τιγμιότυπο οθόνηςΑνα_ζήτησηΑνα_ζήτηση...Αποστολή π_ρος...Π_λαϊνά Πλαίσια_Σε αντιπαραβολή_Μικρά εικονίδιαΤαξινόμηση γραμμώνΓ_ραμμή κατάστασηςΜεσο_γράμμισηΈ_ντονα_ΔείκτηςΕκ_θέτης_Πρότυπα_Κείμενο μόνοΠολύ μικρά _εικονίδια_ΣήμεραΕργαλειο_θήκηΕρ_γαλεία_ΑναίρεσηΑ_υτολεξίΕ_κδόσεις..._ΠροβολήΕστίασηημερολόγιο:αρχή_εβδομάδας:0οριζόντιες γραμμέςκαμία γραμμή πλέγματοςΜόνο για ανάγνωσηδευτερόλεπταLaunchpad Contributions: Aggelos Arnaoutis https://launchpad.net/~angelosarn Constantinos Koniaris https://launchpad.net/~kostkon Jaap Karssenberg https://launchpad.net/~jaap.karssenberg Melsi Habipi https://launchpad.net/~mhabipi Spiros Georgaras https://launchpad.net/~sngeorgaras paxatouridis https://launchpad.net/~paxatouridis-deactivatedaccount tkout https://launchpad.net/~tkout tzem https://launchpad.net/~athmakrigiannisκάθετες γραμμέςμε γραμμέςzim-0.68-rc1/locale/zh_CN/0000755000175000017500000000000013224751170015043 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/zh_CN/LC_MESSAGES/0000755000175000017500000000000013224751170016630 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/zh_CN/LC_MESSAGES/zim.mo0000644000175000017500000012472713224750472020005 0ustar jaapjaap00000000000000|(,(. )?9) y)) ))0)*-*4K** **i** +!4+V+ f+ s+ +-++V+, , (,2,3F,Yz,, , , - --0-C- V- b-o- v--$-?-/-($.%M.s. ... .. . . . . .. . / /!/*/B/I/^/e/t/ |////-/</-0 30 =0H0Q0Y0v0~00000+031 E1f1 y1 1 111113292W2j2222222 2 2 33330%3V3g3 m3y3 33 3 33 3 333$3~4 4 4 44 4 4 4 44555655>5t5 5(55!55#56)606C6 a6m66 666666 66 7 76$7[7vb77*7c8z888 888888 8889 929 F9 Q9 [9 e9 o9 y9 9 9 9 9 9999!:#:C: Z:d:i:y: ::: ::::: :;;%; 4; A; M;Z;l; ; ;;;; ;;;; << (<6<M<R<.a< <<<<<<<<<=*=C= H=T=g= o=y== ====== => >*)>T>]>f> w>>>>>>.> ?'?8?Q?h?q?? ??? ? ? ???@ %@0@ G@Q@d@ x@@@@@@@ @9@ AI-A!wA'A AAACA0B NB XBfB B B'BVB3C0JC0{CCC-CCDD D ,D8D=DNDVD ^D jD&uD D DDDDDE E E^.E E EE EE>E $F 1F>F]FaFgFwFFFFFF F FFFGG G3G:GJG_G gG sG GGH 7HXHsH HHHHH HHHII7I IIWI2gI I&I I.I J J4JHJ\J5nJ&J JJJ&JK'K :K FKTKfKmK tKKK KK KKKKK KK K L LL,LBLYXL?LALS4M=MKM@N6SN-NxN1OOP Q}QL RYRRST}Th%UkUURV;!W=]WvWXj&YnY]Z^ZZ7s[[[|M\\\\\\]]%] .] 8]'B]j]Do]] ]]H] ^'^G^V^!e^^^P^^_U_m_v__ _ __N_ _ ` `` ` ``` `^afgaa aa a ab bb b%b,b>b Eb Sb]b cbnbb bbb bbb b bb c c&c =c KcUcZc`cic rc~cc ccc c ccc c c cc c dddd %d 0d >dKdQd`d fdsddd dddddd ddd ee e,e2eFe Ne[eke te eee eee e e e e e f ff"f *f 5f Bf Mf Xfdfkftf{f f fffff ffffg gg h,iK/i{iii%iii$ j<1jnjtj jjjjj jk k! k Bk,Lkyk k kk0k4kl ,l 9l FlSldlwlllll l ll'l&mZ a n%x Ąׄ63 DNj q {Ʌ Ѕ ޅ  3@GWq x R *C \ is؇ .'>f$w ˆۈ'*Rq lj ݉  !, 3 @JN^el  ՊF5B;x?+N $o\ό,&jK"ndvYk1ŒYQ@7W5VŔnD7ϖy*#NTUm *1Mi ' T C P Z%g  ʚT ` g[tЛ כ 3Rcj| 1>NUYN`[  '2 C N Yd u   ̞מ   /:K\r џ    + 6 A LW h s~   ͠ ۠    $ /:N_ p ~ ۡ     ) 7E\ p{ ͢  '8 L We v ţ У ۣ     + 6 AL ] hs Ʃ ͩ This plugin provides bar for bookmarks. %(cmd)s returned non-zero exit status %(code)i%(n_error)i errors and %(n_warning)i warnings occurred, see log%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd columnAdd new bookmarks to the beginning of the barAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAttachments:AuthorAuto WrapAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsBack to Original NameBackLinksBackLinks PaneBackendBacklinks:BazaarBookmarksBookmarksBarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearClone rowCode BlockColumn 1CommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?CreatedCu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to delete all bookmarks?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExpand journal page in index when openedExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatFossilGNU _R PlotGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageGrid linesHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationManaging table columnsMap document root to URLMarkMatch _caseMaximum page widthMenubarMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove column aheadMove column backwardMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNextNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen cell content linkOpen helpOpen in New WindowOpen in New _WindowOpen new pageOpen plugins folderOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage has un-saved changesPage sectionParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select a row, before you push the button.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrevPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionRow downRow upS_ave Version...S_coreSave A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...SectionSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet New NameSet default text editorSet to Current PageShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full Page NameShow full page nameShow helper toolbarShow in the toolbarShow right marginShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTags for non-actionable tasksTaskTask ListTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The inline calculator plugin was not able to evaluate the expression at the cursor.The table must consist of at least on row! No deletion done.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse %s to switch to the side paneUse a custom fontUse a page for eachUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWith this plugin you can embed a 'Table' into the wiki page. Tables will be shown as GTK TreeView widgets. Exporting them to various formats (i.e. HTML/LaTeX) completes the feature set. Word CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Incalendar:week_start:0horizontal linesno grid linesreadonlysecondstranslator-creditsvertical lineswith linesProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-11-15 05:18+0000 Last-Translator: jo cun Language-Team: Simplified Chinese MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=1; plural=0; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) 这个插件显示书签栏 %(cmd)s 返回非零的退出状态 %(code)i出现了 %(n_error)i 个错误和 %(n_warning)i 个警告, 请查看日志%Y 年 %B 月 %d 日 %A%i 个附件(_A)%i 个反向链接...出现 %i 个错误,请查看日志%i文件将被删除%i 个打开的项目出现 %i 个警告, 请查看日志缩进(或取消)一个列表时也缩进它的子列表未知文件名的占位符桌面wiki%s文件已存在表格必须至少包含一列.为菜单增加剪切线添加应用程序添加书签添加笔记本增加列新书签添加到书签栏最前添加行使用 gtkspell 来增加拼写检查功能 对齐所有文件所有任务允许公开访问打开页面时光标始终置于上一次位置生成图像失败。 还是需要保存文件吗?附注的页面源代码应用程序算术运算附加文件添加附件(_F)附加外部文件先将图片添加为附件附件浏览器附件附件作者自动 换行自动缩进zim 自动保存的版本当应用格式时自动选择当前词自动将"CamelCase"词转换为链接自动将路径转换为链接以常规时间间隔自动保存版本改回原名称反向链接反向链接窗格后端反向链接:Bazaar书签书签栏左下角底部窗格右下角浏览项目符号列表配置(_O)日历(_D)日历不能修改页面: %s取消截取全屏居中更改列名称改动字符数字符数(不计空格)拼写检查(_S)可复选列表勾选复选框时也勾选它的子项经典托盘图标, 不要在 Ubuntu 上使用新风格的状态图标清除复制行代码块第 1 列命令命令不修改数据备注Common include footerCommon include header整个笔记本(_N)配置应用程序配置插件配置用于打开“%s”链接的程序配置用于打开“%s”类型文件的程序将所有选中项作为任务复制电子邮件地址复制模板拷贝为(_A)...复制链接(_L)复制地址(_L)无法找到程序 "%s"无法找到笔记本: %s无法找到 "%s" 模板没有找到这个笔记本的文件或文件夹无法载入拼写检查不能打开:%s不能解析表达式无法读取:%s无法保存页面: %s为每个笔记创建一个新页面创建目录吗?创建日期剪切(_T)自定义工具自定义_工具自定义...日期天默认复制到剪贴板文本的默认格式默认记事本延迟删除页面确定删除"%s"?删除行降级依赖关系说明详细信息图形(_G)...丢弃笔记?免打扰编辑模式Ditaa确定删除所有书签?将要恢复此页面:%(page)s 它来源于此版本:%(version)s 你确定要这样吗? 保存的所有改变都会丢失!文档根目录E_quation导出(_X)编辑自定义工具编辑图像编辑链接编辑表格编辑源码(_S)编辑正在编辑文件:%s斜体启用版本控制?已启用文件 %(file)s 的第%(line)i 行, 在 "%(snippet)s" 附近有错误执行计算展开所有(_A)内容在索引列展开日志页面导出所有页面导出至单个文件导出成功每个页面分别导出至一个文件导出笔记本失败运行失败:%s应用程序运行失败: %s文件已存在文件模板(_T)文件已发生变化:%s文件已存在文件不可写:%s不支持的文件类型: %s文件名过滤器查找查找下一个(_X)查找上一个(_V)查找替换查找将任务标记为在周末前的周一或周二到期文件夹文件夹已存在且非空,导出到这个文件夹可能导致已存在的文件被覆盖。继续吗?文件夹已经存在: %s包含附件文件模板的文件夹你可以使用操作符 AND、OR 和 NOT 实现高级搜索功能。详细内容参见帮助页。格式(_M)格式FossilGNU_R Plot联网获取更多插件联网获取更多模板GitGnuplot主页向后翻页向前翻页转到子页面转到下一页转到上级页面转到上一页网格线标题 1标题 2标题 3标题 4标题 5一级标题(_1)二级标题(_2)三级标题(_3)四级标题(_3)五级标题(_5)高度全屏模式中隐藏菜单栏全屏模式中隐藏路径栏在全屏模式下隐藏状态栏全屏模式中隐藏工具栏高亮当前行首页图标图标和文字(_A)图片导入页面包括子页面目录索引页内置计算器插入代码块插入日期与时间插入图形插入 ditaa 绘图插入公式插入 GNU R 绘图插入Gnuplot绘图插入图片插入链接插入乐谱插入屏幕截图插入时序图插入符号插入表格从文件插入文本插入图形以链接方式插入图像界面内部维基关键词日志跳转到跳转到页面使用标签标注任务最后更改保留到新页面的链接左对齐左侧窗格只搜索该页面及其子页面行排序行链接图链接到位置使用 Zeitgeist 记录事件日志看起来你发现了一个Bug设置默认程序管理表格的列把文档根映射为URL下划线匹配大小写(_C)最大页面宽度菜单栏Mercurial修改日期月移动页面移动已选文本...移动文本到其它页面向前移动列向后移动列移动页面 "%s"移动文本到名称需要输出文件以导出MHTML需要输出文件夹以导出整个笔记本新建文件新建页面新建子页面(_U)新子页面新附件(_A)下一个未找到应用程序没有做出任何修改无依赖关系没有可用插件以显示这个对象没有这个文件或文件夹: %s无此文件:%s该内部链接 %s 无效没有安装模板记事本笔记本属性笔记本可编辑(_E)记事本确定打开附件目录(_F)打开目录打开笔记本打开方式...打开文档目录(_D)打开文档根目录(_D)打开笔记本目录(_N)打开页面(_P)打开链接打开帮助在新窗口中打开在新窗口中打开(_W)打开新页面打开插件文件夹使用 "%s" 打开可选的选项插件 %s 的选项其它...输出文件导出文件已存在, 可以使用"--overwrite"以强制导出输出文件夹输出文件夹已存在, 并且非空, 可以使用"--overwrite"以强制导出.需要指定输出位置才能导出执行结果会替换当前所选覆写路径栏(_A)页面页面“%s”和所有它的子页面及附件都将被删除。页面 "%s" 并没有用于摆放附件的文件夹页面名称页模板页面尚未保存页面段落段落请为此版本添加一个注释请注意,链接到一个不存在的页面 将会自动创建一个新页。请给笔记选择一个名称和目录点击按钮前请先选择一行.请首先选择多于一行的文本请指定一个笔记本插件需要 %s 插件以显示这个对象插件端口窗口中的位置首选项(_E)首选项上一个打印至浏览器属性提升属性(_T)属性向 Zeitgeist 守护进程推送事件信息。快速笔记快速笔记...最近更改最近更改...最近更改的页面(_C)...实时格式化 wiki 代码移除移除全部移除列移除从第 %i 页到本页的链接删除页面时移除链接删除行正在删除链接重命名页面重命名页面 "%s"反复点击复选框会循环切换复选框的状态替换全部(_A)替换为从版本的恢复此页面版本右对齐右侧窗格右边界位置向下移动行向上移动行保存版本(_A)S_core另存为(_C)保存副本保存版本保存书签zim 保存的版本次数屏幕背景颜色截图命令查找搜索页面...搜索反向链接(_B)...章节选择文件选择文件夹选择图片选择一个或多个版本,用于查看这些版本与当前版本的区别。 选择导出的格式选择输出文件或文件夹选择要导出的页面选中的窗口或区域选中区域时序图服务器未开启服务器已启动服务器已停止设置新名称设置默认文本编辑器设为当前页显示所有窗格显示附件浏览器显示行号显示链接图显示侧窗格浮动显示目录(代替侧面板)显示改动(_C)为每个笔记显示不同的图标显示日历将日历作为侧边栏显示完整页面名称显示完整页面名称显示帮助栏显示在工具栏中显示右边界不可编辑的文档仍然显示光标在目录中显示页面标题单个页面(_p)大小智能Home键运行"%s"时发生错误按字母顺序排序按标签排序页面Source View拼写检查器启动Web服务器(_W)删除线粗体符号(_m)语法系统默认Tab宽度表表格编辑器目录标签尚无法执行的任务标签任务任务列表模板模板文本文本文件来自文件(_F)...文本背景颜色文字的前景色指定的文件或文件夹不存在。 请检查路径是否正确。文件夹 %s 不存在。 您想现在创建它吗?文件夹 “%s” 不存在。 您想现在创建它吗?内置计算器无法计算鼠标指针所处位置的表达式表格必须至少包含一行. 未删除.自从上次保存之后到现在为止,记事本中没有做出任何修改你可能没有安装合适的词典这个文件已经存在。该页面不包含附件目录这个插件可以获取屏幕快照并且插入到页面中。 这是一个核心插件。 此插件将会用对话框来显示记事本里面所有的开放任务。 开放任务包括所有的复选项和标记有“TODO”和“FIXME”标签的项目。 此插件是 zim 的核心插件。 此插件会显示一个对话框,可以将文本或剪切板内容快速的粘贴到 zim 页面中。 此插件是随 zim 共同分发的核心插件。 此插件会增加一个用以快速访问的托盘图标。 这个插件依赖于 GTK+ 2.10以上版本。 此插件是 zim 的核心插件。 此插件会在窗口中添加一个小部件, 显示链接到当前页面的所有页面列表。 此插件为 zim 自带的核心插件。 此插件添加一个额外的控件来显示当面页面的目录。 这是 zim 自带的核心插件。 此插件添加了部分设置以将 zim 作为免打扰编辑器使用。 该插件将添加“插入符号”对话框并允许 可打印字符进行自动排列。 这是一个由 zim 提供的核心插件。 此插件为笔记本添加版本控制功能。 此插件支持 Bazaar, Git 及 Mercurial 版本控制系统。 这是 zim 自带的核心插件。 此插件可在页面中插入"代码块", 以嵌入式组件的形式显示语法高亮, 行号等 此插件可在 zim 中嵌入算数计算。 此插件基于 http://pp.com.mx/python/arithmetic 中的算数模块。 这个插件可以快速帮你确定一个数学表达式。 这是一个核心插件。 此插件为 zim 提供基于 Ditaa 的绘图。 此插件提供一个基于 GraphViz 的图形编辑器。 这是 zim 的核心插件。 此插件提供了一个记事本的图形化的链接结构描述对话框。 他能用于类似于“Mind Map”这样的软件来展示页面间的关系。 此插件是 zim 的核心插件。 该插件依据标签云中的所选标签,生成页面索引 此插件提供 zim 基于 GNU R 的绘图编辑器。 该插件提供一个基于Gnuplot的绘图编辑器 此插件为zim提供一个基于seqdiag的时序图编辑器, 易于编辑时序图. 此插件给 zim 提供了一个更好打印解决方案。 他可以将当前页导出到 HTML 页面并用浏览器打开。 如果浏览器支持打印,则可以很容易的将页面打印出来。 此插件是随 zim 一同分发的核心插件。 此插件提供了一个基于 Latex 的公式编辑器。 此插件是随 zim 一同分发的核心插件。 此插件为 zim 提供一基于 GNU Lilypond 的乐谱编辑器。 这个插件会在底栏显示附件文件夹的图标 该插件按字母顺序对选定的行进行排序 如果选定的行已经是有序的,则会逆序 (A-Z 变成 Z-A) 此插件将笔记本的一个章节设为日志,日志可以每天一页,每周一页, 或者每月一页。可以通过日历控件访问这些页面。 这通常意味着文件包含无效字符标题你可以保存此页或放弃修改。如果保存失败,稍后还可以复原。你需要选择一个空文件夹来创建新的笔记本. 当然你也可以选择打开已有的笔记本. 目录今天(_D)今天切换复选框为“钩”切换复选框为“叉”切换笔记本编辑状态左上角顶部窗格右上角系统托盘图标将页面名称作为任务项的标签文件类型使用“删除键”取消缩进 (如果禁用也可以使用“Shift + Tab”)未知状态未指定没有标签更新从 %i 到本页的页面链接更新索引更新此页的标题更新链接更新索引使用%s切换侧窗格使用自定义字体每个一个页面使用“回车键”跟进链接 (如果禁用也可以使用“Alt + Enter”)逐字版本控制当前笔记本没有启用版本控制。 需要在当前笔记本启用版本控制吗?版本垂直余量查看附加说明(_A)查看日志(_L)Web 服务器周提交错误时请包含以下文本框中的信息整词查找(_W)宽度维基页面:%s利用此插件可以在页面中插入表格。 表格会显示为GTK TreeView部件。 表格可导出为不同的格式(比如,HTML或LaTeX格式),补完表格功能。 字数统计字数统计...字数年昨天您正在使用外部程序编辑文件,完成后你可以关闭对话框。你可以设置自定义工具, 它们会出现在菜单、工具栏和右键菜单中。Zim 桌面维基缩小(_O)关于(_A)所有窗格(_A)算术(_A)后退(_B)浏览(_B)报告错误(_B)日历(_C)子对象(_C)清除格式(_C)关闭(_C)折叠所有(_C)内容内容(_C)复制(_C)复制到此处(_C)日期与时间(_D)...删除(_D)删除页面(_R)放弃更改(_D)编辑(_E)编辑(_E) Ditaa编辑公式(_E)编辑 GNU R Plot(_E)编辑Gnuplot(_E)编辑链接(_E)编辑链接或对象(_E)..._编辑属性编辑乐谱(_E)编辑时序图(_E)编辑图形(_E)斜体(_E)常见问题(_F)文件(_F)查找(_F)...前进(_F)全屏(_F)转到(_G)帮助(_H)高亮显示(_H)历史(_H)主页(_H)只显示图标(_I)图像(_I)...导入页面(_I)插入(_I)跳转到(_J)...快捷键(_K)大图标(_L)链接(_L)链接到日期(_L)链接(_L)...下划线(_M)更多(_M)移动(_M)移动到此处(_M)移动页面(_M)新建页面(_N)下一个(_N)下一页(_N)无(_N)正常大小(_N)顺序(_N)列表_打开打开另一个笔记本(_O)其它(_O)...页面(_P)页面(_P)结构父对象(_P)粘贴(_P)预览(_P)上一个(_P)上一页(_P)打印至浏览器(_P)快速笔记...(_Q)退出(_Q)最近页面(_R)重做(_R)正则表达式(_R)重新载入(_R)去除链接(_R)重命名页面(_R)替换(_R)替换(_R)...恢复大小(_R)恢复版本(_R)保存(_S)保存副本(_S)屏幕截图(_S)...搜索(_S)搜索(_S)...发送至...(_S)侧窗格(_S)并排比较小图标(_S)排序行状态栏(_S)删除线(_S)粗体(_S)下标(_S)上标(_S)模板(_T)只显示文本(_T)微图标(T)今天(_T)工具栏(_T)工具(_T)撤销(_U)逐字(_V)所有版本(_V)视图(_V)放大(_Z)calendar:week_start:1水平线不使用网格线只读秒Launchpad Contributions: DdXPrBgl https://launchpad.net/~cef50854 Exaos Lee https://launchpad.net/~exaos Feng Chao https://launchpad.net/~chaofeng H https://launchpad.net/~zheng7fu2 Harris https://launchpad.net/~huangchengzhi Jaap Karssenberg https://launchpad.net/~jaap.karssenberg Jianhan Gao https://launchpad.net/~jhgao Junnan Wu https://launchpad.net/~mygoobox Qianqian Fang https://launchpad.net/~fangq Robin Lee https://launchpad.net/~cheeselee Saul Thomas https://launchpad.net/~stthomas Tolbkni Kao https://launchpad.net/~tolbkni Xhacker Liu https://launchpad.net/~xhacker Yang Li https://launchpad.net/~liyang-deepbrain Zihao Wang https://launchpad.net/~wzhd aosp https://launchpad.net/~aosp ben https://launchpad.net/~duyujie forget https://launchpad.net/~yangchguo hutushen222 https://launchpad.net/~hutushen222 jo cun https://launchpad.net/~cipher2 lhquark https://launchpad.net/~lhquark piugkni zhang https://launchpad.net/~flamefist-163 qinghao https://launchpad.net/~qingxianhao quake0day https://launchpad.net/~quake0day rns https://launchpad.net/~remotenonsense sharpevo https://launchpad.net/~sharpevo stein https://launchpad.net/~zhoufei715 太和 https://launchpad.net/~tayhe 宝刀没开刃 https://launchpad.net/~xkhome竖线使用行zim-0.68-rc1/locale/fi/0000755000175000017500000000000013224751170014440 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/fi/LC_MESSAGES/0000755000175000017500000000000013224751170016225 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/fi/LC_MESSAGES/zim.mo0000644000175000017500000010670713224750472017400 0ustar jaapjaap00000000000000!.! !! "0("Y"4t"""i"!(#J# Z#Vg# # ##3#Y$t$ $ $ $$$$ $$$$?!%/a%(%%% %%%& & & &-& 4& A& L&V&_&w&~&& &&&-&<&0'6'>'['c'y''''+'3' *(K( ^( l( x(((3((()#);)[)j) o) |) ))))0))) ))* * "*.* 6* B*P*~i* * *+ + + '+4+<+M+V+n+v+ ++++++ ++, ,',@,\,e,l, q,|,, ,6,,v,[-*m-c--. ... .,.<.M.].o. . . . . . . . . . .../!3/U/ u//// // //// // 00 ,0 90 E0R0 d0r000 0000 00 0 1 1 /1;1A12J1}11111111 22 "2,252 ;2E2[2s2 22222 22223333D3]3t3}33 333 3 3 3344 14<4 P4^4m4v4~44 4 4 444C405 D5 N5 \5'f5V53506J6Q6Y6^6 u6 6666 6 6&6 6 677'7?7^_7 77 77> 8 J8 W8d88888 8 88889 99 09 <9 J9W99 :!:<: T:^:q:::: ::2: ;&; <;.J;y;5; ;;&;;< #<1<C<J< Q<\<k<}<<< << << <<<<Y=?k=A=S=KA>@>6>-?x3??u@@A} BLBB^CD}DhEk|EERF;G=KGGjHnIwI7I/J5JJJJJJ K#K,K 5K ?K'IKqKDvKKKHK L"LBLQL`LrLPLLLULFMOM_M oM yMMNM MM M M NNN N^&NfNN NO O O%O+O3O 9OCOJO\O cO qO{O OOO OOO OOO O PP'P 8P DPNPSPYPbP kPwP{P PPP P PPP P P PP PQ QQQ Q )Q 7QDQJQYQ _QlQ{QQ QQQQQ QQQQR RRR/R 7RDRTR ]R iRuRR RRR R R R R R R RS S S S +S 6S ASMSTS]SdS jS tSSSSSSSSS6U UU%V.,V)[VFVVV]V$AWfWwWoWWXX#1XFUXX XXXXY YY(Y'0YCXY<Y"Y3Y 0Z]s]"]]!]$] ^^^,^ <^ G^Q^Y^2`^ ^^ ^^^ ^^^ ^^_&_ ___ __```7`@` W`a`|``` `````a-a Eafaaaaaaa aLa%by,bbbsb Qc[cacecmcc ccccc c d d d d *d 5d @d Kd Vdad-id'd&d*d ee$e9e?eHeZepeee eeee ee ff1fAf^fmfff fffffgg-g?gGg3`g gg(g g#ghh8hAhVh sh}hh hhhhhi i ii 0i =i Ii"Wiziiiiiij j(j1j8j Jj Vjcjyjjj jjjj j kk*k 1k ?kKk Rk_k8dk'k k kkkPk Kllll lll l llll l m4 m BmNm]mpmm+mXm $nEnZnmnNnnn>n2o9oJo^ono}oooooooo p py%pp pppq q%q VHd Pʄ#> Q _l&s  DžׅޅimT† ׆  +4HO _jr ʇ܇ /Ob t~  Ɉ ψ و ):LT o z ƉЉ 08>G O [f}Њ  $ /= MWgy  ҋ ދ % ;F Va h v  %(cmd)s returned non-zero exit status %(code)i%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i file will be deleted%i files will be deleted%i open item%i open items(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.Add 'tearoff' strips to the menusAdd ApplicationAdd NotebookAdds spell checking support using gtkspell. This is a core plugin shipping with zim. All FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAuthorAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsBackLinksBackLinks PaneBackendBazaarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenChangesCharactersCheck _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearCommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find notebook: %sCould not find the file or folder for this notebookCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?Cu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?DemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDo you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_xport...Edit Custom ToolEdit ImageEdit LinkEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledEvaluate _MathExpand _AllExportExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHome PageIconIcons _And TextImagesImport PageIndexIndex pageInline CalculatorInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert SymbolInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeft Side PaneLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationMap document root to URLMarkMatch _caseMaximum page widthMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove page "%s"Move text toNameNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNo Applications FoundNo changes since last versionNo dependenciesNo such file or folder: %sNo such file: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen in New _WindowOpen new pageOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput folderOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplateParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select more than one line of text, first.PluginPluginsPortPosition in the windowPr_eferencesPreferencesPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRight Side PaneS_ave Version...Save A _Copy...Save CopySave VersionSaved version from zimScoreScreen background colorSearchSearch Pages...Search _Backlinks...Select FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionServer not startedServer startedServer stoppedShow All PanesShow Attachment BrowserShow Link MapShow Side PanesShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow in the toolbarShow the cursor also for pages that can not be editedSingle _pageSizeSome error occurred while running "%s"Sort alphabeticallySort pages by tagsSpell CheckerStart _Web ServerStrikeStrongSy_mbol...System DefaultTable of ContentsTagsTags for non-actionable tasksTaskTask ListTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The inline calculator plugin was not able to evaluate the expression at the cursor.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.ToCTo_dayTodayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUnindent on (If disabled you can still use )UnknownUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse a custom fontUse a page for eachUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWord CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Incalendar:week_start:0readonlysecondstranslator-creditsvertical linesProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2015-10-28 06:54+0000 Last-Translator: Matti Pulkkinen Language-Team: Finnish MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n != 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) %(cmd)s keskeytyi ja palautti poistumiskoodin %(code)i%A %d.%m.%Y%i _Liite%i _Liitettä%i _Paluulinkki...%i _Paluulinkit...Poistetaan tiedosto %iPoistetaan tiedostot %i%i avoin tehtävä%i avointa tehtävääListan jäsenen sisennyksen muuttaminen vaikuttaa myös sen alikohtiinTyöpöytäwikiTiedosto "%s" on jo olemassa. Voit vaihtaa nimeä tai korvata alkuperäisen tiedoston.Lisää 'leikkausraidat' valikkoihinLisää sovellusLisää muistioLisäosa lisää oikoluvun, joka käyttää gtkspell:iä. Tämä keskeinen lisäosa toimitetaan Zimin ohessa. Kaikki tiedostotKaikki tehtävätJulkaise sivu kaikilleMuista kohdistimen sijainti sivullaTapahtui virhe kuvaa luotaessa. Haluatko silti tallentaa lähdekoodin?Kommentoitu sivun lähdekoodiAritmetiikkaLiitä tiedostoLiitä _tiedostoLiitä ulkoinen tiedostoLiitä kuva ensinLiiteselainLiitteetTekijäZimin automaattisesti tallentama versioValitse kohdistimen alla oleva sana kokonaan muotoilua muutettaessaMuuta "KamelinKyttyrä" -muotoiset yhdyssanat aina linkeiksiMuuta tiedostopolut aina linkeiksiTallenna automaattisesti säännöllisin väliajoinPaluuLinkitPaluulinkkipalkkiTaustaosaBazaarAlavasenAlapalkkiAlaoikeaSelaaLue_telmamerkit_Asetukset_KalenteriKalenteriSivua ei voi muokata: %sPeruKaappaa koko näyttöMuutoksetMerkkejä_Oikoluku_ValintaruksilistaValintaruksin ruksiminen muuttaa myös sen alivalinnatKlassinen ilmoitusaluekuvake, älä käytä uudentyylistä kuvaketta UbuntussaTyhjennäKomentoKomento ei muuta tietojaKommenttiYleinen lisäyksen alatunnisteYleinen lisäyksen ylätunniste_Koko muistioMuokkaa sovelluksiaLisäosan asetuksetAseta sovellus avaamaan "%s" -linkitAseta avaussovellus "%s" -tiedostomuodolleOleta kaikkien valintaruksien olevan tehtäviäKopioi sähköpostiosoiteKopioi mallineKopioi _muodossa...Kopioi _linkkiKopioi si_jaintiMuistiota ei löytynyt: %sTämän muistion tiedostoa tai kansiota ei löytynytEi auennut: %sLausekkeen jäsennys ei onnistunutLuku epäonnistui: %sSivun tallennus ei onnistunut: %sLuo uusi sivu kullekin muistilapulleLuo kansio?_LeikkaaMukautetut työkalutO_mat työkalutMukauta...PäiväysPäiväOletusLeikepöydälle kopioitavan tekstin oletusmuotoiluOletusmuistioViivePoista sivuPoista sivu "%s"?AlennaRiippuvuudetKuvausYksityiskohdat_Kaavio...Hylkää muistilappu?Häiriötön muokkausHaluatko palauttaa sivun: %(page)s tallennettuun versioon: %(version)s ? Kaikki edellisen tallennuksen jälkeen tehdyt muutokset menetetään!Juurikansio_Vie...Muokkaa omaa työkaluaMuokkaa kuvaaMuokkaa linkkiäMuokkaa l_ähdekoodiaMuokkausMuokataan tiedostoa: %sKursiiviSalli versionhallinta?Päällä_Arvioi yhtälön tuloarvo_Laajenna kaikkiVieViedään muistiotaEpäonnistuiEi käynnistynyt: %sSovellus ei käynnistynyt: %sTiedosto on jo olemassa_Tiedostomallineet...Tiedosto on muuttunut: %sTiedosto on jo olemassaTiedostoon ei voi kirjoittaa: %sTiedostomuoto ei tuettu: %sTiedoston nimiSuodatinEtsiEtsi _seuraavaEtsi _edellinenEtsi ja korvaaEtsi mitäLiputa maanantaina tai tiistaina erääntyvät tehtävät ennen viikonloppuaKansioKansio on jo olemassa ja se sisältää tiedostoja - vienti tähän kansioon saattaa korvata tiedostoja. Haluatko jatkaa?Kansio on olemassa: %sLiitetiedostomallineiden kansioEdistynyt haku; voit käyttää loogisia suhteuttimia kuten AND, OR, NOT (suom. JA, TAI, EI). Lisätietoa ohjeessa.M_uotoiluMuotoGitGnuplotSiirry aloitussivulleEdellinen sivuSeuraava sivuSiirry alisivulleSiirry seuraavalle sivulleMene ylisivulleSiirry edelliselle sivulleOtsikko 1Otsikko 2Otsikko 3Otsikko 4Otsikko 5Otsikko _1Otsikko _2Otsikko _3Otsikko _4Otsikko _5KorkeusPiilota vetovalikkopalkki kokonäyttötilassaPiilota polkupalkki kokonäyttötilassaPiilota tilapalkki kokonäyttötilassaPiilota työkalupalkki kokonäyttötilassaAloitussivuKuvakeKuvakkeet _ja tekstiKuvatTuo sivuSisällysluetteloSisällysluettelosivuVälitön laskinLisää päiväys ja aikaLisää kaavioLisää DitaaLisää yhtälöLisää GNU R -kuvaajaLisää GnuplotLisää kuvaLisää linkkiLisää nuotitLisää kuvankaappausLisää symboliLisää tekstiä tiedostostaLisää kaavioLisää kuvat linkkinäKäyttöliittymäWikien välinen avainsanaPäiväkirjaHyppääHyppää sivulleTehtävien tunnisteetMuokattu viimeksiJätä linkki uuteen sivuunVasen sivupalkkiRivien järjestinRivejäLinkkipuun rakennekarttaSisällytä linkkiin tiedoston polku juurikansiossaLinkin kohdeSijaintiTallenna tapahtumat lokiin Zeitgeist:llaLokitiedostoTaisit löytää ohjelmasta virheenAseta oletussovellukseksiKuvaa juurikansio URL:ksiKorostus_Huomioi kirjainkokoSuurin sallittu sivun leveysMercurialMuokattuKuukausiSiirrä sivuSiirrä valittu teksti...Siirrä teksti toiselle sivulleSiirrä sivu "%s"Siirrä teksti kohteeseenNimiUusi tiedostoUusi sivuUusi A_lisivu...Uusi alisivuUusi _liiteEi sovellustaEi muutosta edellisestä versiostaEi riippuvuuksiaEi tiedostoa tai kansiota: %sTiedosto ei ole olemassa: %sWikiä ei määritelty: %sMallineita ei ole asennettuMuistioMuistion ominaisuudetVoi _muokataMuistiotValmisAvaa _liitekansioAvaa kansioAvaa muistioAvaa sovelluksella...Avaa a_siakirjakansioAvaa _juurikansioAvaa _muistion kansioAvaa _sivuAvaa uudessa _ikkunassaAvaa uusi sivuAvaa ohjelmalla "%s"ValinnainenAsetuksetLisäosan %s valinnatMuu...KohdetiedostoKohdekansioKorvaa_PolkupalkkiSivuSivu "%s" ja kaikki sen alisivut ja liitteet poistetaanSivulla "%s" ei ole kansiota liitteilleSivun nimiSivupohjaKappaleKommentoi tämä versioHuomaa, että olemattoman sivun linkittäminen luo uuden sivun linkin kohteeksi.Valitse muistion nimi ja kansio.Valitse useampi kuin yksi rivi.LisäosaLisäosatPorttiSijainti ikkunassaAs_etuksetAsetuksetTulosta selaimelleProfiiliYlennäOminai_suudetOminaisuudetTyöntää tapahtumat Zeitgeist-palvelin-daemonille.MuistilappuMuistilappu...Uusimmat muutoksetUusimmat muutokset...Viimeksi _muokatut sivutPäivitä wikin muotoilumerkinnät lennossaPoista tähän viittaavat linkit sivulta %iPoista tähän viittaavat linkit sivuilta %iPoista linkit poistettaessa sivuPoistetaan linkkejäMuuta sivun nimeäMuuta sivun "%s" nimeäToistuva valintaruksin klikkaaminen kiertää kaikkien tilavaihtoehtojen läpiKorvaa k_aikkiKorvaava tekstiPalautetaanko tallennettu versio käyttöön nykyisen tilalle?VersioOikea sivupalkki_Tallenna versio...Tallenna _kopioTallenna kopioTallenna versioVersiotallenne Zim-muistiostaArvosanaNäytön taustaväriEtsiEtsi sivuilta...Etsi _paluulinkeistä...Valitse tiedostoValitse kansioValitse kuvaValitse yksi versio nähdäksesi muutokset sen ja nykyisen välillä tai monta nähdäksesi muutokset niiden välillä. Valitse vientimuotoValitse kohdetiedosto tai kansioValitse vietävät sivutValitse ikkuna tai alueValintaPalvelin ei käynnissäPalvelin käynnistettyPalvelin pysäytettyNäytä kaikki palkitNäytä liiteselainNäytä linkkipuun rakenneNäytä sivupalkitNäytä sisällysluettelo omassa ikkunassaan, ei sivupalkissaNäytä _muutoksetOma kuvake kullekin muistiolleNäytä kalenteriNäytä kalenteri sivupalkissa, ei ikkunassaanNäytä työkalupalkissa.Näytä kohdistin myös niillä sivuilla joita ei voi muokata_Yksi sivuKokoTapahtui jokin virhe ajettaessa "%s"Järjestä aakkosjärjestykseenJärjestä sivut tunnisteiden mukaanOikolukuKäynnistä _WWW-palvelinYliviivausVoimakasSy_mboli...Järjestelmän oletusSisällysluetteloTunnisteetTunnisteet tehtäville, joita ei voi tehdä nytTehtäväTehtävälistaMallineMallineetTekstiTekstitiedostot_Teksti tiedostosta...Tekstin taustaväriTekstin väriTiedostoa tai kansiota ei ole. Tarkista polku.Kansiota %s ei ole. Luodaanko se nyt?Kansiota "%s" ei ole olemassa. Luodaanko se nyt?Välitön laskin -lisäosa ei pystynyt arvioimaan kohdistimen alla olevaa yhtälöä.Ei uusia muutoksia muistiossa edellisen version tallennuksen jälkeenSyynä saattaa olla, että kielen sanastoa ei ole asennettuTiedosto on jo olemassa. Haluatko korvata sen?Tällä sivulla ei ole liitekansiotaLisäosa sallii kuvankaappauksen lisäämisen suoraan sivulle. Tämä keskeinen lisäosa toimitetaan Zimin ohessa. Lisäosa näyttää muistion kaikki avoimet tehtävät. Avoimet tehtävät voivat olla joko avoimia valintarukseja tai työvaiheita, jotka on merkitty tunnisteilla kuten "TEE" tai "KORJAA". Tämä keskeinen lisäosa toimitetaan Zimin ohessa. Lisäosa antaa ikkunan tekstin tuomiseen Zimiin raahaten tai leikepöydältä liittäen. Tämä keskeinen lisäosa toimitetaan Zimin ohessa. Lisäosa lisää kuvakkeen ilmoitusalueelle. Riippuu paketista: Gtk+ versio 2.10 tai uudempi. Tämä keskeinen lisäosa toimitetaan Zimin ohessa. Lisäosa lisää ikkunaelementin, joka listaa ne sivut, joilta on linkki auki olevaan sivuun. Tämä keskeinen lisäosa toimitetaan aina Zimin ohessa. Lisäosa näyttää auki olevan sivun sisällysluettelon ikkunaoliossaan. Tämä keskeinen lisäosa toimitetaan Zimin ohessa. Lisäosa antaa asetuksia, joiden avulla Zimistä saa piilotettua keskittymistä haittaavia, huomiota herättäviä piirteitä. Lisäosa lisää "Lisää symboli" -valinnan ja sallii typografisten merkkien automaattisen muotoilun. Tämä keskeinen lisäosa toimitetaan Zimin ohessa. Lisäosa tuo muistioihin versionhallinnan. Lisäosa tukee Bazaar, Git ja Mercurial -versionhallintajärjestelmiä. Tämä keskeinen lisäosa toimitetaan Zimin ohessa. Lisäosa sallii aritmeettisten laskujen sisällyttämisen Zimiin. Se perustuu aritmeettiseen moduliin lähteestä http://pp.com.mx/python/arithmetic . Lisäosa sallii yksinkertaisten matemaattisten yhtälöiden arvioinnin välittömästi sivulla. Tämä keskeinen lisäosa toimitetaan Zimin ohessa. Lisäosa on Ditaa:han perustuva kaaviomuokkain. Tämä keskeinen lisäosa toimitetaan aina Zimin ohessa. Lisäosa on GraphViz:iin perustuva kaaviomuokkain. Tämä keskeinen lisäosa toimitetaan aina Zimin ohessa. Lisäosa esittää muistion linkkipuun rakenteen graafisesti. Havainnollista kuviota voi käyttää vaikkapa miellekarttana. Tämä keskeinen lisäosa toimitetaan Zimin ohessa. Lisäosa sallii sisällysluettelon suodattamisen pilvestä valittavien tunnisteiden perusteella. Lisäosa on GNU R:ään perustuva kuvaajamuokkain. Lisäosa on Gnuplot:iin perustuva kuvaajamuokkain. Lisäosa kiertää tulostintuen puutteen Zimissä. Se vie sivun html-muodossa ja avaa sen selaimella. Jos selaimessa on tulostintuki, lisäosa mahdollistaa tulostamisen sitä kautta. Tämä keskeinen lisäosa toimitetaan Zimin ohessa. Lisäosa on LaTeX:iin perustuva yhtälömuokkain. Tämä keskeinen lisäosa toimitetaan Zimin ohessa. Lisäosa on GNU Lilypond:iin perustuva nuottimuokkain. Tämä keskeinen lisäosa toimitetaan Zimin ohessa. Lisäosa järjestää valitut rivit aakkosjärjestykseen. Jos lista on jo järjestetty, järjestys käännetään. (A-Ö -> Ö-A). Yleensä tämän syynä on kelvottomat merkit tiedostossaNimiJatkaaksesi voit tallentaa kopion tästä sivusta ja hylätä muutokset, tai vain hylätä muutokset. Jos tallennat kopion, voit palauttaa sen myöhemmin.Sisällysluettelo_TänäänTänäänVaihda valintaruksi 'V'Vaihda valintaruksi 'X'Vaihda muokattavuusYlävasenYläpalkkiYläoikeaIlmoitusalueen kuvakeLuo sivun nimestä tunnisteita tehtävien työvaiheilleTyyppiVähennä sisennystä näppäimellä (Jos ei käytössä, paina vähentääksesi)Ei tiedossaEi tunnisteitaPäivitä sivu %i , jolla on linkki tähänPäivitä sivut %i , joilla on linkki tähänPäivitä sisällysluetteloPäivitä otsikko vastaavaksiPäivitetään linkkejäLuetteloa päivitetäänKäytä omaa kirjasintaSivu kullekinPaina avataksesi linkin (Jos ei toiminnassa, paina )TasalevyinenVersionhallintaVersionhallinta ei ole päällä tässä muistiossa. Kytketäänkö se päälle?VersiotPystysuuntainen marginaaliNäytä _kommentitNäytä _lokiWWW-palvelinViikkoLiitä alla oleva tieto bugiraporttiinK_oko sanaLeveysWiki-sivu: %sSanamääräSanamäärä...SanojaVuosiEilenKäytät ulkoista sovellusta tiedoston muokkaamiseen. Voit sulkea tämän valintaikkunan kun olet valmis.Voit määrittää omia työkaluja, jotka näkyvät työkaluvalikossa ja työkalurivissä tai pikavalikoissa.Zim työpöytä-wiki_Pienennä_Tietoja_Kaikki palkit_Aritmeettinen_Takaisin_Selaa_Viat_Kalenteri_Alisivu_Tyhjennä muotoilu_Sulje_Supista kaikki_Sisältö_Kopioi_Kopioi tähän_Päiväys ja aika...P_oista_Poista sivu_Hylkää muutokset_Muokkaa_Muokkaa Ditaa:ta_Muokkaa yhtälöä_Muokkaa GNU R -kuvaajaa_Muokkaa Gnuplot:ia_Muokkaa linkkiä_Muokkaa linkkiä tai oliota..._Muokkaa asetuksia_Muokkaa nuottejaK_ursiivi_FAQ (usein kysytyt)_Tiedosto_Etsi…_Eteenpäin_Koko näyttö_Siirry_Ohje_Korostus_Historia_AloitusVain _kuvakkeet_Kuva…Tuo _sivu_Lisää_Mene kohtaan..._Pikanäppäimet_Suuret kuvakkeet_Linkki_Linkki päivämäärään_Linkki…_Korostus_Lisää_Siirrä_Siirrä tähän_Siirrä sivu..._Uusi sivu..._Seuraava_Seuraava luettelossa_Ei mitäänP_alauta koko_Numeroitu lista_Avaa_Avaa toinen muistio..._Muu..._Sivu_YlisivuL_iitä_Esikatsele_Edellinen_Edellinen luettelossa_Tulosta selaimelle_Muistilappu..._Lopeta_Viimeksi käydyt sivut_Tee uudelleenSäännöllinen _lausekeLa_taa uudelleen_Poista linkki_Muokkaa nimeä..._KorvaaKo_rvaa…_Palauta koko_Palauta versio_Tallenna_Tallenna kopio_Kuvankaappaus..._Etsi_Etsi..._Lähetä..._Sivupalkit_Vierekkäin_Pienet kuvakkeet_Järjestä rivit_Tilapalkki_Yliviivaus_Voimakas_Alaindeksi_Yläindeksi_MallineetVain _tekstiP_ienimmät kuvakkeet_Tänään_TyökalupalkkiT_yökalutK_umoa_Tasalevyinen_Versiot..._Näytä_Suurennacalendar:week_start:1vain lukusekuntiaLaunchpad Contributions: Harri K. Hiltunen https://launchpad.net/~harri-k-hiltunen Juhana Uuttu https://launchpad.net/~rexroom Matti Pulkkinen https://launchpad.net/~matti-pulkkinen3 Torsti Schulz https://launchpad.net/~torsti-schulzpystysuuntaiset viivatzim-0.68-rc1/locale/he/0000755000175000017500000000000013224751170014436 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/he/LC_MESSAGES/0000755000175000017500000000000013224751170016223 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/he/LC_MESSAGES/zim.mo0000644000175000017500000011077613224750472017377 0ustar jaapjaap00000000000000 .  < H0i4i!i  V !3!YG!! ! ! !!!" """$)"?N"/"("%" ##&#.# 5# A# M# Z# g# r#|##### ###-#<$V$\$d$$$$$$$+$3% P%q% % % %%%3%&&6&I&a&&& & & &&&&0&&' '"'4' ;' H'T' \'~h' ' '( ( ( &(3(;(L(U(m(u( (((((( (( )),)H)Q)X) ])h)w) ))v)**"*cM****** ***++$+ 8+ B+ L+ V+ `+ j+ u+ + + ++ ++++ ++ +++,!,1,C, R, _, k,x, ,,,, ,,, ,--0- ?-K-Q-2Z-------- - ... .(.>.V. e.r.w.. ...... //7/N/W/k/ ~/// / / //// 00 *080G0P0X0n0 w0 0 000C000 1 (1 61'@1Vh13101$2+23282 O2 \2h2y22 2 2 2 22^2 83Y3 h3t3>3 3 33344"4 24 <4I4`4f4m4 4 4 4495 R5s55 55555 5526 A6&O6.v6656 66&7(7<7 O7]7o7v7 }77777 77 77 77Y7?M8S8K8@-96n9-9x9L:;;(<}<'=}=k/>>Ro?;?=?<@jPAA7;BsByBCC C4CHCaCjC sC }C'CDCCCHD ND[D{DDDDPDEEU)EEE EENE EF F F !F/F5F^:FfFG GG "G -G9G?GGG MGWG^GpG wG GG GGG GGGGG G HH/H @H LHVH[HaHjH sHHH HHH H HHH H H HH H III I &I 1I ?ILIRIaI gItIII IIIII IIII J JJ#J7J ?JLJ\J eJ qJ}JJ JJJ J J J J J J K KK K &K 3K >K IKUK\KeKlK rK |KKKKKKKB{M MBM8 N8FNGN N"NxN5pOOOO]PoPGP|P#HQ lQwQQ Q QQQ R.RNCRSRBRG)SqSS SSSSSS TT &T,4T aTlTT TT!T4T^ UlU sU2~UU U UUV'V:;V6vVFV!VW *W8WQW.fWQWW,X1X,QX1~XX XXX Y $Y/Y6YJHY Y YY'YY Z Z Z'Z6ZZ[&[6[L[b[ y[[ [([[%[\ \\2\9\6X\\"\\,\!] )]7] @]K]^]u] ] ]]P^:n^^ i_u_~_______`2` Q` ^` k` x` ` ` ` ` ` `` ``` aa.a7a Iajaaaaaaab'bDbXbwb$bbb bb&b%cwQx yy|z{{e||s~U{~R~~$2c WbS mw/ #;@m| py#!څ+&E߆u td$9BKc |{lj؉  $. GS b nz "Ê  (9'Rz  ͋׋   !3BWf ~ Όڌ 1I]ex " ܍  ,C\ t ɎՎ! '@ Wcx ͏ߏ" 1=N ]k~  ̐֐  $%(cmd)s returned non-zero exit status %(code)i%A %d %B %Y%i _Backlink...%i _Backlinks...%i file will be deleted%i files will be deleted%i open item%i open items(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.Add 'tearoff' strips to the menusAdd ApplicationAdd NotebookAdds spell checking support using gtkspell. This is a core plugin shipping with zim. All FilesAll TasksAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAuthorAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsBackLinksBackLinks PaneBackendBazaarBottom LeftBottom PaneBottom RightBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenChangesCharactersCheck _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearCommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find notebook: %sCould not find the file or folder for this notebookCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?Cu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?DemoteDependenciesDescriptionDetailsDia_gram...Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_xport...Edit Custom ToolEdit ImageEdit LinkEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledEvaluate _MathExpand _AllExportExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHome PageIconIcons _And TextImagesImport PageIndexIndex pageInline CalculatorInsert Date and TimeInsert DiagramInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert SymbolInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJump toJump to PageLabels marking tasksLeave link to new pageLeft Side PaneLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog fileLooks like you found a bugMake default applicationMap document root to URLMarkMatch _caseMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove page "%s"Move text toNameNew PageNew S_ub Page...New Sub PageNew _AttachmentNo Applications FoundNo changes since last versionNo dependenciesNo such file or folder: %sNo such file: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen in New _WindowOpen new pageOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput folderOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplateParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select more than one line of text, first.PluginPluginsPortPosition in the windowPr_eferencesPreferencesPrint to BrowserProfilePromoteProper_tiesPropertiesQuick NoteQuick Note...Reformat wiki markup on the flyRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRight Side PaneS_ave Version...Save A _Copy...Save CopySave VersionSaved version from zimScoreSearchSearch _Backlinks...Select FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionServer not startedServer startedServer stoppedShow All PanesShow Link MapShow Side PanesShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendar in sidepane instead of as dialogShow in the toolbarShow the cursor also for pages that can not be editedSingle _pageSizeSome error occurred while running "%s"Sort alphabeticallySort pages by tagsSpell CheckerStart _Web ServerStrikeStrongSy_mbol...System DefaultTable of ContentsTagsTaskTask ListTemplateTemplatesTextText FilesText From _File...The file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The inline calculator plugin was not able to evaluate the expression at the cursor.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.ToCTo_dayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsUnindent on (If disabled you can still use )UnknownUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse a custom fontUse a page for eachUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsView _AnnotatedView _LogWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWord CountWord Count...WordsYearYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Inreadonlysecondstranslator-creditsProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2012-10-06 21:09+0000 Last-Translator: Yaron Language-Team: Hebrew MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n != 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) %(cmd)s החזיר קוד יציאה שונה מאפס %(code)i‏%A %d %B %Y%i קישור מ_פנה אחד...%i קישורים מ_פנים...%i קובץ אחד יימחק%i קבצים יימחקו%i פריט אחד פתוח%i פריטים פתוחיםהזחה וביטולה על פריט משנות גם את צאצאיו<עליון>ויקי לשולחן העבודהקובץ בשם "%s" כבר קיים. ניתן לבחור שם אחר או לשכתב את הקובץ הקיים.הוסף רצועות 'זריזות' לתפריטיםהוסף יישוםהוספת מחברתהתוסף מוסיף תמיכה בבדיקת איות באמצעות gtkspell. זהו תוסף המהווה חלק מהליבה של zim. כל הקבציםכל המשימותהשאיר סמן במקום האחרון שלו בפתיחת דפים.ארעה שגיאה בעת יצירת התמונה. האם ברצונך לשמור את טקסט המקור בכל מקרה?מקור הדף עם פירושיםחשבוןצירוף קובץצירוף _קובץצירוף קובץ חיצוניהוספת תמונה תחילהדפדפן מצורפיםמצורפיםיוצרגרסה שנשמרה אוטומטית מ־zimבחירת המילה הנבחרת אוטומטית בעת החלת עיצובהפיכה אוטומטית של מילים בצורת "CamelCase" לקישוריםהפיכת נתיבי קבצים לקישורים אוטומטיתשמירת גרסה אוטומטית במרווחי זמן קבועיםקישורי החזרלוח קישורי החזרתשתיתBazaarלמטה משמאללוח תחתוןלמטה מימיןרשימת ת_בליטיםה_גדרה_לוח שנהלוח שנהלא ניתן לשנות את העמוד: %sביטולצילום כל המסךשינוייםתוויםבדיקת ה_איותרשימת תיבות _סימוןסימון תיבה משנה גם תת־פריטיםסמל דיווח קלסי. אין להשתמש בסמל בסגנון חדש באובונטו.נקהפקודההפקודה אינה משנה את הנתוניםהערהכותרת תחתית משותףכותרת ראשית משותףכל ה_מחברתהגדר יישומיםהגדרת תוסףהגדר יישום לפתוח קישורים מסוג: %sהגדר יישום לפתוח קבצים מסוג: %sהתייחסות אל כל תיבות הסימון כאל משימותהעתקת כתובת הדוא"להעתק טבניתהעתק כ־העתקת ה_קישורהע_תק מיקוםלא ניתן למצוא את המחברת: %sלא ניתן למצוא את הקובץ או התיקייה של מחברת זולא ניתן לפתוח: %sלא ניתן להעריך את הביטוילא ניתן לקרוא: %s‏לא ניתן לשמור את העמוד: %sיצירת עמוד חדש עבור כל הערההאם ליצור תיקייה?_גזירהכלים מותאמים_כלים מותאמיםהתאם אישית...תאריךיוםבררת מחדלמבנה בררת המחדל להעתקת טקסט ללוח הגזיריםמחברת ברירת המחדלהשהייהמחיקת עמודהאם למחוק את העמוד "%s"?הרדתלויותתיאורפרטיםתר_שים...האם ברצונך לשחזר את העמוד: %(page)s לגרסה שנשמרה: %(version)s ? כל השינויים מאז הגרסה האחרונה שנשמרה יאבדו !שורש המסמכיםיי_צוא...עריכת הכלים המותאמיםעריכת תמונהעריכת קישורעריכת ה_מקורעריכהקובץ בעריכה: %sהדגשההאם לאפשר בקרת גרסאות?פעילה_ערכת הביטוי המתמטיפרוש הכלייצואייצוא מחברתכשל‏כשלון בהפעלת: %sכישלון בנסיון להריץ תוכנה: %s‏הקובץ קייםקובץ בקונן השתנה: %sהקובץ קיים‏קובץ אין ניתן לכתיבה: %sסוג קובץ לא נתמך: %sשם קובץמסנןחיפושחיפוש _הבאחיפוש _הקודםחיפוש והחלפהמה לחפשתיקייההתיקייה כבר קיימת ויש בה תוכן, ייצוא תיקייה זו עלול לשכתב על קבצים קיימים. האם ברצונך להמשיך?התיקייה קיימת: %sתיקייה עם טבניות לקבצים מצורפיםכדי לערוך חיפוש מתקדם ניתן להשתמש בביטויים לוגיים כגון AND,‏ OR ו־NOT. ניתן לעיין במסמכי העזרה לפרטים נוספים._עיצובמבנהGitGnuplotמעבר לדף הביתחזרה לעמוד הקודםמעבר לעמוד הבאמעבר לעמוד הצאצאמעבר לעמוד הבאמעבר לדף ההורהמעבר לעמוד הקודםכותרת 1כותרת 2כותרת 3כותרת 4כותרת 5כותרת _1כותרת _2כותרת _3כותרת _4כותרת _5גובהדף הביתסמלסמלים ו_טקסטתמונותייבוא עמודמפתחעמוד מפתחמחשבון בתוך השורההוספת תאריך ושעההוספת תרשיםהוספת משוואההוספת שרטוט GNU Rהשתל Gnuplot‏הוספת תמונההוספת קישורהכנס ניקודהוספת צילום מסךהוספת סימןהוספת טקסט מקובץהוספת תרשיםהוספת תמונות כקישורממשקמילת מפתחמעבר אלמעבר לעמודתוויות לסימון משימותהשאר קישורית לדף חדשלוח שמאלימסדר השורותשורותמפת קישוריםקישור קבצים תחת שורש המסמכים עם נתיב מלא לקובץקישור אלמיקוםקובץ רישוםכנראה שמצאת שגיאה בתכניתעשה כיישום בחירת מחדלמיפוי שורש המסמכים לכתובת באינטרנטסימוןהתאמת _רישיותMercurialשונהחודשהעברת עמודהזז טקסט נבחר...הזז טקסט לדף אחרהעברת העמוד "%s"העבר טקסט אלשםעמוד חדש_תת־עמוד חדש...תת־עמוד חדשמצורף חדשלא נמצאו יישומים מתאימות.לא נערכו שינויים מאז הגרסה האחרונהאין תלויותהקובץ או התיקייה אינם קיימים: %sאין קובץ כזה: %sלא מוגדר כזה ויקי: %sלא מותקנות תבניותמחברתמאפייני המחברתהמחברת _ניתנת לעריכהמחברותאישורפתיחת _תיקיית הקבצים המצורפיםפתיחת תיקייהפתיחת מחברתפתיחה באמצעות...פתיחת תיקיית ה_מסמכיםפתיחת _שורש המסמכיםפתיחת תיקיית ה_מחברתפתח דףפתיחה ב_חלון חדשפתח בדף חדשפתיחה באמצעות "%s"לא מחייבאפשרויותאפשרויות עבור התוסף %sאחר...קובץ פלטתיקיית הפלטשכתובסרגל _נתיבעמודהעמוד "%s" על כל תת־עמודיו והקבצים המצורפים לו ימחקולעמוד "%s" אין תיקייה לקבצים מצורפיםשם העמודתבנית דףפסקהנא להזין תגובה לגרסה זונא לשים לב כי קישור לעמוד שאינו קיים יוצר עמוד חדש אוטומטית.נא לבחור שם ותיקייה למחברת.נא לבחור יותר משורה אחת של טקסט תחילה.תוסףתוספיםפתחהמיקום בחלוןה_עדפותהעדפותהדפסה לדפדפןמאפיינים-אישייםהעלהמא_פייניםמאפייניםהערה חטופההערה חטופה...שינוי תחביר הוויקי בעת העבודה%i הסרת קישורים מהעמוד המפנה לעמוד זההסרת קישורים מ־%i העמודים המפנים לעמוד זהיש להסיר קישורים בעת מחיקת דפיםהקישורים מוסריםשינוי שם העמודשינוי שם העמוד "%s"לחיצה חוזרת על תיבת סימון משנה את מצב התיבה באופן מחזוריהחלפת ה_כולהחלפה עםהאם להחזיר את העמוד לגרסה שנשמרה?מהדורהלוח ימינישמירת ה_גרסה...שמירת _עותק...שמירת עותקשמירת הגרסהגרסה שנשמרה מ־zimניקודחיפושחיפוש קישורים _מפנים...בחירת קובץבחירת תיקייהבחירת תמונהנא לבחור גרסה להצגת השינויים בינה ובין המצב הנוכחי. או שניתן לבחור מספר גרסאות כדי לצפות בשינויים בין גרסאות אלה. בחירת מבנה הפלטבחירת קובץ או תיקיית הפלטבחירת העמודים ליצואבחירת חלון או אזורבחירההשרת לא הופעלהשרת הופעלהשרת נעצרהראה כל הלוחותהצגת מפת קישוריםהראה לוחות צדהראה תוכן העניינים בחלון נפרד במקום בתוך מסגרת שולייםהצגת ה_שינוייםהצגת סמל נפרד עבור כל מחברתיש להציג לוח שנה בחלונית הצד במקום כדו־שיחהצגה בסרגל כליםהצגת הסמן גם לעמודים שלא ניתן לערוךעמוד _יחידגודלהתרחשה שגיאה בזמן הרצת "%s"‏מיון לפי אלפביתסידור דפים לפי תגיותבדיקת האיותה_פעלת שרת אינטרנטקו חוצהמחוזק_סימן...ברירת המחדל של המערכתתוכן הענייניםתגיותמשימהרשימת משימותתבניתתבניותטקסטקובצי טקסטטקסט מ_קובץ...הקובץ או התיקייה שצוינו אינם קיימים. יש לבדוק האם הנתיב נכון.תיקיית %s אינו קיים. האם ברצונך ליצור אותו כעת?המחשבון מובנה השורה לא הצליח להעריך את הביטוי במיקום של הסמן.לא נערכו שינויים למחברת זו מאז הגרסה האחרונה שנשמרהיכול להיות שלא מותקנים אצלך המילונים המתאימיםקובץ זה כבר קיים. האם ברצונך לשכתב עליו?לעמוד זה אין תיקיית קבצים מצורפיםתוסף זה מאפשר צילום מסך מתוך Zim, וצירופו ישר לתוך דף Zim. זהו תוסף מובנה ל־Zim. תוסף זה מוסיף דו־שיח המציג את כל המשימות הפתוחות במחברת זו. משימות פתוחות יכולות להיות תיבות סימון או פריטים המסומנים בתגיות כגון "TODO" או "FIXME". זהו תוסף המהווה חלק מהליבה של zim. תוסף זה מוסיף דו־שיח להוספה של טקסט או את תוכן לוח הגזירים לעמוד ויקי. זהו תוסף המהווה חלק מהליבה של zim. תוסף זה מוסיף סמל לאזור המערכת לגישה מהירה. תוסף זה תלוי ב־Gtk+‎ גרסה 2.10 או עדכנית יותר. זהו תוסף המהווה חלק מהליבה של zim. תוסף זה מוסיף רשימת דפים המקרים אל דף הנוכחי. תוסף זה הוא תוסף מרכזי המגיע עם צים. תוסף זה מוסיף תוכן עניינים לדף הנוכחי. תוסף זה הוא תוסף גרעין המסופק עם צים. תוסף זה מוסיף את הדו־שיח 'הוספת סימן' כדי ומאפשר תווים טיפוגרפיים המתעצבים מעצמם. זהו תוסף המהווה חלק מהליבה של zim. תוסף זה מאפשר הערכה מהירה של ביטויים מתמטיים פשוטים ב־Zim. זהו תוסף מובנה ב־Zim. תוסף זה מהווה עורך תרשימים ל־GraphViz מבוסס zim. זהו תוסף המהווה חלק מהליבה של zim. תוסף זה מספק דו־שיח עם ייצוג גרפי של המבנה הקישורי של המחברת. ניתן להשתמש בו כמעין "מיפוי מוח" המציג את הקשר בין העמודים. זהו תוסף המהווה חלק מהליבה של zim. תוסף זה מספק מפתח דפים המסונן באותו האופן בו בוחרים תגיות בענן. תוסף זה מספק עורך שרטוטים עבור zim המבוסס על GNU R. תוסף זה מספק עורך גרפים מבוסס על תוכנת Gnuplot.‏ תוסף זה מספק מעקף למחסור בתמיכה בהדפסה ב־zim. התוסף מייצא את העמוד הנוכחי ל־html ופותח אותו בדפדפן. בהנחה שלדפדפן יש תמיכה בהדפסה פעולה זו תעביר את הנתונים שלך אל המדפסת בשני שלבים. זהו תוסף המהווה חלק מהליבה של zim. תוסף זה מספק עורך משוואות עבור zim על בסיס latex. זהו תוסף המהווה חלק מהליבה של zim. תוסף זה מסדר את השורות הנבחרות בסדר אלפביתי. אם הרשימה כבר מסודרת אז הסדר יתהפך (מ־א–ת ל־ת–א או מ־A-Z ל־Z-A). בדרך הכלל זאת אומרת שהקובץ קלט כולל תוים בלתי חוקיים.‏כותרתכדי להמשיך ניתן לשמור עותק של עמוד זה או להתעלם משינויים כלשהם. אם ישמר עותק השינויים ייעלמו גם כן, אך ניתן לשחזר את העותק מאוחר יותר.תוכן הענייניםה_יוםהחלפת מצב תיבת 'V'החלפת מצב תיבת 'X'נעילה/שחרור המחברת לעריכהלמעלה משמאללוח עליוןלמעלה מימיןסמל אזור המערכתשימוש בשם הדף כתגיות לפרטי משימהמחיקת ההזחה עם (אם לא פעיל עדיין ניתן להשתמש ב־)לא ידועללא תגית%i עדכון עמוד אחד המפנה לעמוד זהעדכון %i עמודים המפנים לעמוד זהלחדש מפתח דפיםעדכון כותרת עמוד זההקישורים מתעדכניםהמפתח מתעדכןשימוש בגופן מותאם אישיתהשתמש בדף עבור כל אחדיש להשתמש במקש כדי לעקוב אחר קישורים (אם אינם פעילים עדיין ניתן להשתמש ב־)אחידבקרת גרסאותבקרת גרסאות אינה פעילה כעת עבור מחברת זו. האם ברצונך להפעיל אותה?גרסאותצפייה עם _פירושיםהצ_גת רישוםשבועבעת דיווח על תקלות נא לכלול את הפרטים מתיבת הטקסט שלהלןהמילה _כולהרוחבדף: %sספירת המיליםספירת מילים...מיליםשנהקובץ זה נערך על ידיך ביישום חיצוני. באפשרותך לסגור את תיבת דו־שיח זו עם הסיום.ניתן להגדיר את הכלים המותאמים שיופיעו בסרגל הכלים או בתפריטי ההקשר.zim הוויקי השולחניהת_רחקותעל _אודותכל הלוחותחשבוןח_זרה_עיון_תקלותלוח _שנה_צאצאמחיקת ה_עיצוב_סגירה_קפל הכל_תכניםה_עתקההעתק כאןת_אריך ושעה...מ_חיקהמ_חיקת עמודה_תעלמות מהשינוייםע_ריכהע_ריכת משוואהערי_כת שרטוט GNU Rערוך Gnuplot_עריכת הקישורעריכת _קישור או פריט...ערוך מאפייניםערוך ניקודה_דגשה_שאלות נפוצות_קובץחי_פוש..._קדימהמ_סך מלא_מעברע_זרהה_דגשההיס_טוריהדף ה_ביתס_מלים בלבד_תמונה...יי_בוא עמוד...ה_וספה_מעבר אל..._קיצורי מקלדתסמלים _גדולים_קישור_קישור לתאריךק_ישור..._סימון_עוד_הזזה_עבר לכאןה_עברת עמוד..._עמוד חדש...ה_באה_בא במפתח_ללאגודל ר_גילרשימה ממוספרת_פתיחהפתיחת מחברת א_חרת..._אחר..._עמודהו_רהה_דבקה_תצוגה מקדימהה_קודםה_קודם במפתחה_דפסה לדפדפןהערה ח_טופה...י_ציאהעמודים _אחרונים_ביצוע שוב_ביטוי רגולרי_רענוןה_סרת קישורשי_נוי שם של עמוד...ה_חלפההח_לפה...איפוס ה_ממדיםשח_זור הגרסה_שמירה_שמירת עותק_צילום מסך..._חיפוש_חיפוש...ש_ליחה אל...לוחות צד_זה לצד זהסמלים _קטנים_סידור השורותשורת המ_צבקו חו_צה_מחוזקכתב ת_חתיכתב _עלי_תבניותטקסט _בלבדסמלים קט_נטניםה_יוםסרגל _כלים_כלים_ביטול_אחידג_רסאות..._תצוגההת_קרבותלקריאה בלבדשניותLaunchpad Contributions: Beni Cherniavsky https://launchpad.net/~cben Jaap Karssenberg https://launchpad.net/~jaap.karssenberg Yaron https://launchpad.net/~sh-yaron dotancohen https://launchpad.net/~dotancohenzim-0.68-rc1/locale/ko/0000755000175000017500000000000013224751170014453 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/ko/LC_MESSAGES/0000755000175000017500000000000013224751170016240 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/ko/LC_MESSAGES/zim.mo0000644000175000017500000014224013224750472017403 0ustar jaapjaap00000000000000 +, +.:+?i+ ++ ++0,B,K,f,4, ,,i,*<-!g-- - -- ---.V.f. l. v..3.Y. "/ // :/ F/S/h/{/ / // //$/?//,0(\00%0,00 11$1 ,171 >1 I1 S1 `1 l1 x11 1 1 11111112 2202C2V2i2y2-2<22 2 3333<3D3Z3p333+333 4,4 ?4 M4 Y4d4s444344505K5^5v5555 5 5 5555056-6 36?6 Q6\6 c6 p6|6 6 666$6~6 a7o7 s7 }77 7 7 7 77777858>8 M8(Y88!88#8888 9 +979J9 c9o99999 999 99v9l:*~:c: ;;; #;/;G;a;e;m; u;;;;;; ; ; ; ; < < < !< ,< 7< B<M<T<t<!<<< <<= == $=0=A= G=R=d=v== ==== = = ==> (> 6>C>Y>h> ~>>>> >> >>>>.? 4?@?F?2O????????@@ @+@G@Z@ b@l@u@ {@@@@@@ @@ @*AGAPAYA jAwAAAAA.AAB+B-I lI yIIIIIIIIIII J J$J3JJJPJhJ{JJJJJJJ J J KKK KKK LL+L>LML \LiLLLLL LLL2M 7M&EM lM.zMMMMMM N5%N&[N NNN&NNN N N OO#O*O 1OhFh Lh Vh`hghyh h hh hhh hhhh hii #i 1i} g}r}}}} } }}}-}j(~ ~~ ~~~ ~ ~  % ,:-Ao:v) 4D7[ $ր  $C+]% āˁ݁"ς )' +Fa#|# ߄  * 4 >H1O141 , 9 GQ mw҆ (< K Y gu #Ç . 5C^|!6ˈ F& m{ &lj+,3Kc { $ڊ8 Xf9mD $9O.V/?͌( '6^.| ̍֍  1 JXiю%>Sn  j -m;7; * ;NE3ȑّ'D*W1l̒795q7ߓ E R_ f q | ÔՔ1ܔ  -;S,r ;. *5G)b=ʖ ߖ= ' 1;S k y  ͗ۗ3:Ng ĘҘ&m.)Ù&1Xiz!ɚ!ۚ'<=[. 2"A`%8Ԝ$ 2GN,h ȝ֝  +2 FQ Ucj+q  Ǟўg)AXӟ,_bxLۢ8(;a2SУc$gx}ajXç#ܩFJͪO hIvsF4H{ĭ8cLSr=G_Y`ó ʳճܳ $$ I T _m2~rҴE T b4p$޵,"Kn  m#  ÷`Ƿ(:AV (6GNU\y[ s ~  ƺ Ѻܺ   * 5@U m{ »ͻ޻-M_$q  ϼ ڼ    ! ,7? P^ |  ǽ *Jg  ľ־  "0 EPa r} Ͽ (!: \j{  #3HW l z    ' 5 @K_s   This plugin provides bar for bookmarks. %(cmd)s returned non-zero exit status %(code)i%(n_error)i errors and %(n_warning)i warnings occurred, see log%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i of %i%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd bookmark/Show settingsAdd columnAdd new bookmarks to the beginning of the barAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?ApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAttachments:AuthorAuto WrapAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave interval in minutesAutosave version on regular intervalsAutosave version when the notebook is closedBack to Original NameBackLinksBackLinks PaneBackendBacklinks:BazaarBook_marksBookmarksBookmarksBarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck Checkbox '>'Check Checkbox 'V'Check Checkbox 'X'Check _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearClone rowCode BlockColumn 1CommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?CreatedCu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to delete all bookmarks?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootDueE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExpand journal page in index when openedExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatFossilGNU _R PlotGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageGrid linesHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageHorizontal _LineIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationManaging table columnsMap document root to URLMarkMatch _caseMaximum number of bookmarksMaximum page widthMenubarMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove column aheadMove column backwardMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNextNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such page: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOnly Show Active TasksOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen cell content linkOpen helpOpen in New WindowOpen in New _WindowOpen new pageOpen plugins folderOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage already exists: %sPage has un-saved changesPage not allowed: %sPage sectionParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select a row, before you push the button.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrevPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionRow downRow upS_ave Version...S_coreSave A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...Search this sectionSectionSection(s) to ignoreSection(s) to indexSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet New NameSet default text editorSet to Current PageShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow Tasks as Flat ListShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full Page NameShow full page nameShow helper toolbarShow in the toolbarShow right marginShow tasklist in sidepaneShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStartStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTags for non-actionable tasksTaskTask ListTasksTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The following parameters will be substituted in the command when it is executed: %f the page source as a temporary file %d the attachment directory of the current page %s the real page source file (if any) %p the page name %n the notebook location (file or folder) %D the document root (if any) %t the selected text or word under cursor %T the selected text including wiki formatting The inline calculator plugin was not able to evaluate the expression at the cursor.The table must consist of at least on row! No deletion done.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis page name cannot be used due to technical limitations of the storageThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a macOS menubar for zim.This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox '>'Toggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUn-check CheckboxUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse %s to switch to the side paneUse a custom fontUse a page for eachUse date from journal pagesUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWith this plugin you can embed a 'Table' into the wiki page. Tables will be shown as GTK TreeView widgets. Exporting them to various formats (i.e. HTML/LaTeX) completes the feature set. Word CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Checkbox_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Duplicate Line_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Line Down_Move Line Up_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Line_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Run bookmark_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Inas due date for tasksas start date for taskscalendar:week_start:0do not usehorizontal linesmacOS Menubarno grid linesreadonlysecondstranslator-creditsvertical lineswith linesProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-07-11 12:14+0000 Last-Translator: Jongsung Kang Language-Team: Korean MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=1; plural=0; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) 이 플러그인은 북마크 막대를 추가합니다. %(cmd)s 0이 아닌 종료 코드 반환됨 %(code)i%(n_error)i 오류 및 %(n_warning)i 경고 발생, 로그를 확인하세요%Y-%m-%d %A%i 첨부 파일(_A)%i 역링크(_B)...%i 오류 발생, 로그를 확인하세요%i 파일이 삭제됩니다%i / %i%i 진행 중인 항목%i 경고 발생, 로그를 확인하세요목록 항목의 들여쓰기 변경을 하위 항목에도 적용<알 수 없음>데스크탑 위키"%s" 파일이 이미 존재합니다. 다른 이름으로 바꾸거나 기존 파일을 덮어쓸 수 있습니다.테이블에는 적어도 한 개의 열이 있어야 합니다.메뉴에 '자르는 선' 추가하기응용프로그램 추가북마크 추가노트북 추가북마크 추가/설정 메뉴 표시열 추가새 북마크를 막대의 첫 부분에 추가행 추가gtkspell을 이용한 문법 검사 기능을 추가합니다. 정렬모든 파일모든 작업공개 접근 허용페이지를 열 때 항상 이전 커서 위치로 가기이미지 처리 중 오류가 발생했습니다. 텍스트만이라도 저장할까요?응용프로그램사칙 연산파일 첨부파일 첨부(_F)외부 파일 첨부그림 먼저 첨부첨부 파일 브라우저첨부 파일첨부 파일:만든이자동 줄넘김자동 들여쓰기Zim에서 자동 저장한 버전서식을 적용할 때 현재 단어를 자동으로 선택"CamelCase" 단어를 자동으로 링크로 전환파일 경로를 자동으로 링크로 전환자동 저장 간격 (분)지정한 주기마다 버전 자동 저장노트북을 닫을 때 자동으로 현재 버전 생성원래 이름으로 되돌리기역링크역링크 창백엔드역링크:Bazaar북마크(&M)북마크북마크 막대왼쪽 아래아래쪽 창오른쪽 아래찾아보기글머리 기호 목록(_T)설정(_O)달력(_D)달력%s 페이지를 수정할 수 없습니다.취소전체 화면 캡쳐가운데열 변경변경 사항문자공백 제외 문자체크박스 체크 '>'체크박스 체크 'V'체크박스 체크 'X'문법 검사(_S)체크박스 목록(_X)체크 박스 체크 여부를 하위 항목에도 적용고전 알림 아이콘, Ubuntu의 새로운 상태 아이콘 스타일을 사용하지 않습니다지우기행 복제코드 블럭열 1명령명령이 데이터를 수정하지 않습니다설명공통 삽입 꼬리말공통 삽입 머리말전체 노트북(_N)응용프로그램 설정플러그인 설정"%s" 링크를 열 프로그램을 설정"%s" 유형의 파일을 열 프로그램을 설정모든 체크박스를 작업으로 간주이메일 주소 복사서식 복사다음으로 복사(_A)...링크 복사(_L)위치 복사(_L)실행 파일을 찾을 수 없음 "%s"노트북을 찾을 수 없습니다: %s"%s" 서식을 찾지 못했습니다이 노트북의 파일이나 폴더를 찾을 수 없음문법 검사기를 불러오지 못했습니다%s 를 열 수 없습니다수식을 분석하지 못했습니다%s 을 읽을 수 없습니다.페이지를 저장할 수 없습니다: %s각 노트마다 새 페이지 생성폴더를 생성하시겠습니까?만든 날:잘라내기(_T)사용자 지정 도구사용자 정의 도구(_T)사용자 정의...날짜일기본클립보드로 텍스트 복사 시 적용될 기본 형식기본 노트북지연 시간페이지 지우기페이지 "%s"를 지우시겠습니까?행 삭제한 단계 아래로의존 패키지설명자세한 내용도표(_G)...노트를 버리시겠습니까?방해 금지 편집Ditaa모든 북마크를 삭제하시겠습니까?정말 다음 페이지를: %(page)s 저장된 다음 버전으로 되돌리시겠습니까: %(version)s ?문서 루트기한수식(_Q)내보내기(_X)...사용자 지정 도구 편집그림 편집링크 편집표 편집원본 편집하기(_S)편집%s 편집 중강조버전 관리를 활성화하시겠습니까?사용%(file)s 오류: %(line)i번 째 줄, "%(snippet)s" 주위수식 계산(_M)모두 펼치기(_A)열 때 색인된 일기 페이지 확장내보내기모든 페이지를 하나의 파일로 내보내기내보내기 완료됨각각의 페이지를 별도의 파일로 내보내기노트북 내보내는 중실패다음 항목 실행 실패 : %s응용프로그램 실행 실패: %s파일 존재파일 서식(_T)...디스크에서 변경된 파일: %s파일이 존재합니다파일에 쓰기 권한이 없습니다: %s지원하지 않는 파일 형식: %s파일 이름필터찾기다음 찾기(_X)이전 찾기(_V)찾아 바꾸기찾기폴더폴더가 이미 존재하며 폴더가 비어있지 않습니다. 이 폴더로 내보내면 기존의 파일들이 지워질 수 있습니다. 계속 하시겠습니까?폴더 존재함: %s첨부 파일 서식 탐색 폴더고급 검색에서는 AND, OR 그리고 NOT 등의 연산자를 사용할 수 있습니다. 더 자세한 내용은 도움 페이지를 참고하십시오.서식(&M)형식FossilGNU R 도표(_R)온라인으로 플러그인 찾아보기온라인으로 템플릿 더 구하기GitGnuplot시작으로 가기이전 페이지로 가기다음 페이지로 가기하위 페이지로 가기다음 페이지로 이동합니다상위 페이지로 가기이전 페이지로 이동합니다격자선제목 1제목 2제목 3제목 4제목 5제목 _1제목 _2제목 _3제목 _4제목 _5높이전체화면 보기에서 메뉴 막대 숨기기전체화면 보기에서 경로 막대 숨기기전체화면 보기에서 상태 표시줄 숨기기전체화면 보기에서 도구 모음 숨기기현재 줄 강조홈페이지수평선(&L)아이콘아이콘 및 텍스트(_A)이미지페이지 가져오기하위 페이지 포함색인색인 페이지인라인 계산기코드 블럭 삽입날짜와 시간 입력도표 삽입Ditaa 삽입수식 삽입GNU R 도표 삽입Gnuplot 삽입그림 넣기링크 삽입악보 삽입스크린샷 삽입시퀀스 다이어그램 삽입기호 삽입표 삽입텍스트를 파일로부터 삽입도표 삽입이미지를 링크로 삽입보기Interwiki 키워드일기직접 이동페이지로 직접 이동작업으로 간주할 라벨마지막 수정새 페이지에 링크 남기기왼쪽왼쪽 사이드 창현재 페이지 및 하위 페이지로 검색 제한줄 정렬 도구줄링크 지도최상위 문서 아래에 전체 경로로 파일을 링크합니다.연결 대상위치Zeitgeist 이벤트 로그로그 파일버그인 것 같습니다.기본 응용프로그램으로 지정표의 열 관리최상위 문서를 URL로 처리합니다.표시대소문자 구분(_C)북마크 최대 개수최대 페이지 너비메뉴 모음Mercurial수정한 날짜월페이지 옮기기선택한 텍스트 이동...다른 페이지로 텍스트 이동열을 앞으로 움직이기열을 뒤로 움직이기페이지 "%s"를 옮깁니다.이동 위치이름MHTML로 내보내려면 출력 파일이 필요합니다노트북 전체를 내보내려면 출력 폴더가 필요합니다새 파일새 페이지새로운 하위 페이지(_U)새 하위 페이지새 첨부 파일(_A)다음어플리케이션을 찾을 수 없습니다.마지막 버전 이후로 변경 사항 없음의존 패키지 없음이 객체를 표시하기 위한 플러그인이 없습니다.파일 또는 폴더가 없습니다: %s파일이 존재하지 않습니다: %s페이지가 없습니다: %s정의된 위키 페이지가 없습니다: %s설치된 서식이 없습니다노트북노트북 속성노트북 편집가능(_E)노트북만족활성화된 작업만 표시첨부 폴더 열기(_F)폴더 열기노트북 열기다음으로 열기...문서 폴더 열기(_D)최상위 문서 열기(_D)노트북 폴더 열기(_N)페이지 열기(_P)셀 내용 링크 열기도움말 열기새 창에서 열기새 창에서 열기(_W)새 페이지 열기플러그인 폴더 열기"%s"(으)로 열기선택적옵션%s 플러그인 설정기타...출력 파일출력 파일이 이미 존재합니다. 강제로 내보내려면 "--overwrite" 옵션을 지정하세요출력 폴더출력 위치가 비어있지 않습니다. 강제로 내보내려면 "--overwrite" 옵션을 지정하세요내보내려면 출력 위치를 지정해야 합니다출력이 현재 선택한 항목을 반드시 대체하기덮어쓰기경로막대(_A)페이지"%s" 페이지 및 모든 하위 페이지와 첨부 파일이 삭제됩니다페이지 "%s"에는 첨부 폴더가 없습니다.페이지 이름페이지 서식페이지가 이미 존재합니다: %s현재 페이지에 저장되지 않은 변경사항이 있습니다페이지가 허용되지 않습니다: %s페이지 섹션문단이 버전에 덧붙일 설명을 입력하세요존재하지 않는 페이지로 링크를 만들면 새로운 페이지가 자동으로 만들어집니다.이 노트북의 이름과 폴더를 선택하십시오버튼을 누르기 전에 행을 선택해주세요.먼저, 한 줄 이상의 텍스트를 선택하세요.노트북을 지정해주세요플러그인이 객체를 표시하기 위해 %s 플러그인이 필요합니다.플러그인포트창 위치설정(_E)환경설정이전브라우저로 인쇄프로필한 단계 위로등록 정보(_T)속성이벤트를 Zeitgeist 대몬으로 보냅니다.빠른 노트빠른 노트...최근 수정최근 변경 사항...최근 변경된 페이지(_C)편집 중에 위키 마크업 바로 적용삭제모두 삭제열 삭제이 페이지를 가리키는 %i 페이지의 링크 제거페이지를 삭제할 때 링크 제거하기행 삭제링크 제거 중페이지 이름 바꾸기페이지 "%s"의 이름을 바꿉니다.체크 박스를 여러 번 클릭해서 상태 전환 (*, x)모두 바꾸기(_A)바꾸기페이지를 저장된 버전으로 복구하시겠습니까?리비전오른쪽오른쪽 사이드 창오른쪽 여백 위치행 아래로행 위로버전 저장(_A)...악보(_C)사본 저장하기(_C)...사본 저장버전 저장북마크 저장Zim에서 저장된 버전점수화면 배경색스크린샷 명령찾기페이지 검색...역 링크 찾기(_B)...선택한 섹션 검색섹션무시할 섹션색인을 만들 섹션모두 펼치기(_A)폴더 선택이미지 선택현재 상태와 비교할 버전을 선택하세요. 또는 여러 버전을 선택해서 버전 간의 차이를 볼 수 있습니다. 내보낼 포맷을 선택하십시오출력 파일 또는 폴더를 선택하세요내보낼 페이지를 선택하십시오창 또는 영역 선택선택한 부분시퀀스 다이어그램서버가 시작되지 않았습니다서버 시작됨서버 중지됨새 이름 지정기본 텍스트 편집기 지정현재 페이지로 설정모든 창 표시첨부 파일 브라우저 표시줄 번호 보이기링크 지도 보기사이드 창 보기작업을 계층 없이 표시목차를 사이드 창 대신 떠 있는 위젯으로 표시변경 사항 보기(_C)각 노트북마다 별개의 아이콘 표시달력 표시대화상자 대신 사이드 창에 달력 표시전체 페이지 이름 표시전체 페이지 이름 표시도우미 도구 모음 표시도구모음에 표시오른쪽 여백 보기사이드 창에 작업 목록 표시편집할 수 없는 페이지에서도 커서 보이기페이지 제목을 목차에 표시단일 페이지(_P)크기스마트 Home 키 동작"%s" 실행 중 오류가 발생했습니다알파벳순 정렬태그 기준 페이지 정렬소스 보기맞춤법 검사기시작웹서버 시작하기(_W)취소선굵게기호(_M)...문법시스템 기본값탭 너비표표 편집기목차태그행동 없는 작업에 해당하는 태그작업작업 목록작업서식서식텍스트텍스트 파일텍스트 파일 내용(_F)...텍스트 배경색텍스트 전경색지정한 파일 또는 폴더가 존재하지 않습니다. 경로가 정확한지 확인하십시오.%s 폴더가 존재하지 않습니다. 생성하시겠습니까?해당 폴더 "%s"는 존재하지 않습니다. 새로운 폴더를 만들겠습니까?명령을 실행할 때 다음 매개변수가 대체됩니다: %f 페이지 원본(의 임시 파일) %d 현재 페이지의 첨부 파일 디렉토리 %s 실제 페이지 원본 파일 (존재할 경우) %p 페이지 이름 %n 노트북 경로 (파일 또는 폴더) %D 문서 최상위 디렉토리 (존재할 경우) %t 현재 커서에서 선택된 텍스트 또는 단어 %T 선택된 텍스트 (위키 문법 포함) 인라인 계산기 플러그인이 커서에 위치한 수식을 계산하지 못했습니다.표에는 적어도 하나의 행이 있어야 합니다. 삭제를 수행하지 못했습니다.마지막 버전을 만든 후로 노트북에 변경 사항이 없습니다올바른 사전이 설치되지 않은 것 같습니다파일이 이미 존재합니다. 덮어쓰시겠습니까?이 페이지에는 첨부 폴더가 없습니다.저장소의 기술적 문제로 이 페이지 이름을 사용할 수 없습니다이 플러그인은 스크린샷을 찍어 곧바로 Zim 페이지에 넣을 수 있게 합니다. 이 플러그인은 노트북의 모든 진행 중인 작업을 보여주는 대화상자를 추가합니다. 진행 중인 작업은 표시되지 않은 체크박스 또는 "TODO"나 "FIXME"로 태그된 항목입니다. 이 플러그인은 텍스트 또는 클립보드 내용을 빠르게 Zim 페이지로 만들 수 있는 대화상자를 추가합니다. 이 플러그인은 빠른 접근을 위해 알림 표시줄에 아이콘을 추가합니다. Gtk+ 버전 2.10 이상이 필요합니다. 이 플러그인은 현재 페이지를 링크하는 페이지 목록을 표시하는 부가 위젯을 추가합니다. 이 플러그인은 현재 페이지의 목차를 보여주는 부가 위젯을 추가합니다. 이 플러그인은 Zim을 방해 금지 편집기로 쓸 수 있도록 돕는 설정을 추가합니다. 이 플러그인은 '기호 삽입' 대화상자를 추가하고 문자꾸밈 기호에 자동으로 형식을 지정합니다. 이 플러그인은 Zim과 함께 제공되는 핵심 플러그인입니다. 이 플러그인은 노트북 버전 관리 기능을 추가합니다. Bazaar, Git 또는 Mercurial 버전 관리 시스템을 지원합니다. 이 플러그인은 페이지에 '코드 블럭'을 삽입할 수 있게 합니다. 문법 강조, 줄 번호 등을 포함한 위젯이 페이지 안에 삽입되어 표시됩니다. 이 플러그인은 Zim에서 산술 연산을 수행할 수 있게 합니다. 다음 URL의 산술 연산 모듈을 이용합니다: http://pp.com.mx/python/arithmetic 이 플러그인은 간단한 수식을 빠르게 계산해줍니다. 이 플러그인은 Ditaa 기반 도표 편집 기능을 추가합니다. 이 플러그인은 GraphViz에 기반한 도표 편집기를 제공합니다. 이 플러그인은 노트북의 링크 구조를 시각화한 대화 상자를 제공합니다. 페이지 간의 관계를 보여주는 "마인드 맵" 대용품으로 쓸 수 있습니다. 이 플러그인은 Zim과 함께 제공되는 핵심 플러그인입니다. 이 플러그인은 Zim 메뉴를 macOS 메뉴 막대에 표시합니다.이 플러그인은 태그 구름에서 태그를 선택해 페이지 색인을 필터링할 수 있게 합니다. 이 플러그인은 GNU R 기반 도표 편집기를 제공합니다. 이 플러그인은 Gnuplot 기반 도표 편집기를 제공합니다. 이 플러그인은 seqdiag 기반 시퀀스 다이어그램 편집기를 제공합니다. 시퀀스 다이어그램을 손쉽게 편집할 수 있습니다. 이 플러그인은 Zim에 없는 인쇄 기능을 보완합니다. 현재 페이지를 HTML로 내보낸 후 브라우저로 열어줍니다. 브라우저에 인쇄 기능이 있다는 가정 하에 이 플러그인은 두 단계를 거쳐 여러분의 데이터를 프린터로 인쇄할 수 있게 합니다. 이 플러그인은 LaTeX에 기반한 수식 편집기를 제공합니다. 이 플러그인은 GNU Lilypond를 이용한 악보 편집기를 제공합니다. 이 플러그인은 현재 페이지의 첨부 파일 폴더를 아래쪽 창에 아이콘으로 보여줍니다. 이 플러그인은 선택한 줄을 알파벳 순으로 정렬합니다. 이미 정렬된 상태라면 역순으로 정렬합니다 (A-Z를 Z-A로). 이 플러그인은 노트북 섹션 하나를 일, 주, 월 단위 일기장으로 만듭니다. 또한 각 페이지를 열어볼 수 있는 달력 위젯을 추가합니다. 이것은 파일이 적절하지 않은 문자셋을 가지고 있다는 것을 의미합니다제목계속하려면 이 페이지의 사본을 저장하거나 변경 사항을 버려야 합니다. 사본을 저장하면, 나중에 사본에서 변경 사항을 복원할 수 있습니다.새 노트북을 만드려면 비어있는 폴더를 선택하셔야 합니다. 물론 이미 존재하는 Zim 노트북 폴더를 선택하실 수도 있습니다. 목차오늘(_D)오늘체크박스 전환 '>'체크박스 'V' 전환체크박스 'X' 전환노트북 편집가능 상태 전환왼쪽 위위쪽 창오른쪽 위알림 아이콘페이지 이름을 작업 항목 태그로 간주형식체크박스 체크해제키로 들여쓰기 해제 (사용안함 상태이더라도 를 사용할 수 있습니다)알 수 없음지정 안함태그 없음이 페이지에 링크된 %i 페이지 업데이트색인 새로고침이 페이지의 제목 업데이트링크 업데이트 중색인 업데이트 중%s로 사이드 창 오가기사용자 정의 글꼴 사용다음 단위로 페이지 사용:일기 페이지 날짜링크를 따라가려면 키를 누릅니다. (사용안함 상태에서도 를 사용할 수 있습니다.)서식 무시버전 관리현재 이 노트북에 버전 관리 기능이 적용되어있지 않습니다. 활성화하시겠습니까?버전세로 여백로그 보기(_L)웹 서버주이 버그를 알려주실 때 아래의 텍스트 상자에 있는 정보를 덧붙여주세요단어 전체(_W)너비위키 페이지: %s이 플러그인으로 위키 페이지에 '표'를 넣을 수 있습니다. 표는 GTK TreeView 위젯을 이용해 표시됩니다. 여러가지 형식으로 (예. HTML/LaTeX) 내보낼 수도 있습니다. 단어 개수단어 세기...단어연도어제외부 응용프로그램으로 파일을 편집하고 계십니다. 편집을 마친 후 이 대화상자를 닫으시면 됩니다도구 메뉴와 도구 바 또는 컨텍스트 메뉴에 나타날 사용자 정의 도구를 구성할 수 있습니다짐 데스크탑 위키축소(_O)정보(_A)모든 창(_A)사칙 연산(_A)뒤로(_B)찾아보기(_B)버그(_B)달력(_C)체크박스(&C)자녀(_C)서식 지우기(_C)닫기(_C)모두 접기(_C)내용(_C)복사(_C)여기로 복사(_C)날짜와 시간(_D)...지우기(_D)페이지 지우기(_D)바뀐 사항 버리기(_D)이 줄 복제(&D)편집(_E)Ditaa 편집(_E)수식 편집(_E)GNU R 도표 편집(_E)Gnuplot 편집(_E)링크 편집(_E)링크 및 객체 편집(_E)...속성 편집(_E)악보 편집(_E)시퀀스 다이어그램 편집(_E)도표 편집(_E)강조(_E)자주 묻는 질문들(_F)파일(_F)찾기(_F)...앞으로(_F)전체 화면(_F)이동(_G)도움말(_H)강조(_H)기록(_H)홈(_H)아이콘만(_I)그림(_I)...페이지 가져오기(_I)...삽입(_I)직접 이동...(_J)단축키(_K)큰 아이콘(_L)링크(_L)해당 날짜로 링크(_L)링크(_L)...표시(_M)더보기(_M)이동(_M)여기로 이동(_M)이 줄을 아래로 이동(&M)이 줄을 위로 이동(&M)페이지 옮기기(_M)...새로운 페이지(_N)다음(_N)색인에서 이전없음(_N)보통 크기(_N)번호 목록(_N)열기(_O)다른 노트북 열기 ... (_O)기타(_O)...페이지(_P)페이지 계층(_P)부모(_P)붙여넣기(_P)미리보기(_P)이전(_P)색인에서 다음브라우저로 인쇄(_P)빠른 노트(_Q)...끝내기(_Q)최근 페이지(_R)다시 실행(_R)정규식(_R)새로고침(_R)이 줄 삭제(&R)링크 제거(_R)페이지 이름 바꾸기(_R)...바꾸기(_R)바꾸기(_R)...원래 크기(_R)버전 복구(_R)북마크 실행(&R)저장하기(_S)사본 저장(_S)스크린샷(_S)...찾기(_S)찾기(_S)...보내기(_S)...사이드 창2단 표시(_S)작은 아이콘(_S)줄 정렬(_S)상태 표시줄(_S)취소선(_S)굵게(_S)아래첨자(_S)위첨자(_S)서식(_T)텍스트만(_T)아주 작은 아이콘(_T)오늘(_T)도구 모음(_T)도구(_T)되돌리기(_U)서식 무시(_V)버전(_V)...보기(_V)확대(_Z)작업 기한으로작업 시작일로calendar:week_start:0사용하지 않음수평선macOS 메뉴 막대선 숨김읽기 전용초Launchpad Contributions: Elex https://launchpad.net/~mysticzizone Jaap Karssenberg https://launchpad.net/~jaap.karssenberg Jongsung Kang https://launchpad.net/~limerainne Joon Ro https://launchpad.net/~groups-joon Kentarch https://launchpad.net/~kentarch Talez https://launchpad.net/~talezshin kisung https://launchpad.net/~ksyou496 sejong lee https://launchpad.net/~umlstudy sjsaltus https://launchpad.net/~sjsaltus수직선선 표시zim-0.68-rc1/locale/en_GB/0000755000175000017500000000000013224751170015014 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/en_GB/LC_MESSAGES/0000755000175000017500000000000013224751170016601 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/en_GB/LC_MESSAGES/zim.mo0000644000175000017500000010173013224750472017743 0ustar jaapjaap00000000000000L| .}  0 )!4D!y!!i!!!" *"V7" " ""3"Y"D# Z# e# q#~### ##$#?#/1$(a$%$ $$$$ $ $ $$ % % %&%/%G%N%c% k%v%%-%<%&&&+&3&I&_&r&&+&3& &' .' <' H'S'b'3~''''' (+(:( ?( L( Z(g(l(p(0x((( ((( ( (( )~) ) )) ) ) )))))** .*:*A*T*[*n* *** ***+++ +%+4+ E+6O++v+,*,cA,,,,,, ,,,,-- ,- 6- @- J- T- ^- i- t- - -- ---- -- ---. .".2.D. S. `. l.y. .... ... ./ /(/?/ N/Z/`/2i///////00 "0 .080A0 G0Q0g00 00000 00001$1?1P1i1111 111 1 1 112'2 =2H2 \2j2y2222 2 2 222C203 P3 Z3 h3'r3V3330%4V4]4e4j4 4 4444 4 4&4 4 55!535K5^k5 55 56>6 V6 c6p66666 6 666667 $7 07 >7K77 7808 H8R8e8t88 8828 8&8.9G95[9 99&999 99:: :*:9:K:P: U:_: h:r: w::Y:?:S/;K;@;6<-G<xu<<=<>>}K??S@}@hyAkANBR"C;uC=CCjEnnEE7]FFF7G;GBGHG\GpGGG G G'GGDG!H)HH2H {HHHHHHPH=IFIUVIII I IINI .J:J @J NJ YJgJmJ rJ^|JfJBK SK]K dK oK{KKK KKKK K KK KKK K LL L,L;L LL ZLeL}L L LLLLL LLL LLL L LMM M +M 8MEM KMYMbMhMnM tM M MMMM MMMM MMN NN N#N6NHNWN ]NkNqNN NNN N NNN NNN O O O 'O 5O BO NOYOaO iO tO O O OOOOO O OOOOOP P P.R 4R@R _R0RR@R SSi"S!SS SUS !T +T5T3ITY}TT T T UU&U9U LUXU$_U>U/U(U%V BVLV[VcV jV vV VV V V VVVVVV VWW-'W<UWWWWWWWWXX+,X3XX XX X X XXX3YEYXYsYYYYY Y Y YYYZ0 Z\ W\c\|\\\\ \\\ \6\]w!]]*]c]:^B^I^M^ U^ `^m^}^^^^ ^ ^ ^ ^ ^ ^ _ _ _ "_-_ 4_>_C_S_ Z_f_ l_w___ ____ _ _ `` $`2`H`W` l`v`` `` ``` ```2a4aA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.Add 'tearoff' strips to the menusAdd ApplicationAdd NotebookAdds spell checking support using gtkspell. This is a core plugin shipping with zim. All FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAuthorAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsBackLinksBackLinks PaneBackendBazaarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenChangesCharactersCheck _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearCommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find notebook: %sCould not find the file or folder for this notebookCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?Cu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?DemoteDependenciesDescriptionDetailsDia_gram...Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_xport...Edit Custom ToolEdit ImageEdit LinkEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledEvaluate _MathExpand _AllExportExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHome PageIconIcons _And TextImagesImport PageIndexIndex pageInline CalculatorInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert SymbolInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeft Side PaneLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationMap document root to URLMarkMatch _caseMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove page "%s"Move text toNameNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNo Applications FoundNo changes since last versionNo dependenciesNo such file or folder: %sNo such file: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen in New _WindowOpen new pageOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput folderOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplateParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select more than one line of text, first.PluginPluginsPortPosition in the windowPr_eferencesPreferencesPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRight Side PaneS_ave Version...Save A _Copy...Save CopySave VersionSaved version from zimScoreSearchSearch Pages...Search _Backlinks...Select FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionServer not startedServer startedServer stoppedShow All PanesShow Link MapShow Side PanesShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendar in sidepane instead of as dialogShow in the toolbarShow the cursor also for pages that can not be editedSingle _pageSizeSome error occurred while running "%s"Sort alphabeticallySort pages by tagsSpell CheckerStart _Web ServerStrikeStrongSy_mbol...System DefaultTable of ContentsTagsTaskTask ListTemplateTemplatesTextText FilesText From _File...The file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The inline calculator plugin was not able to evaluate the expression at the cursor.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.ToCTo_dayTodayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUnindent on (If disabled you can still use )UnknownUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse a custom fontUse a page for eachUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWord CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Incalendar:week_start:0readonlysecondstranslator-creditsProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2014-07-30 23:35+0000 Last-Translator: Paul Thomas Stiles Language-Team: English (United Kingdom) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n != 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) %(cmd)s returned non-zero exit status %(code)i%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i file will be deleted%i files will be deleted%i open item%i open itemsChanging indent level for a list item also changes any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.Add 'tearoff' strips to the menusAdd ApplicationAdd NotebookAdds spellchecking support using gtkspell. This is a core plugin shipping with zim. All FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAuthorAutomatically saved version from zimAutomatically select the current word when applying formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version at regular intervalsBackLinksBackLinks PaneBackendBazaarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenChangesCharactersCheck _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearCommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy E-mail AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find notebook: %sCould not find the file or folder for this notebookCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?Cu_tCustom ToolsCustom _ToolsCustomise...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?DemoteDependenciesDescriptionDetailsDia_gram...Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_xport...Edit Custom ToolEdit ImageEdit Link_Edit SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledEvaluate _MathExpand _AllExportExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceSearch forFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and is not empty, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatGitGnuplotGo to homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHome PageIconIcons _And TextImagesImport PageIndexIndex pageIn-line CalculatorInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert SymbolInsert Text From FileInsert diagramInsert image as linkInterfaceInterwiki KeywordJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeft Side PaneLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationMap document root to URLMarkMatch _caseMercurialModifiedMonthMove PageMove Selected Text...Move Text to Another PageMove page "%s"Move text toNameNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNo Applications FoundNo changes since last versionNo dependenciesNo such file or folder: %sNo such file: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen in New _WindowOpen new pageOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput folderOverwriteP_athbarPagePage "%s" and all of its sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplateParagraphPlease enter a comment for this versionPlease note that linking to a nonexistant page also creates a new page automatically.Please select a name and a folder for the notebook.Please select more than one line of text.PluginPluginsPortPosition in the windowPr_eferencesPreferencesPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently Changed PagesReformat wiki markup on the flyRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemoving LinksRename PageRename page "%s"Repeatedly clicking a check box cycles through the check box statesReplace _AllReplace withRestore page to saved version?RevRight Side PaneS_ave Version...Save A _Copy...Save CopySave VersionSaved version from zimScoreSearchSearch Pages...Search _Backlinks...Select FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state, or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionServer not startedServer startedServer stoppedShow All PanesShow Link MapShow Side PanesShow ToC as floating widget instead of in the sidepaneShow _ChangesShow a separate icon for each notebookShow calendar in sidepane instead of as dialogShow in the toolbarShow the cursor even for pages that cannot be editedSingle _pageSizeAn error occured while running "%s"Sort alphabeticallySort pages by tagsSpell CheckerStart _Web ServerStrikeStrongSy_mbolSystem DefaultTable of ContentsTagsTaskTask ListTemplateTemplatesTextText FilesText From _File...The file or folder you specified does not exist. Please check the path you entered.The folder %s does not yet exist. Do you want to create it now?The in-line calculator plug-in was not able to evaluate the expression at the cursor.No changes have been made in this notebook since the last version was saved.This could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plug-in allows a screenshot to be taken and directly inserted into a Zim page. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plug-in adds the 'Insert Symbol' dialogue and allows auto-formatting typographic characters. This is a core plug-in shipping with Zim. This plug-in adds version control for notebooks. This plug-in supports the Bazaar, Git and Mercurial version control systems. This is a core plug-in shipping with zim. This plug-in allows you to quickly evaluate simple mathematical expressions in Zim. This is a core plug-in and ships with Zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim, based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialogue with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a page index filtered by means of selecting tags in a cloud. This plug-in provides a plot editor for Zim based on GNU R This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim, based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plug-in sorts selected lines into alphabetical order. If the list is already sorted, the order will be reversed (A-Z to Z-A). This usually means the file contains invalid charactersTitleTo continue, you can save a copy of this page or discard any changes. If you save a copy, changes will also be discarded, but you can restore the copy later.ToCTo_dayTodayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUnindent on (If disabled you can still use )UnknownUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse a custom fontUse a page for eachUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWord CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialogue when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort Lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Incalendar:week_start:0readonlysecondsLaunchpad Contributions: Biffaboy https://launchpad.net/~curtisbull Jaap Karssenberg https://launchpad.net/~jaap.karssenberg Matthew Gadd https://launchpad.net/~darkotter Michael Mulqueen https://launchpad.net/~michael.mulqueen MoLE https://launchpad.net/~moleonthehill Nicholas Wastell https://launchpad.net/~nickwastell Otto Robba https://launchpad.net/~otto-ottorobba Paul Thomas Stiles https://launchpad.net/~paulstiles91 Rui Moreira https://launchpad.net/~rui-f-moreira Vibhav Pant https://launchpad.net/~vibhavp dotancohen https://launchpad.net/~dotancohenzim-0.68-rc1/locale/it/0000755000175000017500000000000013224751170014456 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/it/LC_MESSAGES/0000755000175000017500000000000013224751170016243 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/it/LC_MESSAGES/zim.mo0000644000175000017500000014530013224750472017406 0ustar jaapjaap00000000000000L+,M+.z+?+ ++ ,5,0Q,,,,4,, , -i-*-!-- - -- .-.M.VU.. . ..3.Y/h/ ~/ / / //// / /0 00$#0?H0/0(00%0,$1Q1 g1q11 11 1 1 1 1 1 11 1 1 2 22+222G2N2]2 e2p222222-2<3O3 U3 _3j3s3{3333333+4334 g44 4 4 4444 53'5[5y5555556 6 6 6 )666;6?60G6x66 66 66 6 66 6 667$7~>7 77 7 77 7 8 8 8"8*8;8D8\85d88 8(88!89#9<9O9V9i9 999 999: :: : :/: @:6J::v::*;c<;;;; ;;;;;< <<%<6<F<X< l< w< < < < < < < < < <<<=!'=I=i= ===== === === >> ->:>J>\> k> x> >>> > >>>> ??-?5? =?J? _?m???.? ???2?@@&@@@I@d@}@@@ @@@@ @@A AA.AFAXAmA |AA A*AAAA A BBB5BSB.cBBBBBBBCC /C9CI I JJ8JlRl Zl gltll l ll ll lll l l m m m *m 6mAmIm Qm \m im tm mmmmm m mmmmmm nn .n - l#x،  !/Qk5E - 8EXjz%ÎE֎7Li  ُ !/ @*L*w! Đѐ -? [ is{] p&G-ߒ /X63ÓՓ"$> M(Wb:0?O >   *5:LT g s#~˖ݖ%4 <JZ4ޗ # DTTlԘ-8 Q \gz  ٙ 0H`h~̚$|/ћ ,?N_#r˜&0DW0ߝN$@!e"Ǟ5ݞ65J 6 9OVh p z ʠ٠ &  .8@H N\nU*5*`nPE]<c22ӥcj:3\_IϬ (3ӰY[FGղy=>B6=øɸ+θ!&H[n;׹ܹx iuq #'="e'ͻ#~ U- B M\W ýͽݽվܾoV  ' 3=F KWm    .BZl#  &08HM T _k |    #* 2>Ti{  1D M Xd  !.>Uj}     %, 5ARX oz %" &8I \i/q This plugin provides bar for bookmarks. %(cmd)s returned non-zero exit status %(code)i%(n_error)i errors and %(n_warning)i warnings occurred, see log%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i of %i%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd bookmark/Show settingsAdd columnAdd new bookmarks to the beginning of the barAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAttachments:AuthorAuto WrapAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave interval in minutesAutosave version on regular intervalsAutosave version when the notebook is closedBack to Original NameBackLinksBackLinks PaneBackendBacklinks:BazaarBook_marksBookmarksBookmarksBarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck Checkbox '>'Check Checkbox 'V'Check Checkbox 'X'Check _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearClone rowCode BlockColumn 1CommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?CreatedCu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to delete all bookmarks?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootDueE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExpand journal page in index when openedExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatFossilGNU _R PlotGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageGrid linesHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageHorizontal _LineIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationManaging table columnsMap document root to URLMarkMatch _caseMaximum number of bookmarksMaximum page widthMenubarMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove column aheadMove column backwardMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNextNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such page: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOnly Show Active TasksOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen cell content linkOpen helpOpen in New WindowOpen in New _WindowOpen new pageOpen plugins folderOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage already exists: %sPage has un-saved changesPage not allowed: %sPage sectionParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select a row, before you push the button.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrevPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionRow downRow upS_ave Version...S_coreSave A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...Search this sectionSectionSection(s) to ignoreSection(s) to indexSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet New NameSet default text editorSet to Current PageShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow Tasks as Flat ListShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full Page NameShow full page nameShow helper toolbarShow in the toolbarShow right marginShow tasklist in sidepaneShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStartStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTags for non-actionable tasksTaskTask ListTasksTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The following parameters will be substituted in the command when it is executed: %f the page source as a temporary file %d the attachment directory of the current page %s the real page source file (if any) %p the page name %n the notebook location (file or folder) %D the document root (if any) %t the selected text or word under cursor %T the selected text including wiki formatting The inline calculator plugin was not able to evaluate the expression at the cursor.The table must consist of at least on row! No deletion done.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis page name cannot be used due to technical limitations of the storageThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a macOS menubar for zim.This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox '>'Toggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUn-check CheckboxUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse %s to switch to the side paneUse a custom fontUse a page for eachUse date from journal pagesUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWith this plugin you can embed a 'Table' into the wiki page. Tables will be shown as GTK TreeView widgets. Exporting them to various formats (i.e. HTML/LaTeX) completes the feature set. Word CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Checkbox_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Duplicate Line_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Line Down_Move Line Up_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Line_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Run bookmark_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Inas due date for tasksas start date for taskscalendar:week_start:0do not usehorizontal linesmacOS Menubarno grid linesreadonlysecondstranslator-creditsvertical lineswith linesProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-06-13 10:21+0000 Last-Translator: Marco Cevoli Language-Team: Italian MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n != 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) Questa estensione aggiunge una barra dei segnalibri. %(cmd)s ha restituito uno stato di uscita diverso da zero %(code)iSi sono verificati %(n_error)i errori and %(n_warning)i avvisi; vedi registro%A %d %B %Y%i _Allegato%i _Allegati%i _link entranti...%i _link entranti...Si sono verificati %i errori; vedi logVerrà eliminato %i fileVerranno eliminati %i file%i di %i%i elemento aperto%i elementi apertiSi sono verificati %i avvertimenti; vedi logRidurre l'indentazione di un elemento dell'elenco la riduce anche ad ogni sottoelementoUn wiki per il desktopEsiste già un file con il nome "%s". È possibile utilizzare un altro nome o sovrascrivere il file esistente.Una tabella deve avere almeno una colonna.Aggiungi linee tratteggiate ai menùAggiungi applicazioneAggiungi segnalibroAggiungi blocco noteAggiungi segnalibro / Mostra impostazioniAggiungi colonnaAggiungi i nuovi segnalibri all'inizio della barraAggiungi rigaQuesta estensione aggiunge la funzionalità di controllo ortografico mediante gtkspell. È un'estensione di base distribuita insieme a Zim. AllineaTutti i fileTutte le attivitàPermetti accesso pubblicoUtilizza sempre l'ultima posizione del cursore quando si apre una paginaSi è verificato un errore durante la creazione dell'immagine. Salvare comunque il testo sorgente?Sorgente pagina annotatoApplicazioniAritmeticaAllega fileAllega _fileAllega file esternoPrima allega un'immagineSfoglia allegatiAllegatiAllegati:AutoreA capo automaticoRientri automaticiVersione salvata in automatico da ZimSeleziona automaticamente la parola corrente quando si applica la formattazioneConverti automaticamente le parole composte con le iniziali maiuscole ("CamelCase") in un collegamentoConverti automaticamente i percorsi dei file in collegamentiIntervallo di salvataggio in minutiSalva automaticamente ad intervalli regolariSalva automaticamente la versione alla chiusura del blocco noteRipristina nome originaleLink entrantiPannello link entrantiBackendCollegamenti inversi:BazaarSegna_libriSegnalibriBookmarksBarIn basso a sinistraPannello inferioreIn basso a destraEsploraElenco pun_tatoC_onfiguraCalen_darioCalendarioImpossibile modificare la pagina: %sAnnullaCattura l'intero schermoCentroCambia colonneModificheCaratteriCaratteri senza spaziSeleziona casella '>'Seleziona casella 'V'Seleziona casella 'X'Controllo _ortograficoElenco con casella di controlloContrassegnando una casella di controllo si contrassegnano anche gli eventuali sottoelementiStile classico per l'icona nell'area di notifica; non utilizzare il nuovo stile per lo stato dell'icona in UbuntuCancellaClona rigaBlocco di codiceColonna 1ComandoIl comando non modifica i datiCommentoIncludi piè di paginaIncludi intestazioneBlocco _note completoConfigura applicazioniConfigura estensioneScegli un'applicazione per aprire i collegamenti "%s"Scegli un'applicazione per aprire i file di tipo "%s"Considera tutte le caselle di controllo come attivitàCopia indirizzo e-mailCopia ModelloCopi_a come...Copia _collegamentoCopia _posizioneImpossibile trovare l'eseguibile "%s"Impossibile trovare il blocco note: %sImpossibile trovare il modello "%s"Impossibile trovare il file o la cartella di questo blocco note.Impossibile caricare correttore ortograficoImpossibile aprire: %sImpossibile analizzare l'espressioneImpossibile leggere: %sImpossibile salvare la pagina: %sCrea una nuova pagina per ogni annotazioneCreare la cartella?Creato_TagliaStrumenti personalizzatiStrumen_ti personalizzatiPersonalizza...DataGiornoPredefinitoFormato predefinito per la copia di testo negli appuntiBlocco note predefinitoRitardoElimina paginaEliminare la pagina "%s"?Elimina rigaDiminuisci di livelloDipendenzeDescrizioneDettagliDia_gramma...Elimina la notaRedazione senza distrazioniDitaaEliminare tutti i segnalibri?Ripristinare la pagina: %(page)s alla versione salvata: %(version)s ? Verranno perse tutte le modifiche effettuate dall'ultima versione salvata.Cartella principale dei documentiScadenzaE_quazione_Esporta...Modifica gli strumenti personalizzatiModifica immagineModifica collegamentoModifica tabellaModifica _sorgenteFormattazioneModifica del file: %sCorsivoAbilitare il controllo versione?AttivoErrore in %(file)s, riga %(line)i vicino a "%(snippet)s"Valuta espressione _matematicaEspandi _tuttoEspandi pagina del diario nell'indice all'aperturaEsportaEsporta tutte le pagine in un solo fileEsportazione completataEsporta ogni pagina in un file separatoEsportazione blocco noteNon riuscitoImpossibile avviare %sImpossibile eseguire l'applicazione: %sFile già esistente_Modelli di file...Il file %s è stato modificato sul discoIl file esiste giàil file %s non è scrivibileTipo di file non supportato: %sNome fileFiltroTrovaTrova s_uccessivoTrova _precedenteCerca e sostituisciCerca qualcosaSegnala attività in scadenza lunedì o martedì prima del fine settimana.CartellaLa cartella esiste già e non è vuota; esportando in questa cartella i file contenuti potrebbero essere sovrascritti. Continuare?Cartella già esistente: %sCartella con i modelli per i file allegatiSi possono eseguire ricerche avanzate con gli operatori AND, OR e NOT. Consulta la guida in linea (Aiuto) per ulteriori dettagli.For_matoFormatoFossilGNU _R PlotOttieni altre estensioni onlineOttieni altri modelli onlineGitGnuplotVai alla pagina inizialeVai alla pagina precedenteVai alla pagina successivaVai alla pagina inferioreVai alla pagina successivaVai alla pagina superioreVai alla pagina precedenteBordi grigliaTitolo 1Titolo 2Titolo 3Titolo 4Titolo 5Titolo _1Titolo _2Titolo _3Titolo _4Titolo _5AltezzaNascondi la barra dei menu in modalità schermo interoNascondi la barra del percorso in modalità schermo interoNascondi la barra di stato in modalità schermo interoNascondi la barra degli strumenti in modalità schermo interoEvidenzia la riga attualePagina iniziale_Linea orizzontaleIconaTesto _e iconeImmaginiImporta paginaIncludi sottopagineIndiceIndiceCalcolatrice in lineaInserisci blocco di codiceInserisci data e oraInserisci diagrammaInserisci DitaaInserisci equazioneInserisci grafico GNU RInserisci GnuplotInserisci immagineInserisci collegamentoInserisci PartituraInserisci screenshotInserisci diagramma di sequenzaInserisci simboloInserisci tabellaInserisci testo da fileInserisci diagrammaInserisci le immagini come collegamentiInterfacciaParola chiave interwikiDiarioVai aVai alla paginaLe etichette identificano le attivitàUltima ModificaLascia il collegamento alla nuova paginaA sinistraPannello laterale sinistroLimita la ricerca alla pagina corrente e alle sue sottopagineOrdina lineeRigheMappa dei collegamentiCollega i file alla cartella principale dei documenti indicando il percorso completoCollega aPercorsoRegistra eventi con ZeitgeistFile di registroApparentemente è stato rilevato un bug.Rendi l'applicazione predefinitaGestione colonne tabellaFai corrispondere la cartella principale dei documenti all'URLEvidenziatoCorrispondenza _maiuscole/minuscoleNumero massimo di segnalibriLarghezza massima della paginaBarra dei menùMercurialModificatoMeseSposta paginaSposta il testo selezionato...Sposta il testo nell'altra paginaSposta colonna a sinistraSposta colonna a destraSposta la pagina "%s"Sposta il testo inNomeÈ necessario un file di output per esportare l'MHTMLÈ necessario un file di output per esportare il blocco note completoNuovo fileNuova paginaNuova s_ottopaginaNuova sottopaginaNuovo _AllegatoProssNessuna applicazione trovataNessuna modifica dall'ultima versioneNessuna dipendenzaNon è disponibile alcuna estensione per visualizzare questo oggetto.Nessun file o cartella: %sFile non trovato: %sQuesta pagina non esiste: %sNessun wiki definito: %sNessun modello installatoBlocco noteProprietà blocco noteBlocco note _modificabileBlocchi noteOKMostra solo le attività attiveApri cartella _allegatiApri cartellaApri blocco noteApri con...Apri la cartella principale dei _documentiApri la cartella principale dei _documentiApri la cartella del _blocco noteApri _paginaApri link contenuto cellaApri aiutoApri in una nuova finestraApri in una nuova _finestraApri nuova paginaApri la cartella dei pluginApri con "%s"OpzionaleOpzioniOpzioni estensione %sAltro...File di destinazioneIl file di output esiste già; specificare "--overwrite" per eseguire comunque l'esportazioneCartella di destinazioneLa cartella di output esiste già e non è vuota; specificare "--overwrite" per eseguire comunque l'esportazioneÈ necessario indicare l'ubicazione dell'output prima dell'esportazioneL'output deve sostituire la selezione attualeSovrascriviB_arra di navigazionePaginaVerrà eliminata la pagina "%s", insieme a tutti gli allegati e le relative sottopagine.La pagina "%s" non ha una cartella per gli allegatiNome della paginaModello di paginaLa pagina esiste già: %sLa pagina ha modifiche non salvatePagina non consentita: %sSezione paginaParagrafoInserire un commento per questa versioneVerrà creata una nuova pagina, perché si sta inserendo un collegamento a una pagina inesistente.Selezionare un nome e una cartella per questo blocco note.Scegliere una riga prima di premere il pulsante.Scegliere più di una riga di testo prima di ordinare il testo.Specificare un blocco noteEstensioneÈ necessaria l'estensione %s per visualizzare questo oggetto.EstensioniPortaPosizione nella finestraPr_eferenzePreferenzePrecStampa su browserProfiloAumenta di livelloProprie_tàProprietàInvia eventi al demone di ZeitgeistAnnotazione veloceAnnotazione veloce...Modifiche recentiModifiche RecentiPagine modificate recentementeRiformatta al volo il markup del wikiRimuoviRimuovi tuttoElimina colonnaRimuovi i collegamenti da %i pagina che rimandano a questa paginaRimuovi i collegamenti da %i pagine che rimandano a questa paginaRimuovi collegamenti alla cancellazione delle pagineElimina rigaRimozione dei collegamenti in corsoRinomina paginaRinomina la pagina "%s"Facendo clic su una casella di controllo si alternano gli stati della casella stessaSostituisci _tuttoSostituisci conRipristinare la pagina alla versione salvata?RevA destraPannello laterale destroPosizione margine destroRiga sottoRiga sopraS_alva versione...S_coreSalva una _copia...Salva copiaSalva versioneSalva segnalibriVersione salvata da ZimOccorrenzeColore di sfondo dello schermoComando per screenshotCercaCerca Pagine...Cerca _link entranti...Cerca in questa sezioneSezioneSezione/i da ignorareSezione/i da indicizzareSeleziona fileSeleziona cartellaSeleziona immagineSeleziona una versione per visualizzare i cambiamenti tra la versione scelta e quella corrente. Oppure seleziona versioni multiple per visualizzare i cambiamenti tra di esse. Seleziona il formato di esportazioneSeleziona il file o la cartella di destinazioneSeleziona pagina da esportareSeleziona finestra o regioneSelezioneDiagramma di sequenzaServer non avviatoServer avviatoServer arrestatoImposta nuovo nomeImposta editor di testo predefinitoImposta alla pagina correnteMostra tutti i pannelliMostra Sfoglia allegatiMostra numeri di rigaMostra mappa dei collegamentiMostra Riquadri LateraliMostra le attività come elenco piattoMostra il sommario come widget mobile anziché nel pannello lateraleMostra _modificheMostra un'icona separata per ciascun blocco noteMostra calendarioMostra il calendario nel pannello laterale anziché in una finestra di dialogoMostra il nome completo della paginaMostra nome completo della paginaMostra barra strumenti aiutoMostra nella barra degli strumentiMostra margine destroMostra l'elenco delle attività nel pannello lateraleMostra il cursore anche per le pagine non modificabiliMostra l'intestazione del titolo della pagina nel ToC_Pagina singolaDimensioniPulsante home intelligenteSi è verificato un errore mentre veniva eseguito "%s"Ordina alfabeticamenteOrdina pagine per etichetteVisualizzazione sorgenteControllo ortograficoInizioAvvia server _WebBarratoGrassettoSi_mbolo...SintassiPredefinito di sistemaLarghezza della tabulazioneTabellaEditor tabelleSommarioEtichetteEtichetta per attività non eseguibiliAttivitàElenco attivitàAttivitàModelloModelliTestoFile di testoTesto da _file...Colore di sfondo del testoColore di primo piano del testoIl file o la cartella specificata non esiste. Controllare se il percorso è corretto.La cartella %s non esiste. Crearla adesso?La cartella "%s" non esiste ancora. Vuoi crearla ora?I seguenti parametri saranno sostituiti all'esecuzione del comando: %f la pagina sorgente come file temporaneo %d la cartella degli allegati della pagina corrente %s l'eventuale file sorgente della pagina reale %p il nome della pagina %n l'ubicazione del blocco note (file o cartella) %D l'eventuale radice del documento %t il testo selezionato o la parola sotto il cursore %T il testo selezionato inclusa la formattazione wiki L'estensione Calcolatrice in linea non è stata in grado di valutare l'espressione alla posizione del cursore.La tabella deve avere almeno una riga. Non è stato eliminato nulla.Non sono state apportate modifiche a questo blocco note rispetto all'ultima versione salvata.Probabilmente non è stato installato il dizionario correttoQuesto file esiste già. Sovrascriverlo veramente?Questa pagina non ha una cartella per gli allegatiQuesto nome di pagina non può essere usato a causa dei limiti tecnici del sistema di archiviazioneQuesta estensione crea un'istantanea dello schermo e la inserisce in una pagina di Zim. È un'estensione di base distribuita insieme a Zim. Questa estensione aggiunge una finestra di dialogo che visualizza tutte le attività in sospeso presenti nel blocco note. Le attività in sospeso possono essere caselle di controllo o elementi marcati con le etichette "TODO" (da fare) o "FIXME" (da risolvere). È un'estensione di base distribuita insieme a Zim. Questa estensione aggiunge una finestra di dialogo per copiare rapidamente del testo o il contenuto degli appunti in una pagina di Zim. È un'estensione di base distribuita insieme a Zim. Questa estensione aggiunge un'icona all'area di notifica per un accesso rapido. Questa estensione necessita di Gtk+, versione 2.10 o più recente. È un'estensione di base distribuita insieme a Zim. Questa estensione aggiunge un nuovo widget che mostra l'elenco delle pagine collegate a quella corrente. È un'estensione di base distribuita insieme a Zim. Questa estensione aggiunge un widget che visualizza il sommario della pagina corrente. È un'estensione di base distribuita insieme a Zim. Questa estensione aggiunge alcune impostazioni per usare Zim come un editor senza distrazioni. Questa estensione aggiunge la finestra di dialogo 'Inserisci simbolo' e permette la formattazione automatica di caratteri tipografici. È un'estensione di base distribuita insieme a Zim. Questa estensione aggiunge il controllo versione ai blocchi note. L'estensione supporta i sistemi di controllo versione Bazaar, Git e Mercurial. È un'estensione di base distribuita insieme a Zim. Questa estensione consente di inserire 'blocchi di codice' nella pagina, che saranno viusalizzati come widget incorporati con evidenziatura della sintassi, numeri di riga, ecc. Questo plugin permette di includere espressioni aritmetiche in zim. Si basa sul modulo aritmetico http://pp.com.mx/python/arithmetic. Questa estensione permette di valutare semplici espressioni matematiche in Zim. È un'estensione di base distribuita insieme a Zim. Questa estensione mette a disposizione di Zim un editor di diagrammi basato su Ditaa. È un'estensione di base distribuita insieme a Zim. Questa estensione mette a disposizione di Zim un editor di diagrammi basato su GraphViz. È un'estensione di base distribuita insieme a Zim. Questa estensione mette a disposizione una finestra di dialogo con una rappresentazione grafica della struttura dei collegamenti del blocco note. Può essere utilizzata come una specie di "mappa mentale" che mostra le relazioni fra le pagine. È un'estensione di base distribuita insieme a Zim. Questo plugin fornisce una barra menu macOS per zimQuesta estensione mette a disposizione l'indice delle pagine filtrato attraverso la selezione di una o più etichette da una tag cloud. Questa estensione mette a disposizione di Zim un editor di grafici plot basato su GNU R. Questa estensione mette a disposizione di Zim un editor di grafici plot basato su Gnuplot. Questa estensione aggiunge a Zim un editor di diagrammi di sequenza basato su seqdiag. Consente la modifica facile dei diagrammi di sequenza. Questa estensione fornisce una soluzione alternativa alla mancanza del supporto alla stampa in Zim. Esporta la pagina corrente in formato HTML e la apre in un browser. Supponendo che il browser consenta la funzionalità di stampa, si potrà stampare la pagina con due clic. È un'estensione di base distribuita insieme a Zim. Questa estensione mette a disposizione di Zim un editor di equazioni basato su LaTeX. È un'estensione di base distribuita insieme a Zim. Questa estensione mette a disposizione un editor di partiture per zim basato su GNU Lilypond. È un'estensione di base distribuita insieme a Zim. Questa estensione mostra la cartella con gli allegati della pagina corrente sotto forma di icona nel riquadro inferiore. Questa estensione ordina alfabeticamente le righe selezionate. Se l'elenco è già ordinato, l'ordine viene invertito (da A-Z a Z-A). Questa estensione trasforma una sezione del blocco note in un diario con una pagina per ogni giorno, settimana o mese. Inoltre aggiunge un calendario per accedere a queste pagine. Ciò di solito significa che il file contiene caratteri non validiTitoloPer continuare è possibile salvare una copia di questa pagina o scartare tutte le modifiche. Se se ne salva una copia, le modifiche saranno comunque scartate, ma sarà possibile ripristinare la copia in seguito.Per creare un nuovo blocco note è necessario selezionare una cartella vuota. Naturalmente è anche possibile selezionare la cartella di un blocco note zim esistente. Sommario_OggiOggiAttiva o disattiva casella di controllo '>'Attiva la casella 'V'Attiva la casella 'X'Rendi modificabile il blocco noteIn alto a sinistraPannello superioreIn alto a destraIcona nell'area di notificaConverti il nome della pagina in etichette per le attivitàTipoDeseleziona casellaPremi il tasto per ridurre l'indentazione (se disabilitato puoi ancora usare la combinazione ).SconosciutoNon specificatoNessuna etichettaAggiorna %i collegamento che punta alla pagina correnteAggiorna %i collegamenti che puntano alla pagina correnteAggiorna indiceAggiorna il titolo di questa paginaAggiornamento dei collegamenti in corsoAggiornamento dell'indice in corsoUsa %s per passare al pannello lateraleUsa carattere personalizzatoUsa una pagina per ogniUsa la data delle pagine del diarioPremi il tasto per visitare i collegamenti (se disabilitato puoi comunque usare la combinazione di tasti )VerbatimControllo versioneAl momento il controllo versione non è abilitato per questo blocco note. Abilitarlo?VersioniMargine verticaleVisualizza _annotazioniVisualizza _registroServer WebSettimanaQuando si segnala questo bug, includere i dati contenuti nella casella di testo sottostante.Intera _parolaLarghezzaPagina wiki: %sCon questa estensione puoi inserire una 'tabella' in una pagina wiki. Le tabelle saranno mostrate come widget GTK TreeView. La funzionalità consente anche l'esportazione in vari formati (ad es. HTML o LaTeX). Conteggio paroleConteggio parole...ParoleAnnoIeriSi sta modificando un file con un'applicazione esterna. Al termine si può chiudere questa finestra di dialogo.È possibile configurare gli strumenti personalizzati che appariranno nel menù strumenti e nella barra strumenti o nel menù contestuale.Zim Desktop Wiki_Riduci ingrandimento_InformazioniTutti i pannelli_Aritmetica_Indietro_Sfoglia_Bug_Calendario_Casella di controllo_Livello inferiore_Elimina formattazione_Chiudi_Collassa tutto_Contenuti_Copia_Copia qui_Data e ora..._Elimina_Elimina paginaScarta _modifiche_Duplica riga_Modifica_Modifica ditaa_Modifica equazione_Modifica grafico GNU R_Modifica Gnuplot_Modifica collegamento_Modifica oggetto o collegamento..._Modifica Proprietà_Modifica partitura_Modifica diagramma di sequenza_Modifica diagramma_CorsivoDomande _frequenti_File_Trova..._AvantiSchermo _intero_VaiA_iuto_Evidenzia_Cronologia_Pagina inizialeSolo _icone_Immagine..._Importa pagina..._Inserisci_Vai a..._Scorciatoie da tastieraIcone _grandi_Collegamento_Collega alla data_Collegamento..._EvidenziatoA_ltro_Sposta_Sposta qui_Sposta riga in basso_Sposta riga in alto_Sposta pagina..._Nuova pagina..._SuccessivoVoce _successiva dell'indice_NessunoDimensioni _normaliElenco _numerato_Apri_Apri un altro blocco note..._Altro..._Pagina_Gerarchia della pagina_Livello superiore_Incolla_Anteprima_PrecedenteVoce _precedente nell'indice_Stampa su browserAnnotazione _veloce..._EsciPagine _recenti_RipetiEspressione _regolare_Ricarica_Elimina riga_Rimuovi collegamento_Rinomina pagina...S_ostituisci_Sostituisci..._Ripristina dimensioni_Ripristina versione_Esegui segnalibri_Salva_Salva copia_Screenshot..._Cerca_Cerca..._Invia a...Riquadri _Laterali_AffiancateIcone _piccole_Ordina lineeBarra di _stato_Barrato_Grassetto_Pedice_Apice_ModelliSolo _testoIcone _minuscole_Oggi_Barra degli strumentiS_trumenti_Annulla_Verbatim_Versioni..._Visualizza_Aumenta ingrandimentocome data di scadenza delle attivitàcome data d'inizio delle attivitàcalendar:week_start:1non usarebordi orizzontaliBarra menu macOSbordi non visibiliSola letturasecondiLaunchpad Contributions: Alessandro Sarretta https://launchpad.net/~alessandro-sarretta Calogero Bonasia https://launchpad.net/~0disse0 Davide Truffa https://launchpad.net/~catoblepa Giuseppe Carrera https://launchpad.net/~expertia Jaap Karssenberg https://launchpad.net/~jaap.karssenberg Jacopo Moronato https://launchpad.net/~jmoronat Marco Cevoli https://launchpad.net/~marco-cevoli Mario Calabrese https://launchpad.net/~mario-calabrese Martino Barbon https://launchpad.net/~martins999 Matteo Ferrabone https://launchpad.net/~desmoteo-gmail Nicola Gramola https://launchpad.net/~nicola-gramola Nicola Jelmorini https://launchpad.net/~jelmorini Nicola Moretto https://launchpad.net/~nicola88 Nicola Piovesan https://launchpad.net/~piovesannicola igi https://launchpad.net/~igor-calibordi verticalibordi visibilizim-0.68-rc1/locale/ar/0000755000175000017500000000000013224751170014444 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/ar/LC_MESSAGES/0000755000175000017500000000000013224751170016231 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/ar/LC_MESSAGES/zim.mo0000644000175000017500000015207213224750472017400 0ustar jaapjaap00000000000000(,(.)?I) )) ))0)"*=*4[** **i**+!D+f+ v+ + +-++V+(, ., 8,B,3V,Y,, , - - -+-@-S- f- r-- --$-?-/.(4.%].. ... .. . . . . ./ / / '/1/:/R/Y/n/u// ////-/<0=0 C0 M0X0a0i0000000+03!1 U1v1 1 1 1111132I2g2z2222222 2 3 3$3)3-3053f3w3 }33 33 3 33 3 334$4~,4 4 4 44 4 4 4 4 55%5.5F55N55 5(55!55#6&696@6S6 q6}66 666666 6 77 *7647k7vr77*7c&8888 888888 889 909B9 V9 a9 k9 u9 9 9 9 9 9 9 9999!:3:S: j:t:y:: ::: ::::: ;;#;5; D; Q; ];j;|; ; ;;;; ;;<< <#< 8<F<]<b<.q< <<<2<<<<="===V=m== === === ===>>*> 9>F> K>*l>>>> >>>>>?. ?O?j?{????? ??? @ @ @(@>@R@ h@s@ @@@ @@@@@@A A9(A bAIpA!A'A BBBCB0`B B BB B B'BVC3YC0C0CC D-D>DFDKD bD oD{DDDD D D&D D DDEE1EQE XE cE^qE E EE FF>(F gF tFFFFFFFFFFF G GG.GEGKGcGvG}GGG G G GGaH zHHH HHHH I I'I?ISIbIzI II2I I&I J. JOJcJwJJJ5J&J KK K&/KVKjK }K KKKK KKK KK KKL L*L /L9L BLLL QL\LoLLYL?LA5MSwM=MK N@UN6N-NxNtO=PPPQ}QLORR&SS[T}ThhUkU=VRW;dW=WvWUXjiYnY]CZZ![7[[[|\ ]]]]2]F]_]h] q] {]']]D]] ] ^H^ ]^j^^^!^^^P^A_J_UZ____ _ __N_ B`N` T`b` a (a6abJbPbXb ^bhbobb b bb bbb bbb bb c c )c4cLc ]cic c ccccc ccc ccc c cc d d d ,d9d ?dMdVd\dbd hd sd dddd dddd ddde ee e'e:eLe[e aeoeuee eee e eee eef f f f +f 9f Ff Rf]fef mf xf f f fffff f ffffg gg(g0gCg Rg/]gBiCiQj fjrjqk,xkkl1Ymvm n nn7nNn=oYooooo5ooo ppp3pMpuy;@y5|yyyyy5 z-Cz/qzOz/z!{"4{W{ q{2{!{{{{| ,|:|I|P|I_||||| } }&} =}H}[}d} }},}}~ ~ ~"~~~ !6=S1\ B9 D,O|,Àۀ #99P*'ˁ 2K cqʃ6 Ą҄:J4 %˅'/6I/ Ȇ Ն  % 3 AOD`@@D'"l܈$4J!`$Ӊ(:R&m܊ +"NWg$<)V+_ ..;j$~,"ЍD 8F$e Ǝ͎!ߎ2+4)` =ɏJRb"v ̐'ِ. 03Q2,*#4=!U w "ƒܒ!9Y'j 3ғ #D_ n{ "Lo<>A]:Pd8z:×85M>]7f"ۙ )9 Q\lV{Қ!';GCǛЛ6ӝ$#`HDԞ &)/"Y|ϟ%)O^)}!&Ҡ*<473l6 ע1N3m"ģ& )(D`m&Τ2(Q@-)-'"@Uc?:5Q)Ч !*2'Hpè1̨  ,7<Pb}sH@Ycjqia۫J=7SiqsOsAԴ_mT`ٸ:rb 4AI6* F Q1\13 '=G[| '2B~T " +EL"|QZsy,A Uu` ' @K R]    )3JSe y (AQ%f!$ 3A V ` nz   + 7A Zg v   ,CL j u) 49OXw"  ;EW w   ! , 6 B N Z!g   &#7V lw( This plugin provides bar for bookmarks. %(cmd)s returned non-zero exit status %(code)i%(n_error)i errors and %(n_warning)i warnings occurred, see log%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd columnAdd new bookmarks to the beginning of the barAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAttachments:AuthorAuto WrapAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsBack to Original NameBackLinksBackLinks PaneBackendBacklinks:BazaarBookmarksBookmarksBarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearClone rowCode BlockColumn 1CommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?CreatedCu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to delete all bookmarks?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExpand journal page in index when openedExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatFossilGNU _R PlotGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageGrid linesHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationManaging table columnsMap document root to URLMarkMatch _caseMaximum page widthMenubarMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove column aheadMove column backwardMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNextNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen cell content linkOpen helpOpen in New WindowOpen in New _WindowOpen new pageOpen plugins folderOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage has un-saved changesPage sectionParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select a row, before you push the button.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrevPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionRow downRow upS_ave Version...S_coreSave A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...SectionSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet New NameSet default text editorSet to Current PageShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full Page NameShow full page nameShow helper toolbarShow in the toolbarShow right marginShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTags for non-actionable tasksTaskTask ListTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The inline calculator plugin was not able to evaluate the expression at the cursor.The table must consist of at least on row! No deletion done.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse %s to switch to the side paneUse a custom fontUse a page for eachUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWith this plugin you can embed a 'Table' into the wiki page. Tables will be shown as GTK TreeView widgets. Exporting them to various formats (i.e. HTML/LaTeX) completes the feature set. Word CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Incalendar:week_start:0horizontal linesno grid linesreadonlysecondstranslator-creditsvertical lineswith linesProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-04-28 22:01+0000 Last-Translator: Tarig Language-Team: Arabic MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n % 100 >= 3 && n % 100 <= 10 ? 3 : n % 100 >= 11 && n % 100 <= 99 ? 4 : 5; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) Language: ar هذا الملحق يُنشئ شريطاً للعلامات. %(cmd)s ظهور رسالة انتهاء غير طبيعي %(code)i%(n_error)i أخطاء %(n_warning)i هناك تحذيرات, راجع السجل%A %d %B %Y%i من المرفقات%i مرفق واحدمرفقان %i اثنان%i من المرفقات%i من المرفقات%i من المرفقات%i _إشارة خلفية...%i _Backlinks...%i _Backlinks...%i _Backlinks...%i _Backlinks...%i _Backlinks...%i حدثت أخطاء، راجع السجل%i من الملفات سيتم حذفهاملف واحد %i سيتم حذفهملفان اثنان %i سيتم حذفهما%i ملفات سيتم حذفها%i ملفاً سيتم حذفها%i من الملفات سيتم حذفها%i بطاقة مفتوحةبطاقة واحدة %i مفتوحةبطاقتان %i اثنان مفتوحتان%i بطاقات مفتوحة%i بطاقات مفتوحة%i بطاقة مفتوحة%i هناك تحذيرات، راجع السجل(إلغاء) المسافة البادئة لعنصر القائمة يغير أيضاً العناصر الفرعية<أعلى><مجهول>ويكي سطح المكتبهناك ملف بالاسم "%s" موجود مسبقاً بمكنك اختيار اسم آخر أو استبدال الملف الموجودالجدول يجب أن يحتوي على عمود واحد على الأقلأضف خيار فتح القوائم كنوافذ صغيرةأضف تطبيقاًأضف علامةأضف دفتراًإضافة عمودأضف علامة جديدة في أول الشريطإضافة صفوفيضيف دعماً للتدقيق اللغوي باستخدام gtkspell. هذا الملحق جزء من زيم ويأتي مضمناً فيه. محاذاةكل الملفاتكل المهامالسماح للعامة (الكل) بالوصولدائماً استخدم آخر موضع للمؤشر عند فتح صفحةحدث خطأ أثناء إنشاء الصورة. هل تريد حفظ النص المصدري على أية حال؟مصدر صفحة مشروحالتطبيقاتعمليات حسابيةإرفق ملفاًإرفق _ملفاًإرفق ملفاً خارجياًأرفق صورة أولاًعارض المرفقاتالمرفقاتالمرفقاتالمؤلفالتفاف تلقائيمسافة بادئة تلقائيةتم حفظ إصدارة زيم تلقائياً.اختر الكلمة الحالية تلقائياً عند تطبيقك للتنسيقتلقائياً حول الكلمات "ذات الأحرف الأولى الكبيرة" إلى وصلاتحول مسار الملف إلى وصلة تلقائياًحفظ الإصدارة تلقائياً على فترات منتظمةعودة إلى الاسم الأصليالوصلات الخلفيةلوحة الوصلات الخلفيةالخلفيةوصلات الخلفية:Bazaarالعلاماتشريط العلاماتأسفل اليسارلوحة إلى الأسفلأسفل اليميناستعرضقائمة نق_طيةإعدادتقويمالتقويمتعذر حفظ الصفحة: %sالغِالتقاط صورة لكامل الشاشةوسطتغيير الأعمدةالتغييراتمحارفمحارف لا تتضمن مسافاتتدقيق لغويقائمة مربع ا_ختيارالنقر على مربع الاختيار يغير أيضاً العناصر الفرعيةصينية أيقونات تقليدية، لا تستخدم الأسلوب الجديد لصينية الحالة الخاصة بأوبونتوامحُاستنساخ صفوفكتلة النص البرمجيالعمود 1الأمرالأمر لا يغير البياناتتعليقتعميم تضمين التذييلتعميم تضمين الترويسةال_دفتر كاملاًهيء التطبيقاتإعداد الملحقهيء تطبيقاً لفتح وصلات "%s"هيء تطبيقاً لفتح الملفات من نوع "%s"اعتبار كل مربعات الإختيار كمهام.انسخ عنوان البريد الإلكترونيانسخ القالبإنسخ _كـإنسخ _الوصلةانسخ موقع الوصلةتعذر العثور على ملف تنفيذي "%s"تعذر العثور على الدفتر: %sتعذر العثور على القالب: "%s"تعذر العثور على الملف أو المجلد لهذا الدفترتعذر تحميل التدقيق اللغويتعذر فتح %sتعذر تحليل التعبيرتعذرت قراءة: %sتعذر حفظ الصفحة: %sإنشاء صفحة جديدة لكل ملاحظةهل تود إنشاء مجلد؟تم إنشاؤهق_صأدوات مخصصةأدوات _مخصصةتخصيص...التاريخيومإفتراضيالتنسيق الافتراضي لنسخ النص إلى الحافظةالدفتر الافتراضيالتأخيراحذف الصفحةاحذف الصفحة "%s"؟حذف صفوفتخفيضالاعتمادياتالوصفالتّفاصيلمخططأأنبذ الملاحظة؟تحرير بلا مُلهياتديتاهل تريد حذف كل العلامات؟هل تريد استعادة الصفحة: %(page)s\n إلى الإصدارة: %(version)s ?\n \n كل التغييرات منذ الإصدارة الأخير المحفوظة ستضيع!جذر الصفحةمعادلةصدّر...حرر الأداة المخصصةحرر الصورةحرر الوصلةحرر الجدولحرر _المصدرحررحرر الملف: %sمائلتمكين التحكم في الإصدارات؟مُفعلخطأ في %(file)s في السطر %(line)i قرب "%(snippet)s"تقويم الرياضياتوسع الكلقم بتوسيع مجلة الصفحة عند فتحهاصدِّرصدر كل الصفحات كملف واحدإكتمل التصديرتصدير كل صفحة كملف منفصلتصدير الدفترفشلفشل بدء العملية: %sفشل بدء التطبيق %sالملف موجودقوال_ب الملفتغيرت محتويات الملف على القرص:%sالملف موجودالملف محمي ضد الكتابة:%sنوع الملف غير مدعوم: %sاسم الملفتصفيةإبحثإيجاد ال_تاليإيجاد ال_سابقإبحث واستبدلابحث عنتعليم المهام بمستحقة الأداء في يوم الإثنين أو الثلاثاء قبل نهاية الأسبوعمجلدالمجلد موجود مسبقاً وبه ملفات، التصدير إلى هذا المجلد ربما يؤدي لاستبدال الملفات الموجودة. هل تريد الاستمرار؟المجلد موجود: %sمجلد به قوالب لمرفقات الملفاتللبحث المتقدم يمكنك استخدام عوامل بحث مثل AND, OR و NOT. أنظر صفحات المساعدة للمزيد من المعلوماتتنـ_سيقالتنسيقFossilخريطة GNU Rالمزيد من الملحقات على الإنترنتالحصول على المزيد من القوالب من الإنترنتGitGnuplotالذهاب إلى المنزلإذهب صفحة للأماماذهب صفحة إلى الأمامالذهاب إلى صفحة فرعيةالذهاب إلى الصفحة التاليةذهاب إلى صفحة بالمستوى الاعلىالذهاب إلى الصفحة السابقةخطوط إرشاديةرئيسي 1رئيسي 2رئيسي 3رئيسي 4رئيسي 5رئيسي _1رئيسي _2رئيسي _3رئيسي _4رئيسي _5الارتفاعأخفِ شريط القوائم في وضعية ملء الشاشةإخف شريط المسار في وضعية ملء الشاشةإخف شريط الحالة في وضعية ملء الشاشةإخفِ شريط الأدوات في وضعية ملء الشاشةتمييز السطر الحاليالصفحة الرئيسيةالأيقونةأيقونات _مع النصصوراستورد صفحةضمن الصفحات الفرعيةصفحة الفهرسصفحة الفهرسحاسبة مضمنةإدرج كتلة نص برمجيإدرج التاريخ والوقتإدرج مخططاً"إدخال ديتا"إدرج معادلةإدرج خريطة Gnuplotإدرج Gnuplotإدرج صورةإدرج وصلةإدرج المجموعإدرج لقطة شاشةإدرج مخططاً تسلسلياَإدرج رمزاًإدرج جدولاًإدرج نصاً من ملفإدرج مخططاًإدرج الصور كوصلاتالواجهةكلمة مفتاحية لوصلة ويكيمجلةاذهب إلىاذهب إلى الصفحةبطاقات تمييز المهامآخر تعديلاستبقِ الوصلة إلى الصفحة الجديدةيسارلوحة جانبية إلى اليسارأقصر البحث على الصفحة الحالية والصفحات الفرعيةفارز السطورسطورربط بخريطة ذهنيةاربط الملفات تحت جذر المستندات بالمسار الكامل للملفاربط بـالموقعسجّل الأحداث مع زايتقيستملف السجلّيبدو أنك وجدت علة مااجعله التطبيق الافتراضيإدارة أعمدة الجدولاربط المستند الجذر الى عنوان رابط (URL)تحته خططابق حالة الحروفالعرض الأقصى للصفحةشريط القوائمMercurialتاريخ التعديلشهرأنقل صفحةأنقل النص المحدد...أنقل النص إلى الصفحة الأخرىتحريك العمود إلى الأمامتحريك العمود إلى الخلفأنقل الصفحة "%s"أنقل النص إلىالإسميجب تحديد الملف الوجهة لتصدير MHTMLبحاجة إلى مجلد الوجهة لتصدير كامل الدفترملف جديدصفحة جديدةصفحة ف_رعية جديدة...صفحة فرعية جديدة_مرفق جديدالتاليتعذر العثور على تطبيقلا تغييرات منذ آخر إصدارةلا توجد اعتمادياتلا يوجد ملحق لعرض هذا الكائنالملف أو المجلد غير موجود: %sلا يوجد ملف بهذا الاسم: %sلا وجود لوصلة الويكي: %sلا توجد قوالب مثبتةدفترخصائص الدفتردفتر قابل _للتحريردفاترحسناًإفتح مجلد المرفقاتافتح مجلداًافتح دفتراًافتح باستخدام...إفتح مجلد _المستندفتح جذر _المستندإفتح مجلد _الدفترفتح _صفحةفتح وصلة محتوى الخليةفتح صفحة المساعدةإفتح نافذة جديدةإفتح المحددة في نافذة _جديدةافتح صفحة جديدةفتح مجلد الملحقاتإفتح بواسطة "%s"اختياريخياراتخيارات الملحق %sأخرى...ملف المخرجاتالملف الذي اخترته للتصدير موجود مسبقاً، حدد "_استبدل" للتصدير مع استبدال الملف.مجلد نواتج التصديرالمجلد الذي اخترته للتصدير موجود وبه محتويات.. حدد "_استبدال" للتصدير مع الاستبداليجب تحديد الوجهة لمخرجات التصديرالملف الناتج سيستبدل الملف المحدداستبدل الملفشريط_المسارصفحةالصفحة "%s" وكل صفحاتها الفرعية ومرفقاتها سيتم حذفهاالصفحة "%s" ليس لها مجلد أو مرفقاتاسم الصفحةقالب الصفحةالصفحة تحوي تغييرات غير محفوظةقسمفقرةيُرجى كتابة تعليق لهذه الإصدارةيُرجى ملاحظة أن الربط بصفحة غير موجودة ينشيء أيضاً صفحة جديدة تلقائياً.الرجاء اختيار اسم ومجلد للدفتريُرجى اختيار صف، قبل ضغط الزريُرجى تحديد أكثر من سطر واحد من النص أولاً.يُرجى تحديد دفترملحقالملحق %s مطلوب لعرض هذا الكائنالملحقاتمنفذالموضع ضمن النافذةالت_فضيلاتالتفضيلاتالسابقطباعة إلى مستعرض الويبالملف الشخصيترقيةالخ_صائصالخصائصيتيح لك أن تتعامل مع أحداثك المهمة بطريقة عصريةملاحظة سريعةملاحظة سريعة...التغييرات الأخيرةالتغيرات الأخيرةالصفحات التي جرى _تعديلها مؤخراًإعادة تنسيق علامات الويكي لحظة بلحظةإحذفإحذف الكلحذف عمودحذف وصلات من %i صفحات ترتبط بهذه الصفحةحذف وصلات من %i صفحات مرتبطة بهذه الصفحةحذف وصلات من %i صفحات مرتبطة بهذه الصفحةحذف وصلات من %i صفحات مرتبطة بهذه الصفحةحذف وصلات من %i صفحة مرتبطة بهذه الصفحةحذف وصلات من %i صفحة مرتبطة بهذه الصفحةإلغاء الوصلات عند حذف الصفحاتحذف اعمدةجارٍ حذف الوصلاتأعد تسمية الصفحةأعد تسمية الصفحة "%s"تكرار نقر الماوس على مربع الاختيار للتنقل بين حالاتهاستبدل ال_كلاستبدال بـاستعادة الصفحة إلى إصدارتها المحفوظةمراجعةيمينلوحة جانبية إلى اليمينموضع الهامش الأيمنصف إلى أسفلصف إلى أعلىح_فظ الإصدارةالمجمو_عإحفظ ن_سخة...احفظ نسخةحفظ الإصدارةاحفظ العلاماتإصدارة محفوظة من زيمالمجموعلون خلفية الشاشةأمر التقاط صورة الشاشةابحثابحث ضمن الصفحات...إبحث الوصلات الخلفيةقسماختر ملفاًاختر مجلداًاختر صورةاختر إصدارة لرؤية التغييرات بين تلك الإصدارة والإصدارة الحالية أو اختر عدة إصدارات لرؤية الاختلافات بين هذه الإصدارات. اختر شكل التصديراختر الملف أو المجلد للتصديراختر الصفحات المراد تصديرهااختيار نافذة أو جزء من الشاشةتحديدمخطط تسلسليلم يتم بدء الخادمتم بدء الخادمتم إيقاف الخادمحدد اسماً جديداًحدد محرراً افتراضياً للنصوصحدد للصفحة الحاليةأظهر كل اللوحاتأظهر مستعرض المرفقاتأظهر أرقام السطورعرض بنية الربطأظهر اللوحات الجانبيةعرض جدول المحتويات كويدجت عائمة بدلاً عن لوحة جانبيةعرض فروقات الإصداراتأعرض أيقونة منفصلة لكل دفترإظهر التقويمأظهر التقويم كلوحة جانبية بدلاً عن مربع حوارأظهر الاسم الكامل للصفحةأظهر اسم الصفحة كاملاًأظهر شريط أدوات المساعدةأظهار في شريط الأدواتأظهر الهامش الأيمنأظهر المؤشر أيضاً للصفحات التي لا يمكن تحريرهاعرض عنوان الصفحة في جدول المحتوياتصفحة_منفردةحجممفتاح الانتقال الذكي إلى المنزلحدث خطأ أثناء تشغيل التطبيق %sفرز حسب الأبجديةفرز الصفحات حسب الوسومعرض المصدرتدقيق لغويابدأ _خادم الويبمشطوبعريضرم_زبناء الجملةالإعدادات الإفتراضيةعرض التبويبةجدولمحرر الجدولجدول المحتوياتوسوموسوم للمهام متعذرة التحقيقمهمةقائمة المهامالقالبقوالبنصملفات نصيةنص من _ملفلون خلفية النصلون النص الأماميالملف أو المجلد المشار إليه غير موجود يرجى التأكد من صحة المسارالمجلد %s لا وجود له أتريد أن تنشئه الآن؟المجلد "%s غير موجود. هل تريد إنشاءه؟هذه الحاسبة المضمنة لم تستطع تقييم التعبير عند المؤشر.هذا الجدول يجب أن يحتوي على صف واحد على الأقل! لم يتم الحذف.لا توجد تغييرات في هذا الدفتر منذ آخر مرة تم حفظ الإصدارة فيها.ربما يعني هذا أنك لم تقم بعد بتثبيت القواميس المناسبةهذا الملف موجود مسبقاً هل تريد استبداله؟هذه الصفحة ليس لها مجلد مرفقاتيتيح هذا الملحق التقاط صورة شاشة وإدرجها مباشرة في صفحة زيم هذا الملحق جزء من زيم ومضمن فيه. هذا الملحق يضيف مربع حوار يظهر كافة المهام المفتوحة في هذا الدفتر. فتح المهام إما أن يفتح مربعات الإختيار أو العناصر المعلمة بوسوم مثل "TODO" أو "FIXME". هذا الملحق جزء من زيم ويأتي مضمناً معه. هذا الملحق يضيف مربع حوار لإضافة نص سريع أو محتوى الحافظة إلى صفحة زيم. هذا الملحق جزء مضمن في زيم. يضيف هذا الملحق صينية أيقونات لتسهيل الوصول السريع إليها. اعتماديات هذا الملحق هي Gtk+ version 2.10 أو أحدث. هذا الملحق جزء من زيم ويأتي مضمناً فيه. هذا الملحق يضيف ويدجتا اضافية تظهر قائمة الصفحات التي لها ارتباط بالصفحة الحالية هذا الملحق جزء من زيم ويأتي مضمناً به. هذا الملحق يضيف ويدجت إضافية تعرض جدول المحتويات للصفحة الحالية. هذا الملحق جزء من زيم ويأتي مضمناً فيه. هذا الملحق يضيف إعدادات تساعد في استخدام زيم كمحرر بلا مُلهيات هذا الملحق يضيف مربع حوار "إدرج رمز" ويتيح التنسيق التلقائي للحروف المطبعية. هذا الملحق جزء مضمن في زيم. هذا الملحق يضيف إمكانية التحكم في إصدارة الدفاتر. هذا الملحق يدعم نظم كل من Bazaar، Git وMercurial لمتابعة الإصدارات يتيح هذا الملحق إدرج "كتل برمجية" في الصفحة. هذه الكتل ستظهر كويدجات مضمنة مع تمييز التراكيب، أرقام السطور.. الخ. هذا الملحق يمكنك من تضمين معادلات حسابية في زيم. وهو مبني على الوحدة القياسية من http://pp.com.mx/python/arithmetic. هذا الملحق يتيح لك تقويم تعابير حسابية بسيطة في زيم هذا الملحق يوفر محرر مخططات لزيم وهو مبني على Ditaa. هذا الملحق جزء من زيم ويأتي مضمناً فيه. هذا الملحق يوفر محرر مخططات لزيم اعتماداً على GraphViz. هذا ملحق أصيل مضمن مع زيم. هذا الملحق يوفر مربع حوار مع عرض مرئي لبنية الربط مع الدفتر. يمكن استخدامه كنوع من "الخريطة الذهنية" لبيان كيفية ارتباط الصفحات ببعضها. هذا الملحق يتيح صنع فهرس للصفحة مفروزاً حسب الوسوم في سحابة هذا الملحق يوفر محرر خرط لزيم وهو مبني على GNU R. يوفر هذا الملحق إمكانية إدرج خريطة وهو مبني على Gnuplot. يتيح هذا الملحق محرراً للمخططات التسلسلية في زيم وهو مبني على seqdiag. يسهل تحرير المخططات التسلسلية . يوفر هذا الملحق حلاً لعدم توفر دعم الطباعة في زيم. ويمكنه تصدير الصفحة الحالية إلى هيئة html وفتحها في مستعرض الانترنت. بافتراض أن المستعرض يدعم الطباعة. وهذا يمكنك من إرسال البيانات إلى الطابعة في خطوتين. هذا الملحق يوفر محرر معادلات لزيم. الملحق مبني على latex. هذا الملحق جزء من زيم ومضمن فيه. هذا الملحق يتيح تحرير المجموع لزيم وهو مبني على GNU Lilypond. هذا الملحق جزء من زيم ومضمن فيه. هذا الملحق يعرض مجلد المرفقات للصفحة الحالية كأيقونة معروضة في اللوحة السفلية يتيح هذا الملحق إمكانية فرز سطور محددة بالترتيب الهجائي. إن كانت السطور مرتبة فعلا فإن الأمر يعكس الترتيب. (من الألف إلى الياء ومن الياء إلى الألف). هذا الملحق يحول قسماً واحداً من الدفتر إلى مجلة صفحة يومياً، أسبوعياً أو شهرياً أيضاً يضيف ويدجيت إلى التقويم للوصول إلى هذه الصفحات. هذا يعني عادة أن الملف يحوي أحرفاً خاطئةالعنوانللمتابعة يمكنك حفظ نسخة من هذه الصفحة أو نبذ أي تغييرات. لو اخترت الحفظ نسخة فإن أي تغييرات سوف تُفقد أيضاً، ولكن يمكنك استعادة النسخة لاحقاً.لإنشاء دفتر جديد تحتاج لاختيار مجلد فارغ. بالطبع يمكنك أيضاً اختيار دفتر زيم موجود. جدول المحتوياتاليوماليومتبديل حالة مربع الاختيار 'V'تبديل حالة مربع الاختيار 'X'تبديل قابلية الدفتر للتعديلأعلى اليسارلوحة إلى الأعلىأعلى اليمينصينية الأيقوناتتحويل اسم الصفحة إلى وسم لعناصر المهام.نوعألغِ المسافة البادئة بـ (إذا كانت معطلة يمكنك استخدام )مجهولغير محددغير موسومتحديث %i وصلة مرتبطة بهذه الصفحةتحديث وصلة واحدة %i مرتبطة بهذه الصفحةتحديث وصلتين %i اثنتين مرتبطتين بهذه الصفحةتحديث %i وصلات مرتبطة بهذه الصفحةتحديث %i وصلة مرتبطة بهذه الصفحةتحديث %i وصلة مرتبطة بهذه الصفحةحدث الفهرسحدّث عنوان الصفحةجارِ تحديث الوصلاتجاري تحديث الفهرساستخدم %s للانتقال إلى اللوحة الجانبيةاستخدم خطاً مخصصاًاستخدم صفحة لكلِاضغط مفتاح لفتح الوصلات (لو كان ذلك معطلاً يمكنك استخدام )حرفيالتحكم في النسخةالتحكم في الإصدارات غير ممكن حاليا لهذا الدفتر. هل تريد تمكينه؟إصداراتالهامش العموديعرض الشروحإعرض ال_سجلخادم الويبأسبوععند تبليغك عن هذه العلة يُرجى تضمين المعلومات في مربع النص أدناهكلمة بأ_كملهاالعرضصفحة الويكي: %sبواسطة هذا الملحق يمكنك تضمين جدول في صفحة الويكي. الجداول ستظهر في شكل ويدجات GTK TreeView. تصديرها إلى صيغ متعددة مثل html/ laTeX يكمل ميزات الملحق. عدد الكلماتعدد الكلمات...كلماتسنةالأمسأنت تحرر ملفاً بواسطة تطبيق خارجي. يُرجى إغلاق مربع الحوار هذا عند الانتهاءيمكنك تهيئة الأدوات المخصصة التي ستظهر في قائمة الأدوات وفي شريط الأدوات أو في القائمة المنبثقةZim Desktop Wikiتص_غير_حولكل اللو_حاتمعادلات حسابية_إلى الخلف_استعراض_العلل_تقويم_فرعي_محو التنسيقأغلقاطوِ الكل_المحتويات_انسخانس_خ إلى هنا_التاريخ والوقت..._احذف_إحذف الصفحةأنبذ التغييرات_حررحرر ديتاحرر المعادلةحرر _خريطة GNU Rحرر Grunplot_حرر الوصلة_حرر وصلة أو كائناً..._حرر الخصائصت_حرير المجموعت_حرير مخطط تسلسليحرر المخططمائل_الأسئلة الشائعة_ملف_إيجاد..._للأمام_ملء الشاشة_إذهب_مساعدةتميي_ز_التاريخ_المنزل_أيقونات فقط_صورة..._استورد صفحة_إدرج_القفز إلى_ارتباطات لوحة المفاتيح_أيقونات كبيرة_وصلةالربط بتاري_خ_وصلة...مُميَّز_المزيد_أنقلان_قل إلى هنا_أنقل الصفحة..._صفحة جديدة..._التالي_التالي في الفهرس_لا شيءالحجم ال_عادي_قائمة مرقمةافتح_إفتح دفتراً آخر_آخر..._صفحةالتسلسل الهرمي _للصفحة_مستوى أعلى_الصقم_عاينةال_سابق_السابق في الفهرسال_طباعة إلى مستعرض الإنترنت_دفتر سريع...أنهِ_الصفحات الأخيرة_إعدتعبير _عاديأعد التحميل_إحذف الوصلة_أعد تسمية الصفحة...استب_دلاستب_دال...أعد ضبط الحجم_استعادة النسخة_إحفظاحفظ نسخةالتقاط _صورة شاشة_إبحث_إبحث_أرسل إلى..._اللوحات الجانبية_جنباً إلى جنب_أيقونات صغيرة_فرز السطور_شريط الحالةمشطوب_عريض_منخفض_مرتفع_قوالب_نص فقطأيقونات صغيرة _جدااليوم_شريط الأدوات_أدوات_تراجع_حرفيالإ_صدارات..._إعرضتكبي_رتقويم:بداية_الأسبوع:0خطوط أفقيةبلا خطوط إرشاديةللقراءة فقطثوانِLaunchpad Contributions: MaXeR https://launchpad.net/~themaxer Sulaiman A. Mustafa https://launchpad.net/~seininn Tarig https://launchpad.net/~taritomخطوط رأسيةمع السطورzim-0.68-rc1/locale/am/0000755000175000017500000000000013224751170014437 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/am/LC_MESSAGES/0000755000175000017500000000000013224751170016224 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/am/LC_MESSAGES/zim.mo0000644000175000017500000017114313224750472017373 0ustar jaapjaap00000000000000L+,M+.z+?+ ++ ,5,0Q,,,,4,, , -i-*-!-- - -- .-.M.VU.. . ..3.Y/h/ ~/ / / //// / /0 00$#0?H0/0(00%0,$1Q1 g1q11 11 1 1 1 1 1 11 1 1 2 22+222G2N2]2 e2p222222-2<3O3 U3 _3j3s3{3333333+4334 g44 4 4 4444 53'5[5y5555556 6 6 6 )666;6?60G6x66 66 66 6 66 6 667$7~>7 77 7 77 7 8 8 8"8*8;8D8\85d88 8(88!89#9<9O9V9i9 999 999: :: : :/: @:6J::v::*;c<;;;; ;;;;;< <<%<6<F<X< l< w< < < < < < < < < <<<=!'=I=i= ===== === === >> ->:>J>\> k> x> >>> > >>>> ??-?5? =?J? _?m???.? ???2?@@&@@@I@d@}@@@ @@@@ @@A AA.AFAXAmA |AA A*AAAA A BBB5BSB.cBBBBBBBCC /C9CI I JJ8JlRl Zl gltll l ll ll lll l l m m m *m 6mAmIm Qm \m im tm mmmmm m mmmmmm nn .n ;KX) ΋#ۋ<$< a2$.ڌ; E Zg'w&&ƍl n{MHh >A8<D\{&!'* G S _ k w Ē[Ԓ_0UU-<j| ɔ֔ $'&L's˕1N*h4Ȗ173Q(Η,*.J y%` "2ZI .ř0,@3m) ˚ؚ3$'L lv61ޛ*-X#w4cל;O`/ŝE;HRN44;2p07)I'P'x)( !;B~.¡'ܡ','Jr  ˢ~b}>7\ Ԥpۤ?L,8$D YCfX:_[=O A٨ $)9M ku8"!)!K0mN4:߫4&Q+x*HO\ %* HSn,%̮ *''O_)|- ԯޯ4Ne-gB)ر3 6$@*eDz1$#< `$ !dz=m'X u'""4.!G@iWVY kuF.ѷ'(BY+l  øи #6 ZMd ѹ޹ #!?)a^*jzvyqfkR4{V }"%utZvE|~9O e]q308=?3}3I/"OrI NiP%rv0$5,0-]8Oa~  6Wu / DN-d |Yw%  ',4 N\w(   1?Sj12O gu "  " :H]n  $'.L.{ , #!; ]8k "  , M#l 0*Ny'+*.Fev# % 36A6x! +6 IWh"%57,&d|-H This plugin provides bar for bookmarks. %(cmd)s returned non-zero exit status %(code)i%(n_error)i errors and %(n_warning)i warnings occurred, see log%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i of %i%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd bookmark/Show settingsAdd columnAdd new bookmarks to the beginning of the barAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAttachments:AuthorAuto WrapAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave interval in minutesAutosave version on regular intervalsAutosave version when the notebook is closedBack to Original NameBackLinksBackLinks PaneBackendBacklinks:BazaarBook_marksBookmarksBookmarksBarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck Checkbox '>'Check Checkbox 'V'Check Checkbox 'X'Check _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearClone rowCode BlockColumn 1CommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?CreatedCu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to delete all bookmarks?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootDueE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExpand journal page in index when openedExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatFossilGNU _R PlotGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageGrid linesHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageHorizontal _LineIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationManaging table columnsMap document root to URLMarkMatch _caseMaximum number of bookmarksMaximum page widthMenubarMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove column aheadMove column backwardMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNextNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such page: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOnly Show Active TasksOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen cell content linkOpen helpOpen in New WindowOpen in New _WindowOpen new pageOpen plugins folderOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage already exists: %sPage has un-saved changesPage not allowed: %sPage sectionParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select a row, before you push the button.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrevPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionRow downRow upS_ave Version...S_coreSave A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...Search this sectionSectionSection(s) to ignoreSection(s) to indexSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet New NameSet default text editorSet to Current PageShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow Tasks as Flat ListShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full Page NameShow full page nameShow helper toolbarShow in the toolbarShow right marginShow tasklist in sidepaneShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStartStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTags for non-actionable tasksTaskTask ListTasksTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The following parameters will be substituted in the command when it is executed: %f the page source as a temporary file %d the attachment directory of the current page %s the real page source file (if any) %p the page name %n the notebook location (file or folder) %D the document root (if any) %t the selected text or word under cursor %T the selected text including wiki formatting The inline calculator plugin was not able to evaluate the expression at the cursor.The table must consist of at least on row! No deletion done.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis page name cannot be used due to technical limitations of the storageThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a macOS menubar for zim.This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox '>'Toggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUn-check CheckboxUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse %s to switch to the side paneUse a custom fontUse a page for eachUse date from journal pagesUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWith this plugin you can embed a 'Table' into the wiki page. Tables will be shown as GTK TreeView widgets. Exporting them to various formats (i.e. HTML/LaTeX) completes the feature set. Word CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Checkbox_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Duplicate Line_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Line Down_Move Line Up_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Line_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Run bookmark_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Inas due date for tasksas start date for taskscalendar:week_start:0do not usehorizontal linesmacOS Menubarno grid linesreadonlysecondstranslator-creditsvertical lineswith linesProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-08-21 00:31+0000 Last-Translator: samson Language-Team: Amharic MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n > 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) ይህ ተሰኪ የሚያቀርበው የ ምልክት ማደረጊያ መደርደሪያ ነው %(cmd)s returned non-zero exit status %(code)i%(n_error)i ስህተቶች እና %(n_warning)i ማስጠንቀቂያዎች ተፈጥረዋል: መግቢያውን ይመልከቱ%A %d %B %Y%i _ማያያዣ%i _ማያያዣዎች%i የ _ዌብ ምንጭ...%i የ _ዌብ ምንጮች...%i ስህተት ተፈጥሯል: መግቢያውን ይመልከቱ%i ፋይሉ ይጠፋል%i ፋይሎቹ በ ሙሉ ይጠፋሉ%i ከ %i%i እቃ መክፈቻ%i እቃዎች መክፈቻ%i ማስጠንቀቂያ ተፈጥሯል: መግቢያውን ይመልከቱ(አለ-)ማስረግ ዝርዝር እቃዎችን እንዲሁም ይቀይራል ማንኛውንም ንዑስ-እቃዎችን<ከ ላይ><ያልታወቀ>የ ዴስክቶፕ ዊኪፋይክ በዚህ ስም "%s" ቀደም ብሎ ነበር እርስዎ አዲስ ስም ማስገባት ይችላሉ ወይንም በ ነበረው ፋይል ላይ ደርቦ ይጽፍበታልሰንጠረዥ ቢያንስ አንድ አምድ ያስፈልገዋልመጨመሪያ 'መቁረጫ' ወደ ዝርዝር ክፍሎችመተግበሪያ መጨመሪያአዲስ ምልክት ማድረጊያ መጨመሪያማስታወሻ ደብተር መጨመሪያምልክት ማድረጊያ መጨመሪያ/ማሳያ ማሰናጃአምድ መጨመሪያአዲስ ምልክት ማድረጊያ መጨመሪያ በ መደርደሪያው መጀመሪያ ላይረድፍ መጨመሪያፊደል ማረሚያ ይጨምራል በ መጠቀም የ gtkspell. ይህ ዋናው ተሰኪ ነው ከ ዚም ጋር አብሮ የሚመጣው ማሰለፊያሁሉም ፋይሎችሁሉንም ስራዎችለ ሁሉም መድረሻ ፍቃድ መፍቀጃገጽ በሚከፈት ጊዜ ሁል ጊዜ በ መጠቆሚያው መጨረሻ ቦታ መጀመሪያምስል በማመንጨት ላይ እንዳለ ስህተት ተፈጥሯል. እርስዎ የ ጽሁፉን ምንጭ ማስቀመጥ ይፈልጋሉ ለማንኛውም?የ ማብራሪያ ገጽ ምንጭመተግበሪያሒሳብፋይል ማያያዣ_ፋይል ማያያዣየ ውጪ ፋይል ማያያዣበ መጀመሪያ ምስል ማያያዣማያያዣ መቃኛማያያዣማያያዣዎች:ደራሲበራሱ መጠቅለያበራሱ ማስረጊያራሱ በራሱ ማስቀመጫ እትም ከ ዚም ውስጥራሱ በራሱ ይመርጣል የ አሁኑን ቃል እርስዎ አቀራረብ ሲፈጽሙራሱ በራሱ ያበራል "ቃሎች ማያያዣ" ወደ ቃላቶች አገናኝራሱ በራሱ የ ፋይል መንገዶችን ወደ አገናኝ ይቀይራልበራሱ ማስቀመጫ ክፍተት በ ደቂቃዎችበራሱ ማስቀመጫ እትም በ መደበኛ ክፍተትበራሱ ማስቀመጫ እትም ማስታወሻ ደብተሩ በሚዘጋ ጊዜወደ ኧናው ስም መመለሻመፈለጊያመፈለጊያ ክፍልተተኪአገናኞች:Bazaarምልክት_ማድረጊያምልክት ማድረጊያምልክት ማድረጊያ መደርደሪያከ ታች በ ግራ በኩልከ ታች በ ክፍሉ ውስጥከ ታች በቀኝ በኩልመቃኛየ ነጥ_ብ ዝርዝርማ_ዋቀሪያቀን መቁጠ_ሪያቀን መቁጠሪያይህን ገጽ ማሻሻል አይቻልም: %sመሰረዣረቅላላ መመልከቻውን ፎቶ ማንሻመሀከልአምድ መቀየሪያለውጦችባህሪዎችባህሪዎች ክፍተት አያካትቱምምልክት ማድረጊያ ሳጥን ውስጥ '>'ምልክት ማድረጊያ ሳጥን ውስጥ 'V'ምልክት ማድረጊያ ሳጥን ውስጥ 'X'_ፊደል ማረሚያምልክት ማድረጊያ ሳጥ+ን ዝርዝርምልክት ማድረጊያ ሳጥኖች መመርመር እንዲሁም ይቀይራል ማንኛውንም ንዑስ-እቃዎችዘመናዊ የ ትሪ ምልክቶች እነዚህን ዘመናዊ የ ሁኔታዎች ምልክት በ ኡቡንቱ ውስጥ አይጠቀሙማጽጃረድፍ ማባዣኮድ መከለከያአምድ 1ትእዛዝትእዛዝ ዳታ ማሻሻል አይችልምአስተያየትመደበኛ ግርጌ ማስገቢያመደበኛ ራስጌ ማስገቢያሙሉ _ማስታወሻ ደብተርመተግባሪያ ማሰናጃተሰኪ ማሰናጃመተግበሪያ ለ ማሰናጃ መክፈቻ "%s" አገናኝመተግበሪያ ፋይሎች ለ ማሰናጃ መክፈቻ አይነት "%s"ሁሉም ምልክት የ ተደረገባቸውን እንደ ስራ መውሰጃኢሜይል አድራሻን ኮፒ ማድረጊያቴምፕሌት ኮፒ ማድረጊያኮፒ ማድረጊያ _እንደ..._አገናኝ ኮፒ ማድረጊያ_አካባቢ ኮፒ ማድረጊያሊፈጸም የሚችል አልተገኘም "%s"ማስታወሻ ደብተር ማግኘት አልተቻለም: %sቴምፕሌት ማግኘት አልተቻለም "%s"ፋይል ወይንም ፎልደር ለዚህ ማስታወሻ ደብተር ማግኘት አልተቻለምፊደል ማረሚያ መጫን አልተቻለምመክደት አልተቻለም: %sመግለጫውን መተንተን አልተቻለምማንበብ አልተቻለም: %sገጹን ማስቀመጥ አልተቻለም: %sለ እያንዳንዱ ማስታወሻ አዲስ ገጽ መፍጠሪያፎልደር ልፍጠር?የተፈጠረውመቁረ_ጫመሳሪያዎች ማስተካከያ_መሳሪያዎች ማስተካከያማስተካከያ...ቀንቀንነባርነባር አቀራረብ ጽሁፍ ኮፒ ለማድረግ ወደ ቁራጭ ሰሌዳነባር ማስታወሻ ደብተርማዘግያገጽ ማጥፊያገጹን ላጥፋው "%s"?ረድፍ ማጥፊያዝቅ ማድረጊያጥገኞችመግለጫዝርዝሮችንድ_ፎች...ማስታወሻውን ላስወግደው?ነፃ ማረሚያDitaaምልክት ማድረጊያውን ማጥፋት ይፈልጋሉእርስዎ ገጹን እንደ ነበር መመለስ ይፈልጋሉ: %(page)s ወደ ተቀመጠው እትም: %(version)s ? ሁሉም ለውጦች መጨረሻ ከ ተቀመጠው እትም በኋላ ያሉት ይጠፋሉ !የ ሰነድ RootማስረከቢያE_quationመ_ላዓኪያ...መሳሪያዎች ማስተካከያ ማረሚያምስል ማረሚያአገናኝ ማረሚያሰንጠረዥ ማረሚያ_ምንጩን ማረሚያበ ማረም ላይፋይል በ ማረም ላይ: %sማጋነኛየ እትም መቆጣጠሪያ ላስችል?ተችሏልስህተት በ %(file)s መስመር %(line)i አጠገብ "%(snippet)s"_ሂሳብ መገምገሚያ_ሁሉንም ማስፊያበ ማውጫ ውስጥ የ መግለጫ ገጽ ማስፊያ በሚከፈት ጊዜመላኪያሁሉንም ገጾች ወደ ነጠላ ፋይል መላኪያመላኪያው ጨርሷልእያንዳንዱን ገጽ ወደ የ ተለያየ ፋይል መላኪያማስታወሻ ደብተር መላኪያወድቋልማስኬድ አልተቻለም: %sመተግበሪያውን ማስኬድ አልተቻለም: %sፋይሉ ቀደም ሲል ነበርፋይል _ቴምፕሌቶች...ፋይል በ ዲስኩ ላይ ተቀይሯል: %sፋይሉ ቀደም ብሎ ነበርፋይሉ ላይ መጻፍ አይቻልም: %sፋይሉ የ ተደገፈ አይነት አይደለም: %sየ ፋይል ስምማጣሪያመፈለጊያየ _ሚቀጥለውን መፈለጊያቀደም_ያለውን መፈለጊያመፈለጊያ እና መቀየሪያምን ልፈልግማስረከቢያው ቀን የ ደረሰውን ስራ ከ ሳምንቱ መጨረሻ በፊት ያሳያልፎልደርፎልደሩ ቀደም ብሎ ነበር እና ይዞታዎች አሉት: ወደዚህ ፎልደር ፋይሎች ማምጣት በ ነበረው ላይ ደርቦ ይጽፍበታል: መቀጠል ይፈልጋሉ?ፎልደሩ ነበር: %sፎልደር ከ ቴምፕሌቶች ጋር ፋይሎች ለ ማያያዣለ ረቀቀ መፈለጊያ እርስዎ መጠቀም ይችላሉ አንቀሳቃሾች እንደ እና: ወይንም: እና አይደለም: ለ በለጠ ዝርዝር መረጃ ይህን ይመልከቱአቀራ_ረብአቀራረብFossilGNU _R Plotተጨማሪ ተሰኪዎች በ መስመር ላይ ያግኙተጨማሪ ቴምፕሌቶች በ መስመር ላይ ያግኙGitGnuplotወደ ቤት መሄጃአንድ ገጽ ወደ ኋላአንድ ገጽ ወደ ፊትወደ ልጅ ገጽ መሄጃወደሚቀጥለው ገጽ መሄጃወደ ወላጅ ገጽ መሄጃቀደም ወዳለው ገጽ መሄጃመጋጠሚያ መስመርራስጌ 1ራስጌ 2ራስጌ 3ራስጌ 4ራስጌ 5ራስጌ _1ራስጌ _2ራስጌ _3ራስጌ _4ራስጌ _5እርዝመትበ ሙሉ መመልከቻ ዘዴ ውስጥ ዝርዝር መደርደሪያ መደበቂያበ ሙሉ መመልከቻ ዘዴ ውስጥ የ መደርደሪያ መንገድ መደበቂያበ ሙሉ መመልከቻ ዘዴ ውስጥ ሁኔታ መደርደሪያ መደቂያበ ሙሉ መመልከቻ ዘዴ ውስጥ እቃ መደርደሪያ መደበቂያየ አሁኑን መስመር ማድመቂያየ ገጽ ቤትየ አግድም _መስመርምልክትምልክቶች እና ጽሁፍምስሎችገጽ ማምጫንዑስ ገጾች ማካተቻማውጫየ ማውጫ ገጽበ መስመር ላይ ማስሊያኮድ መከለከያ ማስገቢያቀን እና ሰአት ማስገቢያንድፍ ማስገቢያDitaa ማስገቢያEquation ማስገቢያGNU R Plot ማስገቢያGnuplot ማስገቢያምስል ማስገቢያአገናኝ ማስገቢያውጤት ማስገቢያየ መመልከቻ ፎቶ ማስገቢያየ ንድፍ ቅደም ተከተል ማስገቢያምልክይ ማስገቢያሰንጠረዥ ማስገቢያጽሁፍ ከ ፋይል ውስጥ ማስገቢያንድፍ ማስገቢያምስሎች እንደ አገናኝ ማስገቢያግንኙነትየ ዊኪ ቁልፍ ቃል ያስገቡማስታወሻመዝለያ ወደመዝለያ ወደ ገጽስራዎችን ምልክት ማድረጊያመጨረሻ የተሻሻለውአዲስ ገጽ ወደ አገናኝ መተውበ ግራበ ግራ ጎን ክፍል ውስጥፍለጋውን መወሰኛ ወደ አሁኑ ገጽ እና ወደ ንዑስ-ገጾች ውስጥመስመር መለያመስመሮችካርታ አገናኝፋይሎች አገናኝ በ ሰነድ ስር ውስጥ በ ሙሉ ፋይል መንገድአገናኝ ወደአካባቢየ መግቢያ ሁኔታዎች በ Zeitgeistየ ፋይል መግቢያእርስዎ ችግር ያገኙ ይመስላልነባር መተግበሪያ ማድረጊያየ ሰንጠረዥ አምዶች አስተዳዳሪየ ሰነድ ስር ካርታ ወደ URLምልክት_ጉዳይ ማመሳሰያከፍተኛ ምልክት ማድረጊያ ቁጥርከፍተኛው የ ገጽ ስፋትዝርዝር መደርደሪያMercurialተሻሽሏልወርገጽ ማንቀሳቀሻየ ተመረጠውን ጽሁፍ ማንቀሳቀሻ...ጽሁፍ ወደ ሌላ ገጽ ማንቀሳቀሻአምድ ማንቀሳቀሻአምድ ወደ ኋላ ማንቀሳቀሻገጽ ማንቀሳቀሻ "%s"ጽሁፍ ማንቀሳቀሻ ወደስምየ MHTML ለ መላክ ውጤት ያስፈልጋልየ ውጤት ፎልደር ያስፈልጋል ለ መላክ ሙሉ የ ማስታወሻ ደብተርአዲስ ፋይልአዲስ ገጽአዲስ ን_ዑስ ገጽ...አዲስ ንዑስ ገጽአዲስ _ማያያዣየሚቀጥለውምንም መተግበሪያ አልተገኘምከ መጨረሻው እትም በኋላ ምንም ለውጥ የለምጥገኞች የሉምይህን እቃ ለ ማሳየት ምንም ተሰኪ አልተገኘምእንደዚህ አይነት ፎልደር ወይንም ፋይል የለም: %sእንደዚህ አይነት ፋይል የለም: %sይህ ገጽ የለም: %sእንዲህ ያለ ዊኪ አልተገለጸም: %sምንም ቴምፕሌቶች አልተገጠሙምማስታወሻ ደብተርየ ማስታወሻ ደብተር ባህሪዎች_ሊታረም የሚችል ማስታወሻ ደብተርማስታወሻ ደብተሮችእሺንቁ ስራዎችን ብቻ ማሳያመክፈቻ ማያያዣ _ፎልደርፎልደር መክፈቻማስታወሻ ደብተር መክፈቻመክፈቻ በ...መክፈቻ የ _ሰነድ ፎልደርመክፈቻ የ _ሰነድ Rootመክፈቻ የ _ማስታወሻ ደበተር ፎልደር_ገጽ መክፈቻየ ክፍል ይዞታ አገናኝ ማሳያእርዳታ መክፈቻበ አዲስ መስኮት መክፈቻበ አዲስ መስኮት መክፈቻአዲስ ገጽ መክፈቻየ ተሰኪ ፎልደር መክፈቻመክፈቻ በ "%s"በ ምርጫምርጫዎችምርጫ ለ ተሰኪ %sሌላ…የ ፋይል ውጤትየ ውጤት ፋይል ወጥቷል: ይወስኑ "--በላዩ ላይ ደርቦ መጻፊያ" መላኩን ለማስገደድየ ፎልደር ውጤትየ ውጤት ፎልደር ወጥቷል እና ባዶ አይደለም: ይወስኑ "--በላዩ ላይ ደርቦ መጻፊያ" መላኩን ለማስገደድለ መላኪያ የ ውጤት አካባቢ ያስፈልጋልየ አሁኑን ምርጫ ውጤቱ ይቀይረዋልበ ላዩ ላይ መጻፊያመ_ንገድ መደርደሪያገጽገጽ "%s" ሁሉም በ ውስጡ ያሉ ንዑስ-ገጾች እና ማያያዣዎች በ ሙሉ ይጠፋሉይህ ገጽ "%s" የሚያያዙ ፎልደሮች የሉትምየ ገጽ ስምየ ገጽ ቴምፕለትይህ ገጽ ቀደም ብሎ ነበር: %sይህ ገጽ ያል-ተቀመጡ ለውጦች አሉትይህ ገጽ አይፈቀድም: %sየ ገጽ ክፍልአንቀጽእባክዎን ለዚህ እትም አስተያየት ያስገቡእባክዎን ያስታውሱ ምንም-ያነበረ ገጽ ማገናኘት ራሱ በራሱ እንዲሁም አዲስ ገጽ ይፈጥራልእባክዎን ይምረጡ ስም እና ፎልደር ለ ማስታወሻ ደብተርእባክዎን ራድፍ ይምረጡ: እርስዎ ቁልፉን ከ መጫንዎት በፊትእናክዎን መጀመሪያ ከ አንድ መስመር በላይ ጽሁፍ ይምረጡእባክዎን የ ማስታወሻ ደብተር ይወስኑተሰኪተሰኪ %s ያስፈልጋል ይህን እቃ ለ ማሳየትተሰኪዎችፖርትበ መስኮት ውስጥ ቦታውምር_ጫዎችምርጫዎችቀደም ያለውወደ መቃኛ ማተሚያገጽታከፍ ማድረጊያባህሪ_ዎችባህሪዎችሁኔታዎችን መግፊያ ወደ Zeitgeist daemon.በፍጥነት ማስታወሻበፍጥነት ማስታወሻ...የ ቅርብ ጊዜ ለውጦችበ ቅርብ የ ተቀየሩ...በ ቅርብ ጊዜ የ _ተቀየሩ ገጾችእንደገና ማቅረብ በ ዊኪ ላይ ወዲያውኑ ይጨምራልማስወገጃሁሉንም ማስወገጃአምድ ማስወገጃአገናኝ ማስወገጃ ከዚህ %i ገጽ ጋር የሚያገናኘውንአገናኞች ማስወገጃ ከነዚህ %i ገጾች ጋር የሚያገናኙትንአገናኛ ማስወገጃ ገጾች በሚጠፉ ጊዜረድፍ ማስወገጃአገናኝ ማሰወገጃገጽ እንደገና መሰየሚያገጽ እንደገና መሰየሚያ "%s"በ ምልክት ማድረጊያው ላይ በ ተደጋጋሚ መጫን በ ምልክት ማድረጊያው ያሽከረክረዋልሁሉንም _መቀየሪያመቀየሪያ በገጹን እንደ ነበር ልመልሰው ወደ ተቀመጠው እትም?Revበ ቀኝበ ቀኝ ጎን ክፍል ውስጥየ ቀኝ መስመር ቦታረድፍ ከ ታችረድፍ ከ ላይእትም ማ_ስቀመጫ...ው_ጤት_ኮፒ ማስቀመጫ...ኮፒ ማስቀመጫእትም ማስቀመጫምልክት ማድረጊያ ማስቀመጫየ ተቀመጠ እትም ከ ዚምነጥብየ መመልከቻው መደብ ቀለምየ መመልከቻ ፎቶ ትእዛዝመፈለጊያመፈለጊያ ገጾች...መፈለጊያ የ _ዌብ ምንጭ...በዚህ ክፍል ውስጥ መፈለጊያክፍልየሚተው ክፍል(ሎች)ለ ማውጫ ክፍል(ሎች)ፋይል ይምረጡፎልደር ይምረጡምስል ይምረጡእትም ይምረጡ ለውጦችን ለ መመልከት በ አሁኑ እትም እና በ ሌሎች እትሞች መካከል ወይንም ይምረጡ በርካታ እትሞች ለውጦችን ለማየት በ እያንዳንዱ እትም መካከል የ መላኪያ አቀራረብ ይምረጡይምረጡ የ ፋይል ወይንም የ ፎልደር ውጤትየሚላኩትን ገጾች ይምረጡመስኮት ወይንም አካባቢ ይምረጡምርጫየ ንድፍ ቅደም ተከተልየ ዌብ ሰርቨር አልጀመረምሰርቨር ጀምሯልሰርቨር ተቋርጧልአዲስ ስም ማሰናጃነባር የ ጽሁፍ ማረሚያ ማሰናጃወደ አሁኑ ገጽ ማሰናጃሁሉንም ክፍሎች ማሳያማያያዣ መቃኛ ማሳያየ መስመር ቁጥር ማሳያካርታ አገናኝ ማሳያየ ጎን ክፍሎች ማሳያስራዎችን እንደ መደበኛ ዝርዝር ማሳያየ ሰንጠረዥ ማውጫ ማሳያ እንደ ተንሳፋፊ ዊጄቶች ከ ጎን ክፍል ይልቅ_ለውጦች ማሳያለ እያንዳንዱ ማስታወሻ ደብተር የ ተለየ ምልክት ማሳያቀን መቁጠሪያ ማሳያየ ቀን መቁጠሪያ በ ጎን ክፍል ውስጥ ማሳያ እንደ ንግግር ከ ማሳየት ይልቅየ ሙሉ ገጽ ስም ማሳያየ ገጽ ሙሉ ስም ማሳያየ እርዳታ እቃ መደርደሪያ ማሳያበ እቃ መደርደሪያ ላይ ማሳያየ ቀኝ መስመር ማሳያየ ስራ ዝርዝር በ ጎን ክፍል ውስጥ ማሳያመታረም ለ ማይችሉ ገጾች እንዲሁም መጠቆሚያውን ማሳያየ ገጽ አርእስት ራስጌ በ ሰንጠረዥ ማውጫ ውስጥ ማሳያነጠላ _ገጽመጠንየ ቤት ቁልፍበ ማስኬድ ላይ እንዳለ ስህተት ተፈጥሯል "%s"በ ፊደል ቅደም ተከተል መለያገጾችን በ ምልክት መለያምንጭ መመልከቻፊደል ማረሚያማስጀመሪያየ _ዌብ ሰርቨር ማስጀመሪያመሰረዣጠንካራምል_ክት...አገባብነባር የ ስርአቱየ ማስረጊያ ስፋትሰንጠረዥሰንጠረዥ ማረሚያየ ሰንጠረዥ ይዞታዎችቁራጭምልክት ማድረጊያ ምንም-ሊሰሩ ለማይችሉ ስራዎችስራየ ስራ ዝርዝርስራዎችቲምፕሌትቴምፕሌትጽሁፍየ ጽሁፍ ፋይሎችጽሁፍ ከ _ፋይል...የ ጽሁፍ መደብ ቀለምየ ጽሁፍ ፊት ለ ፊት ቀለምእርስዎ የ ወሰኑት ፋይል ወይንም ፎልደር አልተገኘም እባክዎን መንገዱ ትክክለኛ መሆኑን ያረጋግጡይህ ፎልደር %s አልነበረም እርስዎ አሁን መፍጠር ይፈልጋሉ?ፎልደሩ "%s" ቀደም ብሎ አልነበረም እርስዎ አሁን መፍጠር ይፈልጋሉ?የሚቀጥሉት ደንቦች ይቀየራሉ ትእዛዝ በሚፈጸምበት ጊዜ: %f የ ገጽ ምንጭ እንደ ጊዚያዊ ፋይል %d የ አሁኑ ማያያዣ ገጽ ዳይሬክቶሪ %s የ ትክክለኛ ገጽ ምንጭ ፋይል (ከ ነበረ) %p የ ገጽ ስም %n የ ማስታወሻ ደብተር አካባቢ (ፋይል ወይንም ፎልደር ) %D የ ሰነድ root (ከ ነበረ) %t የ ተመረጠው ጽሁፍ ወይንም ቃል በ መጠቆሚያ ውስጥ %T የ ተመረጠው ጽሁፍ የ ዊኪ አቀራረብ ያካትታል የ ቅርጽ ቀለም ማስሊያ ተሰኪ መገምገም አልቻለም የ አይጥ መጠቆሚያ መግለጫውንሰንጠረዥ ቢያንስ አንድ ረድፍ መያዝ አለበት! ምንም ማጥፋት አልተካሄደምበ ማስታወሻ ደብተሩ ላይ ምንም ለውጥ አልተፈጸመም መጨረሻ ከ ተቀመጠ በኋላይህ ማለት እርስዎ ተገቢው መዝገበ ቃላት አልገጠሙም ማለት ነውፋይሉ ቀደም ብሎ ነበር እርስዎ በ ላዩ ላይ ደርበው መጻፍ ይፈልጋሉ?ይህ ገጽ ማያያዣ ፎልደር የለውምይህን የ ገጽ ስም መጠቀም አይችሉም በ ቴክኒካል ገደብ ምክንያት በ ማጠራቀሚያ ውስጥይህ ተሰኪ የሚያስችለው መመልከቻውን ፎቶ ማንሳት እና በ ዚም ገጽ ውስጥ ማስቀመጥ ነው ይህ ዋናው ተሰኪ ነው ከ ዚም ጋር አብሮ የሚመጣው ይህ ተሰኪ ይጨምራል ንግግር ሁሉንም የ ተከፈቱ ስራዎች በዚህ ማስታወሻ ደብተር ውስጥ የ ተከፈቱ ስራዎች መሆን ይችላሉ ምልክት ማድረጊያ ሳጥኖች ወይንም እቃዎች ምልክት የ ተደረገባቸው በ tags እንደ "የሚሰሩ" ወይንም "የሚጠገኑ" ይህ ዋናው ተሰኪ ነው ከ ዚም ጋር አብሮ የሚመጣው ይህ ተሰኪ የሚጨምረው ንግግር በፍጥነት ጽሁፎችን ወደ ቁራጭ ሰሌዳ በ ዚም ገጽ ይዞታ ውስጥ መጣል ነው ይህ ዋናው ተሰኪ ነው ከ ዚም ጋር አብሮ የሚመጣው ይህ ተሰኪ ይጨምራል የ ትሪ ምልክት በፍጥነት ለማስጀመሪያ ይህ ተሰኪ ይለያያል እንደ Gtk+ እትም 2.10 ወይንም አዲስ ይህ ዋናው ተሰኪ ነው ከ ዚም ጋር አብሮ የሚመጣው ይህ ተሰኪ ይጨምራል ተጨማር ዊጄት ዝርዝር ገጾች የሚያሳይ ከ አሁኑ ገጽ ጋር የሚያገናኙ ይህ ዋናው የ ዚም ተሰኪ ነው ይህ ተሰኪ የሚጨምረው ተጨማሪ widget ነው ለ ሰንጠረዥ ማውጫ በ አሁኑ ገጽ ውስጥ ይህ ዋናው ተሰኪ ነው ከ ዚም ጋር አብሮ የሚመጣው ይህ ተሰኪ የሚጨምረው ማሰናጃ ነፃ ማረሚያ ነው እርስዎን ዚም ማረም እንዲችሉ ይህ ተሰኪ ይጨምራል የ 'ምልክት ማስገቢያ' ንግግር እና ያስችላል በራሱ-አቀራረብ የ ጽሁፍ ባህሪዎች ይህ ዋናው ተሰኪ ነው ከ ዚም ጋር አብሮ የሚመጣው ይህ ተሰኪ የሚጨምረው እትም መቆጣጠሪያ ለ ማስታወሻ ደብተር ነው ይህ ተሰኪ ይደግፋል የ Bazaar, Git and Mercurial እትም መቆጣጠሪያ ስርአት ይህ ዋናው ተሰኪ ነው ከ ዚም ጋር አብሮ የሚመጣው ይህ ተሰኪ የሚያስችለው ማስገባት ነው 'ኮድ መከልከያ' በ ገጽ ውስጥ: ይህ ይታያል እንደ ተጣባቂ ዊጄትስ በ አገባብ ማድመቂያ: መስመር ቁጥሮች እና ወዘተ ይህ ተሰኪ እርስዎን የሚያስችለው የ ሂሳብ ስሌቶችን በ ዚም ውስጥ ማጣበቅ ነው መሰረት ያደረገው ይህን የ ሂሳብ ዘደ ነው ከ http://pp.com.mx/python/arithmetic. ይህ ተሰኪ እርስዎን የሚያስችለው ቀላል የ ሂሳብ መግለጫዎችን በ ዚም መገምገም ነው ይህ ዋናው አብሮ የሚመጣው የ ዚም ተሰኪ ነው ይህ ተሰኪ የሚያቀርበው የ ንድፍ ማረሚያ ነው ለ ዚም ይህን Ditaa. መሰረት ባደረገ ይህ ዋናው ተሰኪ ነው ከ ዚም ጋር አብሮ የሚመጣው ይህ ተሰኪ የሚያቀርበው የ ንድፍ ማረሚያ ነው ለ ዚም ይህን GraphViz. መሰረት ባደረገ ይህ ዋናው ተሰኪ ነው ከ ዚም ጋር አብሮ የሚመጣው ይህ ተሰኪ የሚያቀርበው ንግግር ከ ንድፍ መወከያ ጋር ነው ለ አገናኝ አካል ለ ማስታወሻ ደብተር: እንዲሁም መጠቀም ይቻላል እንደ "የ ሀሳብ ካርታ" ገጾቹ እንዴት እንደሚዛመዱ በማሳየት ይህ ዋናው ተሰኪ ነው ከ ዚም ጋር አብሮ የሚመጣው ይህ ተሰኪ የ ማክ ስርአት ዝርዝር መደርደሪያ ነው ለ ዚምይህ ተሰኪ የሚያቀርበው የ ገጽ ማውጫ ነው ለ ተጣሩ በ መምረጥ የ tags in a cloud ይህ ተሰኪ የሚያቀርበው የ ቦታ ማረሚያ ነው ለ ዚም ይህን GNU R. መሰረት ባደረገ ይህ ተሰኪ የሚያቀርበው የ ቦታ ማረሚያ ነው ለ ዚም ይህን Gnuplot. መሰረት ባደረገ ይህ ተሰኪ የሚያስችለው የ ቅደም ተከተል ንድፎችን ማረም ማስቻል ነው የ seqdiag. መሰረት ባደረገ እርስዎ የ ቅደም ተከተል ንድፎችን ማረም ይችላሉ ይህ ተሰኪ የሚያቀርበው ለ ማተሚያ ድጋፍ ነው ለ ዚም የ አሁኑን ገጽ ወደ html ይልካል እና ይከፍታል በ መቃኛ ውስጥ: መቃኛው የ ማተሚያ ድጋፍ እንዳለው በ ማሰብ ይህ የ እርስዎን ዳታ በ ሁለት ደረጃዎች ወደ ማተሚያው ይልካል ይህ ዋናው ተሰኪ ነው ከ ዚም ጋር አብሮ የሚመጣው ይህ ተሰኪ የሚያቀርበው የ ንድፍ ማረሚያ ነው ለ ዚም ይህን latex. መሰረት ባደረገ ይህ ዋናው ተሰኪ ነው ከ ዚም ጋር አብሮ የሚመጣው ይህ ተሰኪ የሚጨምረው ውጤት ማረሚያ ነው ለ ዚም የ GNU Lilypond መሰረት ባደረገ ይህ ዋናው ተሰኪ ነው ከ ዚም ጋር አብሮ የሚመጣው ይህ ተሰኪ የሚያሳየው የ ማያያዣ ፎልደር ነው ለ አሁኑ ገጽ እንደ ምልክት መመልከቻ ከ ታች በኩል ይህ ተሰኪ የ ተመረጡትን መስመሮች ይለያል በ ፊደል ቅደም ተከተል መሰረት ዝርዝሩ ቀደም ብሎ ከ ተለየ ቅደም ተከተሉ ይገለበጣል (A-Z እስከ Z-A). ይህ ተሰኪ የ ማስታወሻውን አንድ ክፍል ወደ መዝገብ ይቀይራል አንድ ገጽ ለ እያንዳንዱ ቀን: ሳምንት: ወይንም ወር እንዲሁም ለ እነዚህ ገጾች የ ቀን መቁጠሪያ ይጨምራል ይህ ማለት ፋይሉ ዋጋ የ ሌላቸው ባህሪዎች ይዟል ማለት ነውአርእስትእርስዎ ለ መቀጠል የ አሁኑን ገጽ ኮፒ ያስቀምጡ ወይንም ያስወግዱ ማንኛውም ለውጥ: እርስዎ ክፒ ካስቀመጡ: ለውጦቹ በሙሉ ይወገዳሉ ነገር ግን በኋላ እርስዎ ኮፒውን እንደ ነበር መመለስ ይችላሉእርስዎ አዲስ ማስታወሻ ደብተር መፍጠር ከ ፈለጉ ባዶ ፎልደር መምረጥ አለብዎት እንዲሁም ቀደም ብሎ የ ነበረ የ ዚም ማስታወሻ ደብተር ፎልደር መጠቀም ይችላሉ የ ሰንጠረዥ ማውጫዛ_ሬዛሬምልክት ማድረጊያ ሳጥን መቀያየሪያ '>'ምልክት ማድረጊያ መቀያየሪያ 'V'ምልክት ማድረጊያ መቀያየሪያ 'X'ሊታረም የሚችል ማስታወሻ ደብተር መቀያየሪያከ ላይ በ ግራ በኩልከ ላይ በ ክፍሉ ውስጥከ ላይ በ ቀኝ በኩልየ ትሪ ምልክትየ ገጽ ስም ወደ ስራ እቃዎች ምልክት መቀየሪያአይነትከ ምልክት ማድረጊያ ሳጥን ውስጥ ምልክት-ማጥፊያአታስርግ በ (ከ ተሰናከለ እርስዎ መጠቀም ይችላሉ )ያልታወቀያልተገለጸምልክት ያልተደረገበትማሻሻያ %i ገጽ ማገናኛ ወደዚህ ገጽማሻሻያ %i ገጾች ማገናኛ ወደዚህ ገጽማውጫ ማሻሻያየዚህን ገጽ ራስጌዎች ማሻሻያአገናኝ በ ማሻሻል ላይማውጫ ማሻሻያይጠቀሙ %s የ ጎን ክፍል ለ መቀየርፊደል ማስተካከያ መጠቀሚያገጽ ለ እያንዳንዱ መጠቀሚያከ ማስታወሻ ገጽ ውስጥ ቀን ይጠቀሙይጠቀሙ የ ቁልፍ አገናኝ ለ መከተል (ከ ተሰናከለ እርስዎ መጠቀም ይችላሉ )ቃል በ ቃልእትም መቆጣጠሪያየ እትም መቆጣጠሪያ ለዚህ ማስታወሻ ደብተር አላስቻሉም እርስዎ አሁን ማስቻል ይፈልጋሉ?እትሞችመስመር በ ቁመትመመልከቻ _ማብራሪያ_መግቢያ መመልከቻየ ዌብ ሰርቨርሳምንትእባክዎን ይህን ችግር ሲያመለክቱ መረጃ ያካትቱ ከ ታች በኩል ከሚገኘው የ ጽሁፍ ሳጥን ውስጥጠቅላላ _ቃልስፋትየ ዊኪ ገጽ: %sበዚህ ተሰኪ እርስዎ ማጣበቅ ይችላሉ 'ሰንጠረዥ' ወደ ዊኪ ገጽ ውስጥ: ሰንጠረዥ ይታያል እንደ GTK TreeView ዊጄቶች: ወደ ተለያዩ አቀራረብ ለ መላክ (ይህም ማለት HTML/LaTeX) የ ገጽታ ማሰናጃ ይፈጽማል ቃል መቁጠሪያቃላት መቁጠሪያ...ቃላትአመትትናንትናእርስዎ አሁን በ ውጪ መተግበሪያ እያረሙ ነው: ይህን ንግግር መዝጋት ይችላሉ በሚጨርሱ ጊዜእርስዎ መሳሪያዎች ማስተካከል ይችላሉ የሚታዩ በ መሳሪያዎች ዝርዝር ላይ እና በ እቃ መደርደሪያ ላይ ወይንም በ ይዞታዎች ዝርዝር ውስጥዚም ዴስክቶፕ ዊኪበርቀት ማሳያ_ስለበ _ሁሉም ክፍሎች ውስጥ_ሒሳብ_ወደ ኋላ_መቃኛ_ችግር_ቀን መቁጠሪያ_ምልክት ማድረጊያ ሳጥን_ልጅአቀራረብ ማጽጃ_መዝጊያሁሉንም _ማሳነሻ_ይዞታዎች_ኮፒወደ እዚህ _ኮፒ ማድረጊያ_ቀን እና ሰአት..._ማጥፊያገጽ _ማይፊያለውጦችን _ማስወገጃመስመር _ማባዣ_ማረሚያDitaa _ማረሚያEquation _ማረሚያGNU R Plot _ማረሚያGnuplot _ማረሚያአገናኝ _ማረሚያአገናኝ ወይንም እቃ _ማረሚያ...ባህሪዎች _ማረሚያውጤት _ማረሚያየ ንድፍ ቅደም ተከተል _ማረሚያንድፍ _ማረሚያ_ማጋነኛ_ብዙ ጊዜ የሚጠየቁ_ፋይል_መፈለጊያ..._ወደ ፊትበ _ሙሉ መመልከቻ ዘዴ_መሄጃ_እርዳታ_ማድመቂያ_ታሪክ_ቤት_ምልክቶች ብቻ_ምስል...ገጽ _ማምጫ..._ማስገቢያ_መዝለያ ወደ..._ቁልፍ ማጣመሪያ_ትልቅ ምልክት_አገናኝከ ቀን ጋር አገናኝ_አገናኝ..._ምልክት_ተጨማሪ_ማንቀሳቀሻወደ እዚህ _ማንቀሳቀሻመስመር ወደ ታች _ማንቀሳቀሻመስመር ወደ ላይ _ማንቀሳቀሻገጽ _ማንቀሳቀሻ..._አዲስ ገጽ..._ይቀጥሉዬ _ሚቀጥለው በ ማውጫ ውስጥ_ምንም_መደበኛ መጠን_ቁጥር መስጫ ዝርዝር_መክፈቻ_መክፈቻ ሌላ የ ማስታወሻ ደብተር..._ሌላ..._ገጽየ _ገጽ ቅደም ተከተል_ወላጅ_መለጠፊያ_ቅድመ ዕይታ_ቀደም ያለው_ቀደም ያለው በ ማውጫ ውስጥወደ መቃኛ _ማተሚያ_በፍጥነት ማስታወሻ..._ማጥፊያየ _ቅርብ ጊዜ ገጾች_እንደገና መስሪያ_መደበኛ መግለጫ_እንደገና መጫኛመስመር _ማስወገጃአገናኝ _ማስወገጃገጽ _እንደገና መሰየሚያ..._መቀየሪያ_መቀየሪያ...መጠን _እንደገና ማሰናጃእትም _እንደ ነበር መመለሻምልክት ማድረጊያ _ማስኬጃ_ማሰቀመጫኮፒ _ማስቀመጫየ _መመልከቻ ፎቶ..._መፈለጊያ_መፈለጊያ..._መላኪያ ወደ...የ _ጎን ክፍሎች_ሆን ለ ጎን_ትንሽ ምልክትመስመሮች _መለያ_ሁኔታዎች መደርደሪያ_መሰረዣ_ጠንካራበ ትንንሽ ፊደል _ዝቅ ብሎ መጻፊያበ ትንንሽ ፊደል _ከፍ ብሎ መጻፊያ_ቴምፕሌት_ጽሁፍ ብቻበጣም _ትንሽ ምልክት_ዛሬ_እቃ መደርደሪያ_መሳሪያዎች_መተው_ቃል በ ቃል_እትም..._መመልከቻበቅርብ ማሳያየ መጨረሻ ቀን ለ ስራየ መጀመሪያ ቀን ለ ስራቀን መቁጠሪያ:ሳምንት_መጀመሪያ:0አትጠቀምመስመር በ አግድምየ ማክ ስርአት ዝርዝር መደርደሪያመጋጠሚያ መስመር የለምለ ንባብ ብቻሴኮንዶችLaunchpad Contributions: Jaap Karssenberg https://launchpad.net/~jaap.karssenberg samson https://launchpad.net/~sambeletመስመር በ ቁመትከ መስመሮች ጋርzim-0.68-rc1/locale/uk/0000755000175000017500000000000013224751170014461 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/uk/LC_MESSAGES/0000755000175000017500000000000013224751170016246 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/uk/LC_MESSAGES/zim.mo0000644000175000017500000010067113224750472017413 0ustar jaapjaap00000000000000t \ ] i4! V oYy  *=$D?i/(% ( 3=F^s {-< &.A Rs 3'GV [ hv{    ~ d r}    ".5 :ET eovvcQY` hu         * 5 < F K [ b n y       ! !/! E!O! W!d!y!!2!!!!!! " " "$"3"8"A" R"_"}"""""" """ # # )#6#L#`#v##### # ###C#0,$ ]$ g$'q$V$3$$%+%3% 8% E%Q% b% n% y% %%^%& &,& =& J&W&v&z&& & &&&&& & &'' ''' ( ((.( =( K(&Y(.((5( (&) -);)M)T) [)f)k) p)z)) ))Y)S*KT*6*-*x+~+G,,Z-}-kb..;//j0]1c1122.2 G2DQ2H22233P/333U333 4 44 $4 /4=4^C4f4 55!5'5-545F5 M5W5]5o5 w55555 55 55555 666 6&6/6 56 A6K6[6 c6 o6 |66 6666 6 666666 777 7'7 07:7M7_7n7 t7777 777 7 777 788 8 &8 28 @8 M8X8`8 h8 s8 8 88888 8 888888 9 ;;p;p <+~<<<<<==<f>>>0>:?L? _?=j?z?b#@a@<@%A=AOA6`A5A AA(AsBBC)C=CNC#eCICAC&D)X X XXXX5XYY3YOYFnY@Y#Z+[0F[w[[G[ [![\=\Y\&w\\ \4\\ ]#], ^89^7r^<^^"^_;_0Y__S_\_?W`\``Ha'Xa'aa aaaaa b (b3bObnbcicRcHIddetefghijpLknlT,mo Cp2Npq'qq=qr2rr;s#t!?t8att0uNuzlu u,u$!v)Fv pv}vvvvLwx&x ?xKx [x(exx xxxx"x y )y$7y \y(}y@y yy zz +z9zSzczszzzzz+z{{"-{P{k{!{{{ {+{% |2|#F|j|z|*| || ||&|}%/}6U}} } }} }~$.~/S~~~~ ~~~ 5CT p| %@&R y ʀ؀""%A %d %B %Y%i _Backlink...%i _Backlinks...%i open item%i open items(Un-)Indenting a list item also change any sub-itemsA desktop wikiAdd 'tearoff' strips to the menusAdd NotebookAdds spell checking support using gtkspell. This is a core plugin shipping with zim. All FilesAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAuthorAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsC_onfigureCalen_darCalendarCan not modify page: %sCapture whole screenChangesCharactersCheck _spellingChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuCommandCommand does not modify dataCommentComplete _notebookConfigure PluginConsider all checkboxes as tasksCopy Email AddressCopy _LinkCould not find notebook: %sCould not find the file or folder for this notebookCould not open: %sCould not parse expressionCould not save page: %sCreate a new page for each noteCreate folder?Cu_tCustom ToolsCustom _ToolsDateDefaultDefault notebookDelayDelete PageDelete page "%s"?DependenciesDescriptionDetailsDia_gram...Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_xport...Edit Custom ToolEdit ImageEdit LinkEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledEvaluate _MathExportExporting notebookFailedFile existsFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?For advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHome PageIconIcons _And TextImagesImport PageIndex pageInline CalculatorInsert Date and TimeInsert DiagramInsert EquationInsert GNU R PlotInsert ImageInsert LinkInsert ScreenshotInsert SymbolInsert Text From FileInsert diagramInsert images as linkInterfaceJump toJump to PageLabels marking tasksLinesLink MapLink files under document root with full file pathLink toLocationLog fileLooks like you found a bugMap document root to URLMarkMatch _caseMove PageMove page "%s"NameNew PageNew S_ub Page...New Sub PageNo changes since last versionNo dependenciesNo such file or folder: %sNo such file: %sNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen in New _WindowOpen with "%s"OptionsOptions for plugin %sOther...Output fileOutput folderP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NameParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.PluginPluginsPortPr_eferencesPreferencesPrint to BrowserProper_tiesPropertiesQuick NoteQuick Note...Reformat wiki markup on the flyRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemoving LinksRename PageRename page "%s"Replace _AllReplace withRestore page to saved version?RevS_ave Version...Save A _Copy...Save CopySave VersionSaved version from zimScoreSearchSearch _Backlinks...Select FileSelect FolderSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionServer not startedServer startedServer stoppedShow Link MapShow _ChangesShow a separate icon for each notebookShow calendar in sidepane instead of as dialogShow in the toolbarShow the cursor also for pages that can not be editedSingle _pageSome error occurred while running "%s"Spell CheckerStart _Web ServerStrikeStrongSy_mbol...TagsTaskTask ListTemplateTextText FilesText From _File...The file or folder you specified does not exist. Please check if you the path is correct.The inline calculator plugin was not able to evaluate the expression at the cursor.There are no changes in this notebook since the last version that was savedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a plot editor for zim based on GNU R. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. TitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To_dayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTray IconUnindent on (If disabled you can still use )Update %i page linking to this pageUpdate %i pages linking to this pageUpdate the heading of this pageUpdating LinksUpdating indexUse a custom fontUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsView _AnnotatedView _LogWhole _wordWidthWord CountWord Count...WordsYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop Wiki_About_Back_Bugs_Child_Clear Formatting_Close_Contents_Copy_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Equation_Edit GNU R Plot_Edit Link_Edit Link or Object..._Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move Page..._New Page..._Next_Next in index_None_Open_Open Another Notebook..._Other..._Page_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side by Side_Small Icons_Statusbar_Strike_Strong_Subscript_Superscript_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._Viewcalendar:week_start:0readonlysecondstranslator-creditsProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2014-07-30 22:45+0000 Last-Translator: Luxo Language-Team: Ukrainian MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) %A %d %B %Y%i _Зворотнє посилання...%i _Зворотні посилання...%i _Зворотніх посилань...%i відкрите завдання%i відкритих завдання%i відкритих завданьЗміна відступу елемента списку змінює відступи піделементівВікі для робочого столаДодати смужки „відриву“ до менюДодати зошитДодає перевірку орфографії через gtkspell. Це базовий модуль, що поставляється в складі zim. Всі файлиПід час генерування зображення виникла помилка. Зберегти джерельний текст незважаючи на помилку?Прокоментоване джерело сторінкиПрикріпити файлПрикріпити _файлПрикріпити зовнішній файлСпочатку прикріпити зображенняAttachment BrowserАвторАвтоматично збережена в zim версіяАвтоматично виділяти поточне слово при застосуванні форматуванняАвтоматично перетворювати „CamelCase“ слова в посиланняАвтоматично перетворювати адреси файлів в посиланняРегулярне автозбереження версій_Налаштувати_КалендарКалендарНеможливо змінити сторінку: %sЗробити знімок всього екранаЗміниСимволиПеревірка _орфографіїВстановлення прапорця змінює стан прапорців для всіх нащадківКласичний значок в лотку, не використовувати новий значок стану в UbuntuКомандаКоманда не змінює даніКоментар_Увесь зошитНалаштувати модульВважати всі поля з відміткою завданнямиКопіювати адресу електронної пошти_Копіювати посиланняНе можу знайти зошит: %sНе можу знайти файл або теку для цього зошитаНе вдалось відкрити: %sНе вдалось проаналізувати виразНеможливо зберегти сторінку: %sСтворювати нову сторінку для кожної нотаткиСтворити теку?_ВирізатиЗовнішні інструментиЗовнішні інс_трументиДатаТиповийТиповий зошитЗатримкаВилучити сторінкуВилучити сторінку "%s"?ЗалежностіОписДеталіДіа_граму...Хочете відновити сторінку: %(page)s в збережену версію: %(version)s ? Всі зміни в останній збереженій версії будуть втрачені!Коренева тека документа_Експортувати...Зміна зовнішнього інструментаРедагувати зображенняРедагувати посиланняРедагувати д_жерелоРедагуванняРедагувальний файл: %sКурсивУвімкнути контроль версій?УвімкненоОбчислення _мат. виразівЕкспортуватиЕкспорт зошитаЗбійФайл існуєФільтрЗнайтиЗна_йти даліЗнайти _попереднійЗнайти та замінитиЗнайти щоТекаТека вже існує і містить файли, експортування до цієї теки може перезаписати наявні файли. Ви хочете продовжити?Для розширеного пошуку використовуйте знаки операції AND, OR або NOT. Детальніше на довідковій сторінці.Фор_матФорматНа головнуНа сторінку назадНа сторінку впередНа сторінку внизНа наступну сторінкуНа сторінку вгоруНа попередню сторінкуЗаголовок 1Заголовок 2Заголовок 3Заголовок 4Заголовок 5Заголовок _1Заголовок _2Заголовок _3Заголовок _4Заголовок _5ВисотаГоловна сторінкаПіктограмаЗначки т_а текстЗображенняІмпортувати сторінкуПочаткова сторінкаВбудований калькуляторВставити дату й часВставка діаграмиВставка формулInsert GNU R PlotВставити зображенняВставити посиланняВставка знімків екранаВставка символуВставити текст із файлуВставити діаграмуВставити зображення як посиланняІнтерфейсПерейти доПерейти до сторінкиЯрлики маркування завданьРядківСхема посиланьСтворювати посилання на файли в кореневому документі використовуючи повний шляхПосилання наАдресаЖурналСхоже, ви знайшли помилкуПеретворити шлях до кореневого документа в URLПідкресленийВ_раховувати регістрПеремістити сторінкуПеремістити сторінку "%s"НазваСтворити сторінкуСтворити _під-сторінку...Створити під-сторінкуНемає змін з останньої версіїНемає залежностейНемає такого файла або теки: %sНемає такого файла: %sЗошитВластивості зошита_Лише читанняЗошитиГараздВідкрити теку п_рикріпленьВідкрити текуВідкрити зошитВідкрити у програмі...Відкрити теку _документівВідкрити кореневий _документВідкрити теку _зошитаВ_ідкрити в новому вікніВідкрити за допомогою "%s"ПараметриПараметри модуля %sІнше…Вихідний файлВихідна текаР_ядок адресиСторінкаСторінка "%s" та всі її під-сторінки та долучення будуть вилученіСторінка "%s" не має теки для прикріпленьНазва сторінкиАбзацДодайте коментар для цієї версіїЗауважте, що посилання на неіснуючу сторінку також автоматично створює нову сторінку.Вкажіть назву і теку для цього зошита.МодульМодуліПорт_ПараметриПараметриДрукувати до веб-переглядачаВ_ластивостіВластивостіШвидка нотаткаШвидка нотатка...Форматування вікі-розмітки «на льоту»Вилучити посилання, яке вказує на цю сторінку з %i сторінкиВилучити посилання, яке вказує на цю сторінку з %i сторінокВилучити посилання, яке вказує на цю сторінку з %i сторінокВилучення посиланьПерейменувати сторінкуПерейменувати сторінку "%s"Замінити _всеЗамінити наВідновити сторінку в збережену версію?ВерсіяЗберегти вер_сію...Зберегти _копію...Зберегти копіюЗберегти версіюЗбережена в Zim версіяКількістьЗнайтиЗнайти з_воротні посилання...Вибрати файлВибрати текуВиберіть версію, щоб побачити зміни між цією версією та чинним станом, або виберіть кілька версій, щоб побачити зміни між ними. Вибрати формат експортуВибрати вихідний файл або текуВибрати сторінки для експортуВибрати вікно або область екранаВиділенняСервер не запущеноСервер запущеноСервер зупиненоПоказувати схему посиланьПоказати_зміниПоказувати окремий значок для кожного зошитаПоказати календар в бічній панелі замість діалогуПоказувати на панелі інструментівПоказувати курсор на сторінках тільки для читанняОдна _сторінкаВиникли деякі помилки під час роботи "%s"Перевірка орфографіїЗапустити _веб серверВикресленийЖирнийСи_мвол...ПозначкиЗавданняСписок завданьШаблонТекстТекстові файлиТекст із _файла...Зазначений вами файл або тека не існують. Будь ласка, перевірте коректність шляху.Модуль вбудованого калькулятора не в змозі обчислити вираз під курсором.Від часу збереження останньої версії зошита змін не було.Цей файл вже існує. Хочете перезаписати його?Ця сторінка не має теки для прикріпленьЦей модуль дає змогу робити знімок екрана і вставляти його прямо на сторінку zim. Цей модуль є базовим і поставляється із zim. Цей модуль додає діалог зі списком всіх відкритих завдань в окремому зошиті. Відкриті завдання позначені або галками або позначками «TODO» чи «FIXME». Це базовий модуль, що поставляється в складі zim. Модуль додає діалог для вставки тексту або вмісту буферу обміну на сторінку zim. Цей модуль основний, і поставляється разом з zim. Цей модуль додає значок в системний лоток. Залежить від Gtk+ версії 2.10 або новішої. Це базовий модуль, що поставляється в складі zim. Цей модуль додає діалог «Вставка символу» і дає змогу авто-форматувати типографські символи. Це базовий модуль, що поставляється в складі zim. Цей модуль дає змогу швидко обчислити прості математичні вирази в zim. Цей модуль є базовим і поставляється із zim. Цей модуль надає редактор діаграм для zim базований на GraphViz. Це базовий модуль, що поставляється в складі zim. Цей модуль показує діалог з графічним поданням структури посилань зошита. Його можна використовувати як «розумну» схему, яка показує зв’язок посилань. Це базовий модуль, що поставляється в складі zim. Цей модуль надає графічний редактор для ZIM, базований на GNU R. Цей модуль реалізує обхідний спосіб друку, зважаючи на відсутність підтримки друку в zim, шляхом експорту поточної сторінки до HTML файлу і відкриває його у веб-переглядачі. Припускаючи, що в веб-переглядачі реалізована функція друку, ви подаєте ваші данні до принтера в два кроки. Це базовий модуль, що поставляється в складі zim. Цей модуль надає редактор рівнянь для zim базований на latex. Це базовий модуль, що поставляється в складі zim. НазваЩоб продовжити, ви можете зберегти копію цієї сторінки або відкинути зміни. Якщо ви збережете копію, зміни також не будуть внесені, але ви зможете відновити їх пізніше.С_ьогодніВстановити прапорецьЗняти прапорецьУвімкнути захист від редагуванняЗначок в лоткуКлавіша зменшує відступи за табуляцією (якщо вимкнено, використовуйте )Оновити %i сторінку, що посилається на цю сторінкуОновити %i сторінки, що посилаються на цю сторінкуОновити %i сторінок, що посилаються на цю сторінкуОновити заголовок цієї сторінкиОновлення посиланьОновлення індексуВикористовувати власний шрифтНатискайте для переходу за посиланнями (якщо зайнято, використовуйте )Дослівний режимКонтроль версійКонтроль версій для цього зошита вимкнений. Хочете його увімкнути?ВерсіїПереглянути _зауваженняПереглянути _журналЗбігається _ціле словоШиринаСтатистикаКількість слів...СлівВи редагуєте файл в зовнішній програмі. Коли зробите, можете закрити цей діалогВи можете налаштувати зовнішні інструменти показані в меню та на панелі інструментів або в контекстних меню.Zim Desktop Wiki_Про програмуНа_задП_омилкиВ_низСкинути _форматування_Закрити_Зміст_Копіювати_Дату й час...В_илучитиВ_илучити сторінку_Відкинути зміни_ПравкаРедагувати _формулу_Редагувати GNU R Plot_Редагувати посиланняРедагувати посилання або _об’єкт..._Курсив_Часті питання_ФайлЗ_найти...В_передНа _весь екранПере_йти_Довідка_Виділення_Історія_ГоловнаЛише _значки_Зображення..._Імпортувати сторінку...Вст_авитиПерейти _до..._Комбінації клавіш_Великі значки_ПосиланняПосилання _на дату_Посилання..._Підкреслений_БільшеПеремістити сторінк_у..._Створити сторінку...Нас_тупнийНас_тупна в індексі_Сховати_Відкрити_Відкрити інший зошит..._Інше..._Сторінка_ВгоруВст_авити_Попередній переглядП_опередійП_опередня в індексі_Друкувати до веб-переглядача_Швидка нотатка...Ви_йти_Недавні сторінкиПов_торити_Регулярний вираз_ПерезавантажитиВ_илучити посиланняПере_йменувати сторінку...За_мінити_Замінити...С_кинути розмір_Відновити версіюЗ_берегтиЗберегти _копію_Знімок екрана...З_найтиЗ_найти...Надіслати _до..._Поруч_Маленькі значки_Рядок стану_Викреслений_Жирний_Нижній індекс_Верхній індексЛише _текст_Дрібні значки_СьогодніП_анель інструментівС_ервісПов_ернути_Стенографічний_Версії..._Виглядcalendar:week_start:1тільки для читаннясекунд(и)Launchpad Contributions: Luxo https://launchpad.net/~wmd-o Sergiy Gavrylov https://launchpad.net/~gavro atany https://launchpad.net/~ye-gorshkovzim-0.68-rc1/locale/pt_BR/0000755000175000017500000000000013224751170015050 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/pt_BR/LC_MESSAGES/0000755000175000017500000000000013224751170016635 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/pt_BR/LC_MESSAGES/zim.mo0000644000175000017500000014307613224750472020010 0ustar jaapjaap00000000000000L+,M+.z+?+ ++ ,5,0Q,,,,4,, , -i-*-!-- - -- .-.M.VU.. . ..3.Y/h/ ~/ / / //// / /0 00$#0?H0/0(00%0,$1Q1 g1q11 11 1 1 1 1 1 11 1 1 2 22+222G2N2]2 e2p222222-2<3O3 U3 _3j3s3{3333333+4334 g44 4 4 4444 53'5[5y5555556 6 6 6 )666;6?60G6x66 66 66 6 66 6 667$7~>7 77 7 77 7 8 8 8"8*8;8D8\85d88 8(88!89#9<9O9V9i9 999 999: :: : :/: @:6J::v::*;c<;;;; ;;;;;< <<%<6<F<X< l< w< < < < < < < < < <<<=!'=I=i= ===== === === >> ->:>J>\> k> x> >>> > >>>> ??-?5? =?J? _?m???.? ???2?@@&@@@I@d@}@@@ @@@@ @@A AA.AFAXAmA |AA A*AAAA A BBB5BSB.cBBBBBBBCC /C9CI I JJ8JlRl Zl gltll l ll ll lll l l m m m *m 6mAmIm Qm \m im tm mmmmm m mmmmmm nn .n fww wwwww w xx(x:xJx[xdx zx x x*xxxxxy y y! L Z h v 1-߆' 5L\nuχ #1CYi xΈ߈%% >H` hs։߉0(< CEQ ϊ"ފ8W&^ ̋ ֋ 1H`s1< ' 8DK(h8܍$$Iai!Ž ڎ 1IX vďۏ S2c/(0 YfyC+ő),Vq 1f=(8f1 ѓ1+39M \jo &ה )*Ju }l! +;K\_rҖ+"*A]n~  ˗ݗ2;NmԘ#&#ԙ 4K]l~Ӛ "&<=c,D">!a%ɜ*ߜ@ "Kn}# ҝ' =I Q[cv ' ,AWfv.ݟ; HPGTML;0-^FӤi cQUx{.ZeGI7,y@W>FͲ#״$4 E8fV(:_I$*1J$dSݷOR[k{ O '+h1) :DK ^k ׻߻  &7O_ gu  ּ &05 >L bnw ~  ν ׽ '17 >Jby þӾ  0AH Xbwÿ̿   *9L_rz   # , 7DM\qw  '! 2@ S^r* This plugin provides bar for bookmarks. %(cmd)s returned non-zero exit status %(code)i%(n_error)i errors and %(n_warning)i warnings occurred, see log%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i of %i%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd bookmark/Show settingsAdd columnAdd new bookmarks to the beginning of the barAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAttachments:AuthorAuto WrapAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave interval in minutesAutosave version on regular intervalsAutosave version when the notebook is closedBack to Original NameBackLinksBackLinks PaneBackendBacklinks:BazaarBook_marksBookmarksBookmarksBarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck Checkbox '>'Check Checkbox 'V'Check Checkbox 'X'Check _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearClone rowCode BlockColumn 1CommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?CreatedCu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to delete all bookmarks?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootDueE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExpand journal page in index when openedExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatFossilGNU _R PlotGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageGrid linesHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageHorizontal _LineIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationManaging table columnsMap document root to URLMarkMatch _caseMaximum number of bookmarksMaximum page widthMenubarMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove column aheadMove column backwardMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNextNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such page: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOnly Show Active TasksOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen cell content linkOpen helpOpen in New WindowOpen in New _WindowOpen new pageOpen plugins folderOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage already exists: %sPage has un-saved changesPage not allowed: %sPage sectionParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select a row, before you push the button.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrevPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionRow downRow upS_ave Version...S_coreSave A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...Search this sectionSectionSection(s) to ignoreSection(s) to indexSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet New NameSet default text editorSet to Current PageShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow Tasks as Flat ListShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full Page NameShow full page nameShow helper toolbarShow in the toolbarShow right marginShow tasklist in sidepaneShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStartStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTags for non-actionable tasksTaskTask ListTasksTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The following parameters will be substituted in the command when it is executed: %f the page source as a temporary file %d the attachment directory of the current page %s the real page source file (if any) %p the page name %n the notebook location (file or folder) %D the document root (if any) %t the selected text or word under cursor %T the selected text including wiki formatting The inline calculator plugin was not able to evaluate the expression at the cursor.The table must consist of at least on row! No deletion done.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis page name cannot be used due to technical limitations of the storageThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a macOS menubar for zim.This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox '>'Toggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUn-check CheckboxUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse %s to switch to the side paneUse a custom fontUse a page for eachUse date from journal pagesUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWith this plugin you can embed a 'Table' into the wiki page. Tables will be shown as GTK TreeView widgets. Exporting them to various formats (i.e. HTML/LaTeX) completes the feature set. Word CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Checkbox_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Duplicate Line_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Line Down_Move Line Up_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Line_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Run bookmark_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Inas due date for tasksas start date for taskscalendar:week_start:0do not usehorizontal linesmacOS Menubarno grid linesreadonlysecondstranslator-creditsvertical lineswith linesProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-06-17 02:22+0000 Last-Translator: mtibbi Language-Team: Brazilian Portuguese MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n > 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) Este plug-in fornece uma barra para os marcadores. %(cmd)s retornou status de saída não-zero %(code)i%(n_error)i erros e %(n_warning)i avisos ocorreram, consulte o log%A, %d de %B de %Y%i _Anexo%i _Anexos%i _Link de Entrada...%i _Links de entrada...%i erros ocorreram, consulte o log%i arquivo será deletado%i arquivos serão deletados%i de %i%i item aberto%i itens abertos%i avisos ocorreram, consulte o logRemover o recuo de um item da lista também altera todos os subitensUma wiki para o desktopO arquivo com o nome "%s" já existe. Você pode usar outro nome ou sobrescrever o arquivo existente.Uma tabela deve ter ao menos uma colunaAdicionar tiras removíveis para os menusAdicionar AplicativoAdicionar marcadorAdicionar CadernoAdicionar marcador / Mostrar configuraçõesAdicionar colunaAdicione novos marcadores no início da barraAdicionar linhaEste plugin adiciona verificação ortográfica através do gtkspell. Este é um plugin interno que acompanha o zim. AlinhamentoTodos os ArquivosTodas as TarefasPermitir acesso públicoSempre use a última posição do cursor ao abrir uma páginaOcorreu um erro ao gerar a imagem. Você quer salvar o texto de origem de qualquer maneira?Fonte Anotada da PáginaAplicativosAritméticaAnexar ArquivoAnexar _arquivoAnexar arquivo externoAnexar imagem primeiroNavegador de AnexosAnexosAnexos:Autor(a)Quebra de linha automáticaIndentação automáticaVersão automaticamente salva pelo ZimAutomaticamente selecionar a palavra atual quando aplicar formataçãoAutomaticamente tornar palavras "CamelCase" em linksAutomaticamente tornar caminhos de arquivo em linksIntervalo de salvamento automático em minutosSalvar automaticamente a versão em intervalos regularesVersão de salvamento automático quando o notebook é fechadoVoltar para Nome OriginalBacklinksPainel do BackLinksBackendLinks de Entrada:Bazaar_MarcadoresMarcadoresBarra de favoritosInferior EsquerdoPainel InferiorInferior DireitoProcurarLista com _MarcadoresC_onfigurarCalen_dárioCalendárioNão foi possível modificar a página: %sCancelarCapturar toda a telaCentroGerenciar colunasModificaçõesCaracteresCaracteres excluindo os espaçosMarcar caixa de seleção com '>'Marcar caixa de seleção com 'V'Marcar caixa de seleção com 'X'Verificar _ortografiaLista de Cai_xa de SeleçãoMarcar uma caixa de seleção altera todos seus sub-itemsÍcone na área de notificação clássico, não usar o novo estilo de ícone de status do UbuntuLimparClonar linhaBloco de códigoColuna 1ComandoComando não modifica dadosComentárioIncluir rodapé usualIncluir cabeçalho usualTodo o _CadernoConfigurar AplicativosConfigurar PluginConfigure um aplicativo para abrir links "%s"Configure um aplicativo para abrir arquivos do tipo "%s"Considerar todas as caixas de seleção como tarefasCopiar endereço de e-mailCopiar ModeloCopiar _como...Copiar _LinkCopiar L_ocalizaçãoO executável "%s" não foi encontradoNão foi possível encontrar o caderno: %sNão foi possível encontrar o modelo "%s"Não foi possível encontrar o arquivo ou pasta para este cadernoNão foi possível carregar a verificação ortográficaNão foi possível abrir %sNão foi possível analisar a expressãoNão foi possível ler: %sNão foi possível salvar a página: %sCriar uma nova página para cada anotaçãoCriar pasta?CriadoRecor_tarFerramentas PersonalizadasFerramentas _personalizadasPersonalizar...DataDiaPadrãoFormato padrão para cópia de texto da área de transferênciaCaderno padrãoAtrasoExcluir páginaExcluir página "%s"?Apagar linhaRebaixarDependênciasDescriçãoDetalhesDia_gramaDescartar nota?Edição Livre de DistraçõesDitaaVocê quer apagar todos os marcadores?Você quer restaurar a página: %(page)s à versão salva: %(version)s? Todas as modificações desde a última versão salva serão perdidas!Documento raizVencimentoE_quaçãoE_xportar...Editar Ferramenta PersonalizadaEditar ImagemEditar LigaçãoEditar TabelaEditar código fonteEditandoEditando arquivo: %sÊnfaseAtivar Controle de Versão?HabilitarErro em %(file)s na linha %(line)i próximo "%(snippet)s"Avaliar _MatemáticaExpandir _TudoExpandir página do diário no índice quando abertoExportarExportar todas as páginas para um único arquivoexportação concluídaExportar cada página para um arquivo separadoExportando cadernoFalhouFalha ao executar: %sErro ao executar o programa: %sArquivo Já ExisteModelos de _ArquivoArquivo foi alterado externamente: %sO arquivo existeNão é possível escrever no arquivo: %sTipo de arquivo não suportado: %sNome do arquivoFiltrarProcurarEncontrar Pró_ximoEncontrar An_teriorEncontrar e SubstituirLocalizarSinalizar antes do final de semana as tarefas com prazo final na segunda-feira ou terça-feiraPastaA pasta já existe e possui conteúdo, exportar para esta pasta pode sobrescrever arquivos existentes. Você deseja continuar?Diretório existe: %sPasta com modelos para anexosPara buscas avançadas você pode usar operadores como AND, OR e NOT. Veja a página de ajuda para mais detalhes.For_matarFormatoFossilGNU _R PlotObtenha mais plugins on-lineObtenha mais modelos on-lineGitGnuplotIr para o inícioVoltar uma páginaAvançar uma páginaIr para página filhaIr para a próxima páginaIr para a página superiorIr para a página anteriorLinhas de gradeCabeçalho 1Cabeçalho 2Cabeçalho 3Cabeçalho 4Cabeçalho 5Cabeçalho _1Cabeçalho _2Cabeçalho _3Cabeçalho _4Cabeçalho _5AlturarEsconder menu no modo tela cheiaEsconder a barra de endereços no modo tela cheiaEsconder a barra de status no modo tela cheiaEsconder ferramentas no modo tela cheiaRealçar a linha atualPágina Inicial_Linha HorizontalÍconeÍcones _e TextoImagensImportar PáginaIncluir sub-páginasÍndicePágina do índiceCalculadora IntegradaInserir Bloco de CódigoInserir Data e HoraInserir DiagramaInserir DitaaInserir EquaçãoInserir Plot do GNU RInserir GnuplotInserir ImagemInserir LinkInserir PartituraInserir Captura de TelaInserir Diagrama de SequênciaInserir SímboloInserir TabelaInserir Texto à Partir de um ArquivoInserir diagramaInserir imagem como linkInterfacePalavra Chave InterwikiDiárioPular paraPular para PáginaRótulos marcando tarefasÚltima ModificaçãoManter link para a nova páginaEsquerdoPainel Lateral EsquerdoLimitar pesquisa à página atual e sub-páginasOrdenador de LinhasLinhasMapa de LinksVincular arquivos do documento raiz com o caminho completo do arquivoLigar àLocalizaçãoRecordar eventos com o ZeitgeistArquivo de logParece que você encontrou um erroTornar aplicativo padrãoGerenciar colunas de tabelasMapear documento raiz para URLMarcarDiferenciar maiúsculas e _minúsculasNúmero máximo de marcadoresLargura máxima da páginaBarra de menuMercurialModificado EmMêsMover páginaMover Texto Selecionado...Mover Texto para Outra PáginaMover coluna à frenteMover coluna para trásMover página "%s"Mover texto paraNomeNecessário arquivo de saída para exportar MHTMLNecessário pasta de saída para exportar o caderno completoNovo ArquivoNova páginaNova S_ub Página...Nova sub-páginaNovo An_exoPróx.Nenhum Aplicativo EncontradoNenhuma mudança desde a última versãoSem dependênciasNenhum plugin está disponível para exibir este objeto.Nenhum arquivo ou pasta: %sArquivo não existe: %sNenhuma página: %sNenhuma wiki desse tipo definida: %sNenhum modelo instaladoCadernoPropriedades do cadernoCaderno _EditávelCadernosOKMostrar apenas as tarefas ativas.Abrir pasta dos _anexosAbrir pastaAbrir CadernoAbrir Com...Abrir pasta do _DocumentoAbrir _documento raizAbrir pasta do _CadernoAbrir _PáginaAbrir link contido na célulaAbrir ajudaAbrir em uma nova janelaAbrir em nova _janelaAbrir nova páginaAbrir pasta de pluginsAbrir com "%s"OpcionalOpçõesOpções para o plug-in %sOutro...Arquivo de saídaArquivo de saída existe , especifique "--sobrescrever" para forçar a exportaçãoDiretório de destinoPasta de saída existe e não está vazio, especifique "--sobrescrever" para forçar a exportaçãoLocal de saída necessário para a exportaçãoSaída deve substituir a seleção atualSobrescreverB_arra de CaminhosPáginaPágina "%s" e todas as suas sub-páginas e anexos serão deletadosPágina "%s" não tem uma pasta para anexosNome da páginaModelo de PáginaA página já existe: %sA página apresenta mudanças não salvasPágina não permitida: %sseção da páginaParágrafoPor favor digite um comentário para esta versãoLembre se que criar um link para uma página não existente também cria essa página automaticamente.Selecionar um nome e uma pasta para o caderno de anotações.Por favor selecione uma linha antes de apertar o botão.Por favor, selecione mais de uma linha de texto .Por favor especifique um cadernoPluginPlugin %s é necessário para exibir este objeto.PluginsPortaPosição na janela_PreferênciasPreferênciasAnt.Imprimir no navegadorPerfilPromoverPr_opriedadesPropriedadesPassa os eventos ao serviço ZeitgeistAnotação RápidaAnotação Rápida...Mudanças recentesMudanças recentes...Páginas _alteradas recentementeReformatar a marcação wiki em tempo realRemoverRemover TodosRemover a colunaRemover link de %i página vinculada à esta páginaRemover links de %i páginas vinculadas à esta páginaRemover links ao excluir páginasRemover a linhaRemovendo linksRenomear páginaRenomear página "%s"Clicar repetidamente numa caixa de seleção rotaciona entre os possíveis estados de seleçãoSubstituir _TudoSubstituir porRestaurar página à última versão salva?RevDireitoPainel Lateral DireitoPosição da margem direitaLinha para baixoLinha para cimaS_alvar versão...Par_tituraSalvar _Cópia...Salvar CópiaSalvar VersãoSalvar marcadoresVersão salva do zimOcorrência(s)Cor do plano de fundoComando de captura de telaProcurarBuscar Páginas...Pesquisar _Links de Entrada...Pesquisar nesta seçãoSeçãoSeção(ões) a ignorarSeção(ões) para indexarSelecione o ArquivoSelecione a PastaSelecionar ImagemSeleciona uma versão para ver as diferenças entre aquela versão e a atual. Ou selecione múltiplas versão para ver as mudanças entre elas. Selecione o formato de exportaçãoSelecione o arquivo ou pasta de saídaSelecione as páginas para exportarSelecionar janela ou áreaSeleçãoDiagrama de SequênciaServidor não iniciadoServidor iniciadoServidor parouDefinir Novo NomeDefinir editor de texto padrãoDefinir como Página AtualMostrar Todos os PainéisMostrar o Navegador de AnexosMostrar número das linhasMostrar Mapa de LinksMostrar Painéis LateraisMostrar as tarefas como lista simples.Mostrar TdC como um widget flutuante e não no painel lateralMostrar _ModificaçõesMostrar um ícone separado para cada cadernoExibir CalendárioMostrar calendário no painel lateral e não como uma caixa diálogoMostrar o nome completo da páginaExibir o nome completo da páginaMostrar barra de ferramentas auxiliarMostrar na barra de ferramentasExibir margem direitaMostrar lista de tarefas no painel lateralMostrar o cursor também em páginas que não podem ser editadasMostra o título da página na TdCPágina únicaTamanhoSmart Home keyAlgum erro ocorreu ao executar "%s"Organizar alfabeticamenteOrganizar páginas por etiquetasVisualizar códigoVerificador OrtográficoInícioIniciar _Servidor WebSobrescritoNegritoSí_mboloSintaxePadrão do SistemaLargura da abaTabelaEditor de TabelasTabela de ConteúdosEtiquetasEtiquetas para tarefas não-acionáveisTarefaLista de TarefasTarefasModeloModelosTextoArquivos de textoTexto de _Arquivo...cor de fundo do textocor de primeiro plano do textoO arquivo ou pasta que você especificou não existe. Por favor, verifique se o caminho está correto.A pasta %s não existe. Deseja criá-la agora?O diretório "%s" ainda não existe. Deseja criá-lo agora?Os seguintes parâmetros serão substituídos no comando quando ele for executado: %f O código fonte da página como um arquivo temporário. %d O diretório de anexos da página atual. %s O arquivo de origem da página real (se houver). %p O nome da página. %n O local do notebook (arquivo ou pasta). %D A raiz do documento (se houver). %t O texto ou palavra selecionado sob o cursor. %T O texto selecionado, incluindo a formatação wiki. O plugin de calculadora integrada não conseguiu avaliar a expressão no cursor.A tabela deve ser constituída por pelo menos uma linha! Apagamento não executado.Não há mudanças neste caderno de anotações desde a última versão salvaIsso pode significar que você não tem os dicionários corretos instalados.Este arquivo já existe. Deseja sobrescrevê-lo?Esta página não possui uma pasta de anexos.Este nome de página não pode ser utilizado devido a limitações técnicas de armazenamento.Este plugin permite fazer uma captura da tela e inseri-lá diretamente numa página do zim. Este é um plugin interno que acompanha o zim. Esse plugin apresenta um diálogo mostrando todas as tarefas em aberto no caderno. Tarefas em aberto podem ser caixas abertas ou items com etiquetas como "TODO" ou "FIXME". Este é um plugin interno que acompanha o zim. Esse plugin adiciona uma caixa de diálogo para colocar rapidamente texto ou conteúdo da área de transferência numa página do zim. Este é um plugin interno que acompanha o zim. Esse plugin adiciona um ícone na área de notificação para acesso rápido. Esse plugin depende do Gtk+, versão 2.10 ou superior. Este é um plugin interno que acompanha o zim. Este plugin adiciona um widget extra mostrando uma lista de páginas que contêm links para a página atual. Este é um plugin interno que acompanha o zim. Este plugin adiciona um widget extra que apresenta uma tabela de conteúdos para a página atual. Este é um plugin padrão que acompanha o Zim. Este plugin adiciona configurações que ajudam a usar o Zim como um editor livre de distrações. Esse plugin adiciona o diálogo "Inserir Símbolo" e permite a auto-formatação de caractéres tipográficos. Este é um plugin interno que acompanha o zim. Esse plugin adiciona controle de versão aos cadernos. Esse plugin suporta os sistemas de controle de versão: Bazaar, Git e Mercurial. Este é um plugin interno que acompanha o zim. Este plugin permite inserir 'Code Blocks' na página. Estes serão mostrados como widgets com realce de sintaxe, números de linha etc. Este plugin permite embutir cálculos aritméticos no Zim. Baseia-se no módulo de aritmética de http://pp.com.mx/python/arithmetic Esse plugin permite avaliar rapidamente simples equações matemáticas no zim. Este é um plugin interno que acompanha o zim. Esse plugin fornece um editor de diagramas para o zim baseado no Ditaa. Este é um plugin interno que acompanha o zim. Esse plugin fornece um editor de diagramas para o zim baseado no GraphViz. Este é um plugin interno que acompanha o zim. Esse plugin apresenta um diálogo gráfico da estrutura dos vínculos do caderno. Pode ser usado como um "mind map" do relacionamento das páginas. Este é um plugin interno que acompanha o zim. Este plugin fornece um menu macOS para o Zim.Esse plugin fornece um índice de páginas filtrado através da seleção de etiquetas em uma nuvem. Esse plugin fornece um editor de plotagem para o zim baseado no GNU R. Esse plugin fornece um editor de plotagem para o zim baseado no Gnuplot. Este plugin fornece um editor de diagrama de sequência para o Zim baseado no seqdiag. Ele permite a fácil edição de diagramas de sequência. Este plugin fornece um método para lidar com a falta de suporte de impressão no Zim. Ele exporta a página atual em html e abre-a no navegador. Assumindo um navegador com suporte à impressão isso fará sua informação ser impressa em dois passos. Este é um plugin interno que acompanha o Zim. Esse plugin fornece um editor de equações para o zim baseado no latex. Este é um plugin interno que acompanha o zim. Esse plugin proporciona um editor de partitura para o Zim baseado no GNU Lilypond. Este é um plugin interno que acompanha o Zim. Este plugin mostra a pasta de anexos da página atual como ícones no painel inferior. Esse plugin ordena alfabeticamente as linhas selecionadas. Se a lista já estiver ordenada, a ordem será invertida (de A-Z para Z-A). Este plugin transforma uma seção do caderno em um diário com uma página por dia, semana ou mês. Também acrescenta um widget de calendário para acessar essas páginas. Isso normalmente significa que o arquivo contém caracteres inválidosTítuloPara continuar você pode salvar uma cópia desta página ou descartar as mudanças realizadas. Se você salvar uma cópia, as mudanças também serão perdidas mas você poderá restaurar a cópia depois.Para criar um novo notebook que você precisa selecionar uma pasta vazia. Claro que você também pode selecionar uma pasta de notebook Zim existente. TdCHo_jeHojeAlternar caixa de seleção com '>'Alternar Caixa de Seleção 'V'Alternar Caixa de Seleção 'X'Tornar o caderno editávelSuperior EsquerdoPainel SuperiorSuperior DireitoÍcone na Área de NotificaçãoTransformar o nome de páginas em etiquetas para tarefasTipoDesmarcar caixa de seleçãoRemover recuo ao usar a tecla (Se desativado você pode usar )Desconhecido(a)Não especificadoSem marcadoresAtualizar %i página vinculada à esta páginaAtualizar %i páginas vinculadas à esta páginaAtualizar índiceAtualizar o cabeçalho desta páginaAtualizando linksAtualizando índiceUse %s para alternar para o painel lateralUsar fonte personalizadaUse uma página para cadaUsar a data das páginas do diário.Usar a tecla para seguir links (Se desativado você pode usar )Sem formataçãoControle de VersãoControle de versão encontra-se desativado para este caderno. Deseja ativá-lo?VersõesMargem verticalVer _AnotaçãoVisualizar _RegistroServidor WebSemanaAo reportar um erro, por favor, inclua a informação na caixa de texto abaixo.Toda a _palavraLarguraPágina Wiki: %sCom este plugin você pode inserir uma 'tabela' em uma página wiki. As tabelas serão mostradas como widgets GTK TreeView. Exportá-los para vários formatos (ou seja, HTML / LaTeX) completa o conjunto de recursos. Contar PalavrasContagem de Palavras...PalavrasAnoOntemVocê está editando um arquivo em um aplicativo externo. Você pode fechar esta janela quando terminar.Você pode configurar ferramentas personalizadas que irão aparecer no menu de ferramentas e na barra de ferramentas ou nos menus de contexto.Zim Desktop Wiki_Diminuir_Sobre_Todos os Painéis_Aritmética_Voltar uma página_Navegar_Bugs_Calendário_Caixa de seleção_Descer um nívelRemo_ver Formatação_Fechar_Contrair Tudo_Conteúdo_Copiar_Copiar aqui_Data e Hora..._Apagar_Excluir Página_Descartar alterações_Duplicar Linha_Editar_Editar DitaaEdit_ar Equação_Editar Plot do GNU R_Editar Gnuplot_Editar Link_Editar Ligação ou Objeto_Propriedades_Editar Partitura_Editar Diagrama de Sequência_Editar diagrama_Itálico_FAQ_Arquivo_Encontrar..._Avançar uma páginaTela _Cheia_Navegar_Ajuda_Destacar_Histórico_InícioSomente _Ícones_Imagem..._Importar Página..._InserirIr _para..._Atalhos do tecladoÍcones _Grandes_Link_Link para data_Link..._Realçar_Mais_Mover_Mover AquiMover Linha para _BaixoMover Linha para _Cima_Mover Página..._Nova Página..._PróximoPró_ximo no índice_NenhumTamanho _NormalLista _Numerada_Abrir_Abrir Outro Caderno..._Outro(s)..._Páginas_Hierarquia de Página_Subir um nívelCo_lar_Visualização_AnteriorA_nterior no índiceVisualizar no navegador Web_Anotação Rápida..._Sair_Páginas recentesRe_fazerExpressão _regular_Recarregar_Remover Linha_Remover Link_Renomear Página..._SubstituirS_ubstituir..._Restaurar Tamanho_Restaurar Versão_Executar marcadorSal_varS_alvar Cópia_Captura de Tela..._Pesquisar_Pesquisar...Enviar _Para...Painéis _Laterais_Lado à LadoÍcones _Pequenos_Ordenar linhasBarra de _Status_TachadoN_egritoS_ubscritoS_obrescrito_ModelosSomente _TextoÍcones _Minúsculos_HojeBarra de _Ferramentas_Ferramentas_DesfazerForma _Literal_Versões_VisualizarA_mpliarcomo data de vencimento para as tarefasComo data de início das tarefas.calendar:week_start:0não utilizarlinhas horizontaismacOS Menusem linhas de gradesomente leiturasegundosLaunchpad Contributions: Alexandre Magno https://launchpad.net/~alexandre-mbm André Gondim https://launchpad.net/~andregondim Clodoaldo https://launchpad.net/~clodoaldo-carv Frederico Gonçalves Guimarães https://launchpad.net/~fgguimaraes Frederico Lopes https://launchpad.net/~frelopes Giovanni Abner de Brito Júnior https://launchpad.net/~giovannijunior Jaap Karssenberg https://launchpad.net/~jaap.karssenberg Lewis https://launchpad.net/~akai-hen Marco https://launchpad.net/~marcodefreitas Matheus https://launchpad.net/~matheus-rwahl NeLaS https://launchpad.net/~organelas Otto Robba https://launchpad.net/~otto-ottorobba Paulo J. S. Silva https://launchpad.net/~pjssilva Thaynã Moretti https://launchpad.net/~izn ThiagoSerra https://launchpad.net/~thiagoserra Wanderson Santiago dos Reis https://launchpad.net/~wasare mtibbi https://launchpad.net/~marcio-tibiricalinhas verticaiscom linhas de gradezim-0.68-rc1/locale/nl/0000755000175000017500000000000013224751170014453 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/nl/LC_MESSAGES/0000755000175000017500000000000013224751170016240 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/nl/LC_MESSAGES/zim.mo0000644000175000017500000014000313224750472017376 0ustar jaapjaap00000000000000L+,M+.z+?+ ++ ,5,0Q,,,,4,, , -i-*-!-- - -- .-.M.VU.. . ..3.Y/h/ ~/ / / //// / /0 00$#0?H0/0(00%0,$1Q1 g1q11 11 1 1 1 1 1 11 1 1 2 22+222G2N2]2 e2p222222-2<3O3 U3 _3j3s3{3333333+4334 g44 4 4 4444 53'5[5y5555556 6 6 6 )666;6?60G6x66 66 66 6 66 6 667$7~>7 77 7 77 7 8 8 8"8*8;8D8\85d88 8(88!89#9<9O9V9i9 999 999: :: : :/: @:6J::v::*;c<;;;; ;;;;;< <<%<6<F<X< l< w< < < < < < < < < <<<=!'=I=i= ===== === === >> ->:>J>\> k> x> >>> > >>>> ??-?5? =?J? _?m???.? ???2?@@&@@@I@d@}@@@ @@@@ @@A AA.AFAXAmA |AA A*AAAA A BBB5BSB.cBBBBBBBCC /C9CI I JJ8JlRl Zl gltll l ll ll lll l l m m m *m 6mAmIm Qm \m im tm mmmmm m mmmmmm nn .n zKz\zmzzz1z>z"&{I{_{r{{{{ {{2| 9|Z|+v||%|-| }}'}0}B} U}b}h} l}!v}} }}}} }} ~~%~.~A~W~$]~~ '09Hb v 4 7%H n-y, &)Pf},ȁ   !.>JGs {:Ń ̃"؃$ $ ,:J\m ĄʄЄք܄+.2-a+ Ӆ  1G M Zgy Ć؆  2M^m Їه -IO8`Iˆ 6'>f"É׉  %+>$^Ҋ,5 K Yg}'‹. /Pj Ōߌ % ;F Yg~  ǍӍ1 A KV vBҎN֎&%/L | V+  +9&Ov ,oӐ-Cq%0ґ 2 >IPh p{ & ͒ߒ % EQc_u:Փ 8IF_ )Ô # .9 IT ftӕ,3K_r4J_(uԗ  <Sn'-֘5 U?cÙ "3DV$ ͚՚&$ ?K]c u  śӛ#ڛ  '-=PhU~1Ԝ5<I>NPGޟ1&'XX٠s>¢v{CyڤTۥ d6ssRPq~ªASC@siݰ2 OZ j v+wñ ; G Qn^Ͳݲ(.Wi" 0 ;WH ʹ ٴG0DL*[fD Ƕ Ͷ ۶  .7H P[n } Ƿѷ)BYk ϸظ ޸  6 @JSg my  ̹ *0AS[ vѺ " 7ATf{ Żλݻ  +@ Q ]h m x  ȼϼ ߼  "=Sb u 5 This plugin provides bar for bookmarks. %(cmd)s returned non-zero exit status %(code)i%(n_error)i errors and %(n_warning)i warnings occurred, see log%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i of %i%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd bookmark/Show settingsAdd columnAdd new bookmarks to the beginning of the barAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAttachments:AuthorAuto WrapAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave interval in minutesAutosave version on regular intervalsAutosave version when the notebook is closedBack to Original NameBackLinksBackLinks PaneBackendBacklinks:BazaarBook_marksBookmarksBookmarksBarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck Checkbox '>'Check Checkbox 'V'Check Checkbox 'X'Check _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearClone rowCode BlockColumn 1CommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?CreatedCu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to delete all bookmarks?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootDueE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExpand journal page in index when openedExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatFossilGNU _R PlotGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageGrid linesHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageHorizontal _LineIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationManaging table columnsMap document root to URLMarkMatch _caseMaximum number of bookmarksMaximum page widthMenubarMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove column aheadMove column backwardMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNextNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such page: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOnly Show Active TasksOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen cell content linkOpen helpOpen in New WindowOpen in New _WindowOpen new pageOpen plugins folderOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage already exists: %sPage has un-saved changesPage not allowed: %sPage sectionParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select a row, before you push the button.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrevPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionRow downRow upS_ave Version...S_coreSave A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...Search this sectionSectionSection(s) to ignoreSection(s) to indexSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet New NameSet default text editorSet to Current PageShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow Tasks as Flat ListShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full Page NameShow full page nameShow helper toolbarShow in the toolbarShow right marginShow tasklist in sidepaneShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStartStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTags for non-actionable tasksTaskTask ListTasksTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The following parameters will be substituted in the command when it is executed: %f the page source as a temporary file %d the attachment directory of the current page %s the real page source file (if any) %p the page name %n the notebook location (file or folder) %D the document root (if any) %t the selected text or word under cursor %T the selected text including wiki formatting The inline calculator plugin was not able to evaluate the expression at the cursor.The table must consist of at least on row! No deletion done.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis page name cannot be used due to technical limitations of the storageThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a macOS menubar for zim.This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox '>'Toggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUn-check CheckboxUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse %s to switch to the side paneUse a custom fontUse a page for eachUse date from journal pagesUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWith this plugin you can embed a 'Table' into the wiki page. Tables will be shown as GTK TreeView widgets. Exporting them to various formats (i.e. HTML/LaTeX) completes the feature set. Word CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Checkbox_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Duplicate Line_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Line Down_Move Line Up_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Line_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Run bookmark_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Inas due date for tasksas start date for taskscalendar:week_start:0do not usehorizontal linesmacOS Menubarno grid linesreadonlysecondstranslator-creditsvertical lineswith linesProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-07-10 08:08+0000 Last-Translator: Jaap Karssenberg Language-Team: Dutch MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n != 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) Deze plugin voegt een balk met bladwijzers toe %(cmd)s gaf een exit code die niet nul is: %(code)iEr zijn %(n_error)i fouten en %(n_warning)i waarschuwingen opgetreden, zie het logboek%A, %d %B %Y%i _Aangehechte bestand%i _Bijlagen%i _Verwijzing...%i _Verwijzingen...%i fouten zijn opgetreden, zie log%i bestand zal verwijderd worden%i bestanden zullen worden verwijderd%i van %i%i open taak%i open taken%i waarschuwing zijn opgetreden, zie logHet laten inspringen van een bullet lijst item neemt ook sub-items meeEen desktop wikiEen bestand met de naam "%s" bestaat reeds. U kunt een andere naam opgeven of het bestaande bestand overschrijven.Een tabel moet minstens één kolom hebben.Zet afscheurstrips boven de menusProgramma toevoegenBladwijzer toevoegenNotitieboek ToevoegenBookmark toevoegen/Instelling tonenKolom toevoegenNieuwe bladwijzers aan het begin van de balk toevoegenVoeg rij toeDeze plugin voegt een spellingscontrole toe gebaseerd op gtkspell. Dit is een standaardplugin voor zim. UitlijnenAlle bestandenAlle takenPublieke toegang toelatenAltijd laatste cursor positie gebruiken bij het openen van een paginaEr is een fout opgetreden bij het genereren van de afbeelding. Wilt u de brontext toch opslaan?Geannoteerde pagina bronProgrammasArithmeticBijlage toevoegenBestand _AanhechtenBestand aanhechtenBestand eerst aanhechtenBijlagen-browserBijlagenBijlagen:AuteurAutomatische TerugloopAutomatisch inspringenAutomatisch opgeslagen versie van zimSelecteer automatisch het huidige woord voor het toepassen van opmaakLink woorden in CamelCase automatisch tijden het typenLink bestandsnamen automatisch tijden het typenInterval voor automatisch opslaanAutosave versie op regelmatige tijdstippenAutomatisch een versie opslaan wanneer het notitieboek gesloten wordtOrginele naam terug zettenReferentiesReferenties paneelSysteemReferentiesBazaarBook_marksBladwijzersBladwijzer balkLinksonderOnderste paneelRechtsonderBladerenBulle_t LijstC_onfigurerenKalen_derCalenderKan pagina "%s" niet wijzigenAnnulerenHele scherm afdrukkenCentrerenKolommen veranderenWijzingenTekensTekens exclusief spatiesCheck Checkbox '>'Check Checkbox 'V'Check Checkbox 'X'Controleer _spellingCheckbo_x LijstBij het afvinken van een checkbox ook alle sub-items afvinkenKlassiek status icoon, gebruik de nieuwe style status icoon voor Ubuntu nietWissenRij copierenCodeblokKolom 1CommandoDit commando verandert geen bestandenBeschrijvingStandaard footerStandaard headerGehele _notitieboekProgramma's configurerenInvoegtoepassing instellenConfigureer een programma om "%s" links to openenConfigureer een programma om bestanden van type "%s" te openenBeschouw alle checkboxen als takenEmail Adres KopiërenSjabloon KopiërenKopiëren _Als..._Link Kopiëren_Locatie kopiërenKan programma "%s" niet vindenKan notitieboek "%s" niet vindenKan sjabloon niet vinden: "%s"Map of bestand voor dit notitieboek niet gevonden.Kan spellingscontrole niet ladenKan bestand niet openen: %sKan de vergelijking niet goed interpreterenKan bestand niet lezen: %sPagina kon niet worden opgeslagen: %sMaak voor elke notitie een nieuwe pagina aanMap creëren?Gemaakt_KnippenExtra ApplicatiesE_xtra ApplicatiesAanpassen...DatumDagStandaardStandaard formaat om te kopiërenStandaard NotitieboekWachttijdPagina VerwijderenPagina "%s" verwijderen?Rij verwijderenDegraderenAfhankelijkhedenOmschrijvingDetailsDia_gramNotitie weggooien?Afleiding vrij werkenDitaaWilt u alle bladwijzers verwijderen?Wil je pagina: %(page)s terugzetten naar de opgeslagen versie: %(version)s? Alle wijzigingen sinds de laatst opgeslagen versie zullen verloren gaan !Bestanden mapDeadline_FormuleE_xporteren…Extra applicatie wijzigenAfbeelding BewerkenLink BewerkenTabel bewerkenBrontext BewerkenBewerkenBestand open: %sNadrukVersiebeheer inschakelen?In GebruikFout in %(file)s op regel %(line)i bij "%(snippet)s"Evalueer _Vergelijking_Alles uitvouwenLogboek paginas uitvouwen in de indexExporterenExporteer alle paginas naar hetzelfde bestandExport compleetExporteer elke pagina naar een apart bestandBezig met notitieboek exporterenNiet gevondenProgramma gefaald: %sFout opgetreden bij de excutie van: %sBestand Bestaat ReedsBestands _Sjablonen...Bestand is veranderd: %sBestand bestaat alKan bestand niet schrijven: %sDit bestands type wordt niet ondersteund: %sBestandsnaamFilterZoeken_Volgende zoekenZoek vo_rigeZoek en vervangZoek ditMarkeer taken met een eind datum op Maandag of Dinsdag al voor het weekendMapMap bestaat al en bevat bestanden. Exporteren naar deze map kan bestaande bestanden overschrijven. Wilt u doorgaan?Map bestaat: %sMap met sjablonen voor bijlagenVoor geavanceerde zoek opdrachten kunnen termen zoals AND, OR en NOT worden gebruikt. Zie de hulp pagina voor meer details._OpmaakOpmaakFossilGNU _R PlotDownload meer plugins van internetDownload meer templates van internetGitGnuplotGa naar startGa pagina terugGa pagina vooruitGa pagina omlaagGa naar de volgende paginaGa pagina omhoogGa naar de vorige paginaGrid lijnenKop 1Kop 2Kop 3Kop 4Kop 5Kop _1Kop _2Kop _3Kop _4Kop _5HoogteVerberg de menubalk in schermvullende modusVerberg de lokatiebalk in schermvullende modusVerberg de statusbalk in schermvullende modusVerberg de werkbalk in schermvullende modusHuidige regel oplichtenStart PaginaHorizontale balkPictogramPictogrammen _En TekstAfbeeldingenPagina ImporterenInclusief sub-paginasIndexIndex paginaRekenmachineCodeblok invoegenDatum en Tijd InvoegenDiagram InvoegenInsert DitaaVergelijking InvoegenGNU R plot invoegenInsert GnuplotAfbeelding InvoegenLink InvoegenNotenbalk InvoegenSchermafdruk InvoegenVolgorder diagram invoegenSymbool invoegenTabel invoegenTekst Uit Bestand InvoegenDiagram InvoegenPlaatjes als link invoegenBedieningInterwiki KeywordJournaalGa naarGa naar paginaLabels die taken markerenLaatst gewijzigdLaat een referentie achter naar nieuwe paginaLinksLinker zijpaneelBeperk de zoekactie tot de huidige pagina en subpagina'sSorteren per regelRegelsLink OverzichtBestanden in de document root folder met de volledige bestandsnaam linkenLink NaarLokatieLog events in ZeitgeistLogboekU heeft waarschijnlijk een bug gevondenMaak standaard programmaTabel kolommen wijzigenMap de documentenroot naar een URLMarkerenMatch _hoofdlettersMaximum aantal bookmarksMaximale pagina breedteMenubalkMercurialGewijzigdMaandPagina VerplaatsenGeselecteerde tekst verplaatsenTekst naar andere pagina verplaatsenKolom naar voren halenKolom naar achteren verplaatsenPagina "%s" verplaatsenVerplaatsen naarNaamUitvoer bestand nodig om MHTML te exporterenUitvoer map nodig om gehele notitieboek te exporterenNieuw bestandNieuwe PaginaNieuwe S_ub Pagina...Nieuwe Sub PaginaNieuwe _BijlageVolgendeGeen programma's gevondenGeen veranderingen sinds laatste versieGeen afhankelijkhedenGeen plugin beschikbaar om dit object te tonenBestand of map niet gevonden: %sBestand niet gevonden: %sPagina bestaat niet: %sDe wiki bestaat niet: %sGeen Sjablonen geïnstalleerdNotitieboekNotitieboek EigenschappenNotitieboek _WijzigenNotitieboekenOKLaat alleen actieve taken zienOpen Map Met BijlagenMap openenNotitieboek OpenenOpenen met..._Documenten Map OpenenOpen DocumentenrootOpen _Notitieboek MapOpen _PaginaOpen link in cellHulp openenOpenen in nieuw vensterOpenen in _Nieuw VensterNieuwe pagina openenOpen folder met pluginsOpenen met "%s"OptioneelVoorkeurenOpties voor invoegtoepassing %sAndere...UitvoerbestandUitvoer bestand bestaat, gebruik "--overwrite" om te overschrijvenMapUitvoer map bestaat en is niet leeg, gebruik "--overwrite" om te overschrijvenUitvoer lokatie nodig om te exporterenVervang geselecteerde text met programma outputOverschrijf_LokatiebalkPaginaDe pagina "%s" and alle subpagina's en bijgevoegde bestanden zullen worden verwijderd.Pagina "%s" heeft geen map voor de bijlagenPagina naamPagina OpmaakPagina bestaat al: %sPagina heeft on-opgeslagen wijzigingenPagina niet toegestaan: %sPagina sectieAlineaGeef een korte omschrijving voor deze versieTip: Als u een link maakt naar een niet bestaande pagina wordt er ook automatisch een nieuwe pagina aangemaakt.Kies een naam en een map voor dit notitieboekSelecteer een rijSelecteerd eerst meerdere regels textGeef een notitieboek opInvoegtoepassingPlugin "%s" is nodig om dit object te laten zienInvoegtoepassingenPoortPositie in het scherm_VoorkeurenVoorkeurenVorigePrinten naar webbrowserProfielPromoverenEi_genschappenEigenschappenStuur events naar de Zeitgeist serviceKorte Notitie_Korte Notitie...Recente wijzigingenRecente wijzigingen...Recente gewijzigde paginasInterpreteer wiki syntax directVerwijderenAlles verwijderenKolom verwijderenVerwijder links naar deze pagina van %i paginaVerwijder links naar deze pagina van %i pagina'sVerwijder snelkoppelingen bij het verwijderen van pagina'sRij verwijderenLinks worden verwijderdPagina HernoemenPagina "%s" hernoemenBij herhaaldelijk klikken gaat de checkbox door alle mogenlijke opties_Alle VervangenVervang doorPagina herstellen naar opgeslagen versie?RevRechtsRechter zijpaneelRechter kantlijn positieRij omlaagRij omhoogV_ersie OpslaanN_otenbalk_Kopie Opslaan...Kopie OpslaanVersie OpslaanBladwijzers opslaanVersie opgeslagen vanuit zimScoreScherm achtergrond kleurScreenshot applicatieZoekenZoek paginas...Zoek _Verwijzingen...Zoeken in deze sectieSectieSectie(s) om te negerenSectie(s) met takenBestand SelecterenMap SelecterenKies een afbeeldingSelecteer een versie om de wijzigingen met die versie en de huidige staat te bekijken. Of selecteer meerdere versies om de verschillen ertussen te bekijken. Selecteer het formaatSelecteer de locatieSelecteer de pagina'sWindow of deel van het scherm selecterenSelectieVolgorde diagramWeb server nog niet gestartWeb server gestartWeb server gestoptNaam veranderenStandaard text editorOp huidige pagina instellenLaat alle panelen zienToon aangehechte bestandenRegelnummers weergevenToon Link OverzichtLaat zijpanelen zienLaat pagina lijst als platte lijst zienLaat Inhoudsopgave als "floating" widget zienGeef wijzigingen weer (_C)Laat een apart status icoon zien voor elk notitieboekToon kalenderKalender in zij-paneel tonen in plaats van in een apart vensterLaat volledige pagina naam zienLaat volledige pagina naam zienLaat balk met hulp functies zienIn de werkbalk toevoegenToon rechter kantlijnLaat taken lijst in zijpaneel zienLaat de cursor ook zien voor pagina's die niet kunnen worden bewerktToon pagina title in de inhoudstabelEén _paginaGrootteSlimme "home" toetsEr is een fout opgetreden tijdens "%s"Op alfabet sorterenSorteer pagina's op labelsCodeblokkenSpellingscontroleBeginStart _Web ServerDoorhalenVetSy_mboolSyntaxSysteemstandaardTab-breedteTabelTabelleneditorInhoudsopgaveLabelsLabel voor (nog) niet actieve takenTaakTakenlijstTakenTemplateSjablonenTekstTekst BestandenTekst Uit _BestandTekst achtergrond kleurTekst voorgrond kleurHet bestand of de map die u heeft opgegeven bestaat niet. Controleer de bestandsnaam.De map %s bestaat niet. Wilt u deze map aanmaken?De folder "%s" bestaat niet. Wilt u deze nu aanmaken?Deze parameters worden vervangen in het commando: %f de brontekst van de pagina als tijdelijk bestand %d de folder met aangehechte bestanden voor de huidige pagina %s het bestand met brontekst van de pagina %p de pagina naam %n de locatie van het notitieboek %D de locatie van de root folder %t geselecteerde tekst of het woord onder de cursor %T geselecteerde tekst inclusief wiki codes De rekenmachine plugin kan de vergelijking voor de cursor niet evalueren.Rij niet verwijderd, de tabel moet minimaal één rij bevattenEr zijn geen veranderingen in dit notitieboek sinds de laatste opgeslagen versieDit kan betekenen dat de juiste woordenboeken niet zijn geïnstalleerd.Dit bestand bestaat al. Wilt u het overschrijven?Deze pagina heeft geen map met bijlagenDeze paginanaam kan niet worden gebruik vanwege technische beperkingen in de data opslagDeze invoegtoepassing geeft de mogelijkheid een screenshot te nemen en deze direct in zim in te voegen. Dit is een standaard invoegtoepassing voor zim. Deze plugin voegt een dialoog toe die alle open taken in dit notitieboek laat zien. Open taken kunnen checkboxen zijn of codes zoals "TODO" of "FIXME" in de text. Dit is een standaardplugin voor zim. Deze plugin voegt een dialoog toe om snel tekst of plakbord inhoud in een zim pagina te plakken. Dit is een hoofd plugin van zim. Deze plugin geeft snelle toegang tot zim door een icoon toe te voegen aan de status balk. Deze plugin vereist Gtk+ versie 2.10 of nieuwer. Dit is een standaardplugin voor zim. Deze invoegtoepassing voegt een extra paneel toe met een lijst van pagina's die naar de huidige pagina refereren. Dit is een standaard invoegtoepassing voor zim. Deze plugin voegt een extra widget toe met een inhoudsopgave van de huidige pagina. Dit is een standaard plugin voor zim. Deze plugin voegt settings toe om afleiding vrij te werken in zim. Deze plugin voegt een hulpvenster toe om symbolen en speciale tekens in te voegen. Dit is een standaardplugin voor zim. Deze plugin voegt versie controle toe voor notitieboeken. Deze plugin support de Bazaar, Git, en Mercurial versie controle systemen. Deze plugin voegt functionaliteit toe om "codeblokken" in te voegen in paginas. Deze codeblokken worden getoont als objecten met syntax kleuren, regelnummers etc. Deze plugin helpt met kleine berekeningen in zim paginas. Hij is gebaseerd op de "arithmic" module van http://pp.com.mx/python/arithmetic. Deze invoegtoepassing kan eenvoudige wiskundige vergelijkingen in de tekst evalueren. Dit is een standaard invoegtoepassing voor zim. Deze plugin voegt een diagram editor toe op basis van Ditaa. Dit is een standaard plugin voor zim. Deze plugin geeft de mogelijkheid om diagrammen in de tekst op te nemen en te wijzigen gemaakt met GraphViz. Dit is een standaardplugin voor zim. Deze plugin voegt een nieuw venster toe met een diagram van alle links en referenties rond de huidige pagina. Dit is bruikbaar als een overzicht van relaties tussen verschillende pagina's. Dit is een standaardplugin voor zim. Deze plugin voegt een menubar voor zim toe onder macOSDeze plugin voegt een index toe die gesorteerd is op label en gefilterd kan worden met behulp van een "tag cloud". Deze plugin voegt de mogenlijkheid toe om plots te gebruiken gebaseerd op GNU R. Deze plugin voegt een editor toe om grafieken in te voegen gebaseerd op GNUplot Deze plugin voegt een volgorde diagram toe gebasseerd op "seqdiag". Dit vergemakkelijkt het bewerken van volgorde diagrammen. Deze plugin stuurt de huidige pagina naar de webbrowser. Bij gebrek aan printer support in zim geeft dit de mogenlijkheid om de pagina vanuit de browser te printen. Dit is een standaard plugin voor zim. Deze plugin geeft de mogelijkheid om vergelijkingen in de tekst op te nemen en deze te bewerken. Vergelijkingen worden geschreven in latex en zijn in de editor als plaatje te zien. Dit is een standaardplugin voor zim. Deze invoegtoepassing voegt de mogelijkheid toe om notenbalken in te voegen door gebruik te maken van GNU Lilypond. Dit is een standaard invoegtoepassing voor zim Deze plugin laat een folder met aangehechte bestanden zien voor de huidige pagina. Deze plugin voegt een functie toe om geselecteerde regels te sorteren op alfabetische volgorde. Als de lijst al gesorteerd is wordt de volgorde omgedraaid (A-Z naar Z-A). Deze plugin veranderd een sectie van een notitieboek in een logboek met een pagina per dag, per week of per maand. Het voegt ook een kalender toe om deze paginas te openen. Dit treedt meestal op wanneer het bestand ongeldige karakters bevatTitelOm verder te gaan kunt u of een kopie van deze pagina opslaan, of alle wijzigingen weggooien. Als u een kopie opslaat zullen wijzigingen ook worden weggegooid, maar kunt u die later herstellen door de pagina te importeren.Om een nieuw notitieboek te maken moet u een lege folder selecteren of de folder van een bestaand zim notitieboek. InhoudVan_daagVandaagCheck Checkbox '>'Markeer checkbox 'V'Markeer checkbox 'X'Notitieboek wijzigen aan/uitLinksbovenBovenste paneelRechtsbovenStatus IcoonZet pagina namen om in labels voor de takenTypeReset CheckboxGebruik om inspringen ongedaan te maken. (Als deze optie uitstaat kunt u nog steeds gebruiken)Niet bekendOnbepaaldZonder labelUpdate ook de %i pagina die naar deze pagina verwijstUpdate ook de %i pagina's die naar deze pagina verwijzenIndex bijwerkenWijzig de titel van deze paginaSnelkoppelingen bijwerkenIndex aan het herladenGebruik %s om naar het zijpaneel te gaanWijzig lettertypeGebruik een pagina voor elkeGebruik datum van journaal paginasGebruik de toets om links te volgen. (Wanneer deze optie uitstaat kunt nog steeds gebruiken om links te volgen.)LetterlijkVersiebeheerVersiebeheer is momenteel niet in gebruik voor dit notitieboek. Wilt u dit inschakelen?VersiesVerticale margeBekijk Ge_annoteerdeBekijk _LogWebserverWeekAls u dit probleem rapporteert, voeg dan de onderstaande informatie toeAlleen hele woordenBreedteZim pagina: %sDeze plugin voegt tabellen in paginas toe Woorden TellenWoorden Tellen...WoordenJaarGisterenU hebt een bestand in een andere applicatie geopend om te bewerken. Deze dialoog kan gesloten worden als u klaar bent met dit bestand.Hier kunt u extra applicaties configureren die in het "extra" menu en in de toolbar worden toegevoegd.Zim Desktop WikiUitz_oomenIn_fo_Alle panelen_Arithmetic_Terug_Bladeren_Bugs_Kalender_CheckboxOm_laagOpmaak _VerwijderenSl_uitenAlles _inklappenI_nhoudK_opiëren_Hiernaar kopieren_Datum en Tijd_VerwijderenPagina Ver_wijderen_Wijzigingen wegwerpenRegel _duplicerenBe_werkenDitaa Be_werkenFormule Be_werkenGNU R plot be_werkenGNUplot Be_werkenLink be_werkenLink of Object _Wijzigen_Eigenschapen Wijzigen_Bewerk notenbalkB_ewerk volgorde diagramDiagram b_ewerken_Nadruk_FAQ_Bestand_Vinden..._Vooruit_Schermvullend_Ga naar_Hulp_Markeren_Geschiedenis_StartEnkel _Pictogrammen_Afbeelding...Pagina _Importeren..._InvoegenPagina..._Toetsen_Grote Pictogrammen_Link_Link datum_Link..._Markeren_Meer_Verplaatsen_Hiernaar verplaatsenRegel om_laag schuivenRegel om_hoog schuivenPagina Ver_plaatsten..._Nieuwe PaginaVo_lgendeVo_lgende in de index_Geen_Normale grootteGe_nummerde lijst_Openen_Open ander notitieboek..._Overige..._Pagina_Pagina Hierarchie_Omhoog_Plakken_TonenVo_rigeVor_ige in de index_Printen naar Webbrowser_Korte Notitie..._Afsluiten_Recente pagina'sOp_nieuw_Reguliere expressie_HerladenRegel ver_wijderenLink _VerwijderenPagina _Hernoemen..._Vervang_Vervangen...Grootte He_rstellenHe_rstel Versie_Open bookmark_OpslaanKopie _Opslaan_Schermafdruk..._Zoeken_Zoeken...Versturen..._ZijpanelenZij bij Zij (_S)_Kleine PictogrammenRegels _Sorteren_Statusbalk_Doorhalen_Vet_Subscript_Superscript_SjablonenAlleen _TekstK_leinere Pictogrammen_Vandaag_WerkbalkE_xtra_Ongedaan maken_Letterlijk_Versies...Beel_dIn_zoomenals eind datum voor takenals begin datum voor takencalendar:week_start:1niet gebruikenhorizontale lijnenmacOS Menubargeen rasterlijnenalleen lezensecondenLaunchpad Contributions: Bart https://launchpad.net/~bartvanherck Bernard Decock https://launchpad.net/~decockbernard Christopher https://launchpad.net/~cstandaert Dasrakel https://launchpad.net/~e-meil-n Frits Salomons https://launchpad.net/~salomons Jaap Karssenberg https://launchpad.net/~jaap.karssenberg Jaap-Andre de Hoop https://launchpad.net/~j-dehoop Luc Roobrouck https://launchpad.net/~luc-roobrouck Vincent Gerritsen https://launchpad.net/~vgerrits Yentl https://launchpad.net/~yentlvt cumulus007 https://launchpad.net/~cumulus-007verticale lijnenmet rasterlijnenzim-0.68-rc1/locale/pt/0000755000175000017500000000000013224751170014465 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/pt/LC_MESSAGES/0000755000175000017500000000000013224751170016252 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/pt/LC_MESSAGES/zim.mo0000644000175000017500000014334113224750472017420 0ustar jaapjaap00000000000000L+,M+.z+?+ ++ ,5,0Q,,,,4,, , -i-*-!-- - -- .-.M.VU.. . ..3.Y/h/ ~/ / / //// / /0 00$#0?H0/0(00%0,$1Q1 g1q11 11 1 1 1 1 1 11 1 1 2 22+222G2N2]2 e2p222222-2<3O3 U3 _3j3s3{3333333+4334 g44 4 4 4444 53'5[5y5555556 6 6 6 )666;6?60G6x66 66 66 6 66 6 667$7~>7 77 7 77 7 8 8 8"8*8;8D8\85d88 8(88!89#9<9O9V9i9 999 999: :: : :/: @:6J::v::*;c<;;;; ;;;;;< <<%<6<F<X< l< w< < < < < < < < < <<<=!'=I=i= ===== === === >> ->:>J>\> k> x> >>> > >>>> ??-?5? =?J? _?m???.? ???2?@@&@@@I@d@}@@@ @@@@ @@A AA.AFAXAmA |AA A*AAAA A BBB5BSB.cBBBBBBBCC /C9CI I JJ8JlRl Zl gltll l ll ll lll l l m m m *m 6mAmIm Qm \m im tm mmmmm m mmmmmm nn .n DzQzz zzz{ { ){5{K{d{}{{/{;{4|M| e|s|||'|1|*}I2}6|}}(}}( ~%4~ Z~f~ m~w~~~~~ ~C~29Jaq z  (JP c n y! ǀ ׀ (9/i~6ā2́/H dp%#Ղ! #-QbirTv)q΄ @JR Ye!Ņ,Fa q { ͆ ۆ$51K4}ɇه 08Kaz Èو 4Sd&s ɉӉ -$Chq0ΊՊS< K Yz̋$ .L g u  ׌*8/Jh ΍ (&O<aӎ+Jdtw  Ώۏ *"9 \hĐӐܐ Vue/4 Q\oFw+ )#Mh {'u5$7Z1&Ĕ 6 ,7=Q `ns % ڕ *Al t~& 9G_pRٗ.)-5Lhy  ͘ݘ /JS iÙޙ#)ޚ#, ISjݛ!0Rm"=34DG!!%Н)/@Y"͞՞#% FYow ȟߟ '?FW_fntgҠ.:<iSS E`N- Z:-=¨pf q  7hKLM={<Zdz"Gd+/5#:^~!ҷ 6KPVm ĸѸ _P$d*![9V # 3 @MRTһּ߼iSؽ   3= CPdv  þӾ۾ );Qasտ   4DM T ^js     ,D[m ~ (/ @J_{   3FYbt     !. 7EZ` v  !  ,7K[Wd This plugin provides bar for bookmarks. %(cmd)s returned non-zero exit status %(code)i%(n_error)i errors and %(n_warning)i warnings occurred, see log%A %d %B %Y%i _Attachment%i _Attachments%i _Backlink...%i _Backlinks...%i errors occurred, see log%i file will be deleted%i files will be deleted%i of %i%i open item%i open items%i warnings occurred, see log(Un-)Indenting a list item also change any sub-itemsA desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.A table needs to have at least one column.Add 'tearoff' strips to the menusAdd ApplicationAdd BookmarkAdd NotebookAdd bookmark/Show settingsAdd columnAdd new bookmarks to the beginning of the barAdd rowAdds spell checking support using gtkspell. This is a core plugin shipping with zim. AlignAll FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceApplicationsArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAttachments:AuthorAuto WrapAuto indentingAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave interval in minutesAutosave version on regular intervalsAutosave version when the notebook is closedBack to Original NameBackLinksBackLinks PaneBackendBacklinks:BazaarBook_marksBookmarksBookmarksBarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenCenterChange columnsChangesCharactersCharacters excluding spacesCheck Checkbox '>'Check Checkbox 'V'Check Checkbox 'X'Check _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearClone rowCode BlockColumn 1CommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find executable "%s"Could not find notebook: %sCould not find template "%s"Could not find the file or folder for this notebookCould not load spell checkingCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?CreatedCu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?Delete rowDemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDitaaDo you want to delete all bookmarks?Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootDueE_quationE_xport...Edit Custom ToolEdit ImageEdit LinkEdit TableEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledError in %(file)s at line %(line)i near "%(snippet)s"Evaluate _MathExpand _AllExpand journal page in index when openedExportExport all pages to a single fileExport completedExport each page to a separate fileExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatFossilGNU _R PlotGet more plugins onlineGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageGrid linesHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHighlight current lineHome PageHorizontal _LineIconIcons _And TextImagesImport PageInclude subpagesIndexIndex pageInline CalculatorInsert Code BlockInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert Sequence DiagramInsert SymbolInsert TableInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeftLeft Side PaneLimit search to the current page and sub-pagesLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationManaging table columnsMap document root to URLMarkMatch _caseMaximum number of bookmarksMaximum page widthMenubarMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove column aheadMove column backwardMove page "%s"Move text toNameNeed output file to export MHTMLNeed output folder to export full notebookNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNextNo Applications FoundNo changes since last versionNo dependenciesNo plugin is available to display this object.No such file or folder: %sNo such file: %sNo such page: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOnly Show Active TasksOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen cell content linkOpen helpOpen in New WindowOpen in New _WindowOpen new pageOpen plugins folderOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput file exists, specify "--overwrite" to force exportOutput folderOutput folder exists and not empty, specify "--overwrite" to force exportOutput location needed for exportOutput should replace current selectionOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplatePage already exists: %sPage has un-saved changesPage not allowed: %sPage sectionParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select a row, before you push the button.Please select more than one line of text, first.Please specify a notebookPluginPlugin %s is required to display this object.PluginsPortPosition in the windowPr_eferencesPreferencesPrevPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemoveRemove AllRemove columnRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemove rowRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRightRight Side PaneRight margin positionRow downRow upS_ave Version...S_coreSave A _Copy...Save CopySave VersionSave bookmarksSaved version from zimScoreScreen background colorScreenshot CommandSearchSearch Pages...Search _Backlinks...Search this sectionSectionSection(s) to ignoreSection(s) to indexSelect FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionSequence DiagramServer not startedServer startedServer stoppedSet New NameSet default text editorSet to Current PageShow All PanesShow Attachment BrowserShow Line NumbersShow Link MapShow Side PanesShow Tasks as Flat ListShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendarShow calendar in sidepane instead of as dialogShow full Page NameShow full page nameShow helper toolbarShow in the toolbarShow right marginShow tasklist in sidepaneShow the cursor also for pages that can not be editedShow the page title heading in the ToCSingle _pageSizeSmart Home keySome error occurred while running "%s"Sort alphabeticallySort pages by tagsSource ViewSpell CheckerStartStart _Web ServerStrikeStrongSy_mbol...SyntaxSystem DefaultTab widthTableTable EditorTable of ContentsTagsTags for non-actionable tasksTaskTask ListTasksTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The following parameters will be substituted in the command when it is executed: %f the page source as a temporary file %d the attachment directory of the current page %s the real page source file (if any) %p the page name %n the notebook location (file or folder) %D the document root (if any) %t the selected text or word under cursor %T the selected text including wiki formatting The inline calculator plugin was not able to evaluate the expression at the cursor.The table must consist of at least on row! No deletion done.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis page name cannot be used due to technical limitations of the storageThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows inserting 'Code Blocks' in the page. These will be shown as emdedded widgets with syntax highlighting, line numbers etc. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a macOS menubar for zim.This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a sequence diagram editor for zim based on seqdiag. It allows easy editing of sequence diagrams. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin shows the attachments folder of the current page as an icon view at bottom pane. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This plugin turns one section of the notebook into a journal with a page per day, week or month. Also adds a calendar widget to access these pages. This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To create a new notebook you need to select an empty folder. Of course you can also select an existing zim notebook folder. ToCTo_dayTodayToggle Checkbox '>'Toggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUn-check CheckboxUnindent on (If disabled you can still use )UnknownUnspecifiedUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse %s to switch to the side paneUse a custom fontUse a page for eachUse date from journal pagesUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWith this plugin you can embed a 'Table' into the wiki page. Tables will be shown as GTK TreeView widgets. Exporting them to various formats (i.e. HTML/LaTeX) completes the feature set. Word CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Checkbox_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Duplicate Line_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Edit Sequence Diagram_Edit diagram_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Line Down_Move Line Up_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Page Hierarchy_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Line_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Run bookmark_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Inas due date for tasksas start date for taskscalendar:week_start:0do not usehorizontal linesmacOS Menubarno grid linesreadonlysecondstranslator-creditsvertical lineswith linesProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-06-20 12:47+0000 Last-Translator: mtibbi Language-Team: Portuguese MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n != 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) Esta extensão fornece uma barra para os marcadores. %(cmd)s retornou um código diferente de zero %(code)i%(n_error)i erros e %(n_warning)i avisos ocorreram, consulte o log%A, %d de %B de %Y%i _Anexo%i _Anexos%i _Ligação de Entrada...%i _Ligações de Entrada...%i erros ocorreram, consulte o ficheiro de erros%i ficheiro será eliminado%i ficheiros serão eliminados%i de %i%i item aberto%i itens abertos%i avisos ocorreram, consulte o ficheiro de errosRemover o recuo de um item da lista também altera todos os subitensUma wiki para o desktopO ficheiro com o nome "%s" já existe. Você pode usar outro nome ou sobrescrever o ficheiro existente.Uma tabela deve ter ao menos uma coluna.Adicionar faixas para "arrancar" menus"Adicionar AplicaçãoAdicionar marcadorAdicionar Bloco de NotasAdicionar marcador / Mostrar configuraçõesAdicionar colunaAdicionar novos marcadores no início da barraAdicionar linhaAdiciona suporte para verificação ortográfica usando gtkspell. Esta é uma extensão padrão que acompanha o Zim. AlinharTodos os ficheirosTodas as TarefasPermitir acesso públicoSempre use a última posição do ponteiro ao abrir uma páginaOcorreu um erro ao gerar a imagem. Você deseja guardar o texto de origem de qualquer maneira?Código da página anotadoAplicaçõesAritméticaAnexar FicheiroAne_xar ficheiroAnexar ficheiro externoAnexar imagem primeiroNavegador de AnexosAnexosAnexos:AutoriaQuebra de linha automáticaIndentação automáticaVersão automaticamente guardada pelo ZimSelecionar automaticamente a palavra atual quando aplicar formataçãoConverter automaticamente as palavras "CamelCase" em ligaçõesConverter automaticamente caminhos de ficheiro em ligaçõesIntervalo de salvamento automático em minutosGuardar automaticamente a versão em intervalos regularesGuardar versão automaticamente quando o bloco de notas for fechadoVoltar para Nome OriginalLigações de entradaPainel de ligações de entradaBack-endLigações de Entrada:Bazaar_MarcadoresMarcadoresBarra de marcadoresInferior esquerdoPainel InferiorInferior DireitaProcurarLista com _MarcadoresC_onfigurarCalen_dárioCalendárioNão foi possível modificar a página: %sCancelarCapturar ecrã completoCentroTrocar colunasAlteraçõesCaracteresCaracteres excluindo os espaçosMarcar caixa de seleção com '>'Marcar caixa de seleção com 'V'Marcar caixa de seleção com 'X'Verificar _ortografiaLista de Cai_xa de SeleçãoMarcar uma caixa de seleção também altera os seus sub-itemsícone da bandeja clássico, não use o novo estilo de ícone de status no UbuntuLimparClonar linhaBloco de códigoColuna 1ComandoO comando não modifica dadosComentárioIncluir rodapé usualIncluir cabeçalho usual_Bloco de Notas CompletoConfigurar AplicaçõesConfigurar a ExtensãoConfigure uma aplicação para abrir links "%s"Configure uma aplicação para abrir ficheiros do tipo "%s"Considerar todas as caixas de seleção como tarefasCopy endereço de EmailCopiar ModeloCopiar _como...Copiar _LigaçãoCopiar a L_ocalizaçãoIncapaz de encontrar o executável "%s"Não foi possível encontrar o bloco de notas: %sNão foi possível encontrar o modelo "%s"Não foi possível encontrar o ficheiro ou pasta para este bloco de notasNão foi possível carregar o verificador ortográficoNão foi possível abrir %sNão foi possível analisar a expressãoIncapaz de ler: %sNão foi possível guardar a página: %sCriar uma nova página para cada notaCriar pastaCriadoRecor_tarFerramentas PersonalizadasFerramentas _PersonalizadasPersonalizar...DataDiaPredefinidoFormato predefinido para cópia de texto da área de transferênciaBloco de notas predefinidoDemoraEliminar PáginaEliminar Página "%s"?Remover a linhaRebaixarDependênciasDescriçãoDetalhesDia_gramaDescartar nota?Edição Livre de DistraçõesDitaaVocê deseja apagar todos os marcadores?Você quer restaurar a página: %(page)s à versão guardada: %(version)s?Raíz do DocumentoVencimentoE_quaçãoE_xportar...Editar Ferramentas PersonalizadasEditar ImagemEditar LigaçãoEditar a TabelaEditar _FonteEdiçãoA editar ficheiro: %sÊnfaseAtivar Controlo de Versão?ActivoErro em %(file)s na linha %(line)i próximo "%(snippet)s"Calcular a Fór_mulaExpandir _TudoExpandir a página do diário no índice quando abertoExportarExportar todas as páginas para um único ficheiroExportação concluídaExportar cada página para um ficheiro separadoA exportar o bloco de notasSem sucessoIncapaz de executar: %sIncapaz de executar a aplicação: %sO Ficheiro ExisteModelos de _FicheiroO ficheiro %s foi alterado no discoO ficheiro existeFicheiro %s não permite escritasTipo de ficheiro não suportado: %sNome do FicheiroFiltroProcurarLocalizar _SeguinteLocalizar _AnteriorEncontrar e SubstituirEncontrar o queSinalizar antes do fim de semana as tarefas devidas na segunda-feira ou terça-feiraPastaA pasta já existe e tem conteúdo, exportando para esta pasta pode sobrescrever ficheiros existentes. Quer continuar?Pasta existe: %sPasta com modelos para ficheiros de anexoPara buscas avançadas você pode usar operadores como AND, OR e NOT. Veja a página de ajuda para mais detalhes.For_matarFormatoFossilGNU _R PlotObtenha mais extensões on-lineVeja mais modelos em-linha diretaGitGnuplotVoltar ao inícioIr para a página anteriorIr para a próxima páginaIr para página filhaIr para a página seguinteIr para página principalIr para a página anteriorLinhas de gradeTítulo 1Título 2Título 3Título 4Título 5Cabeçalho _1Cabeçalho _2Cabeçalho _3Cabeçalho _4Cabeçalho _5AlturaEsconder menu no modo ecrã completoEsconder a barra de endereços no modo ecrã completoEsconder a barra de status no modo ecrã completoEsconder barra de ferramentas no modo ecrã completoRealçar a linha atualPágina Inicial_Linha HorizontalÍconeÍcones _e TextoImagensImportar PáginaIncluir subpáginasÍndicePágina de ÍndiceCalculadora IntegradaInserir Bloco de CódigoInserir Data e HorárioInserir DiagramaInserir DitaaInserir EquaçãoInserir Plot do GNU RInserir GnuplotInserir ImagemInserir LigaçãoInserir PartituraInserir imagem de ecrãInserir Diagrama de SequênciaInserir SímboloInserir TabelaInserir Texto à Partir de um FicheiroInserir DiagramaInserir imagem como ligaçãoInterfacePalavra Chave InterwikiDiárioSaltar paraSaltar para PáginaRótulos a marcar tarefasÚltima ModificaçãoManter ligação para a nova páginaEsquerdoPainel Lateral EsquerdoLimitar pesquisa à página atual e sub-páginasOrdenador de LinhasLinhasMapa de LigaçõesRealizar no documento de base as conexões entre os ficheiros e a sua localizaçãoLigação paraLocalizaçãoRegistar eventos com o ZeitgeistFicheiro de registoParece que encontrou uma falhaTornar aplicação predefinidaGerir colunas da tabelaMapear documento raiz para URLMarcaCoincidir maiúsculas e _minúsculasNúmero máximo de marcadoresLargura máxima da páginaBarra de menuMercurialModificadoMêsMover páginaMover Texto Selecionado...Mover Texto para Outra PáginaMover coluna à frenteMover coluna para trásMover página "%s"Mover texto paraNomeÉ necessário um ficheiro de saída para exportar MHTMLÉ necessário uma pasta de saída para exportar o bloco de notas completoNovo FicheiroNova páginaNova S_ub Página...Nova sub-páginaNovo An_exoPróx.Nenhuma aplicação encontradaNenhuma mudança desde a última versãoSem dependênciasNenhuma extensão está disponível para exibir este objeto.Nenhum ficheiro ou pasta: %sFicheiro %s inexistentePágina não existe: %sNenhum wiki definido: %sNenhum modelo instaladoBloco de NotasPropriedades do Bloco de NotasBloco de Notas _EditávelBlocos de NotasOKMostrar Somente Tarefas AtivasAbrir Pasta de Ane_xosAbrir PastaAbrir Bloco de NotasAbrir com...Abrir Pasta do _DocumentoAbrir _Documento RaizAbrir Pasta do B_loco de NotasAbrir _PáginaAbrir ligação contida na célulaAbrir ajudaAbrir numa Nova JanelaAbrir numa Nova _JanelaAbrir nova páginaAbrir pasta de extensõesAbrir com "%s"OpcionalOpçõesOpções para a extensão %sOutro...Ficheiro de saídaO ficheiro de saída existe , especifique "--sobrescrever" para forçar a exportaçãoPasta de destinoA pasta de saída existe e não está vazia, especifique "--sobrescrever" para forçar a exportaçãoLocal de saída necessário para a exportaçãoO resultado deve substituir o atualmente selecionadoSubstituirB_arra de CaminhosPáginaA página "%s" e todas as suas sub-páginas e anexos serão eliminadosPágina "%s" não tem uma pasta para anexosNome da páginaModelo de PáginaPágina já existe: %sA página apresenta mudanças não salvasPágina não permitida: %sseção da páginaParágrafoInsira um comentário para esta versãoPor favor observe que criar uma ligação para uma página inexistente também cria uma nova página automaticamente.Selecionar um nome e uma pasta para o bloco de notas.Por favor, selecione uma linha antes de premir o botãoPor favor, selecione mais de uma linha de texto .or favor especifique um bloco de notasExtensãoA extensão %s é necessária para exibir este objeto.ExtensõesPortaPosição na janela_PreferênciasPreferênciasAnt.Imprimir no navegadorPerfilPromoverPr_opriedadesPropriedadesEncaminha os eventos Zeitgeist DaemonNota RápidaNota Rápida...Alterações RecentesMudanças recentesPáginas _alteradas recentementeReformatar a marcação wiki em tempo realRemoverRemover todosRemover a colunaRemover as ligações de %i página vinculada à esta páginaRemover as ligações das %i páginas vinculadas à esta páginaRemover ligações ao excluir páginasRemover linhaRemovendo as ligaçõesRenomear PáginaRenomear página "%s"Clicar repetidamente numa caixa de seleção alterna entre os estados de seleçãoSubstituir _TodosSubstituir porRestaurar página à última versão guardada?RevDireitoPainel Lateral DireitoPosição da margem direitaLinha para baixoLinha para cimaGu_ardar versão...Par_tituraGuardar uma _Cópia...Gravar cópiaGuardar VersãoGuardar marcadoresVersão guardada pelo ZimOcorrência(s)cor de fundo do ecrãComando de imagem de ecrãProcurarPesquisar Páginas...Pesquisar Ligações de _EntradaBuscar nesta seçãoSecçãoSeção(ões) para ignorarSeção(ões) para indexarSeleccionar ficheiroSeleccionar PastaSelecionar ImagemSeleciona uma versão para ver as mudanças entre essa versão e a condição atual. Ou seleciona múltiplas versões para ver as mudanças entre essas versões. Selecione o formato de exportaçãoSelecione o ficheiro de saída ou a pastaSelecione as páginas para exportarSelecionar janela ou regiãoSeleçãoDiagrama de SequênciaServidor não inicializadoServidor inicializadoServidor desligadoDefinir Novo NomePredefinir o editor de textoDefinir como Página AtualMostrar Todos os PainéisMostrar o Navegador de AnexosApresentar a numeração de LinhaMostrar Mapa de LigaçõesMostrar Painéis LateraisMostrar Tarefas como Lista SimplesMostrar TdC como um widget flutuante e não no painel lateralMostrar _ModificaçõesMostrar um ícone separado para cada bloco de notasExibir CalendárioMostrar calendário no painel lateral e não como uma caixa diálogoExibir o nome completo da páginaExibir o nome completo da páginaMostrar barra de ferramentas auxiliarMostrar na Barra de FerramentasMostrar a margem direitaMostrar lista de tarefas na barra lateralMostrar o cursor também em páginas que não podem ser editadasMostra o título da página na TdC_Página únicaTamanhoSmart Home keyAlgum erro ocorreu ao executar "%s"Ordenar alfabeticamenteClassificar as páginas por etiquetasVisualizar códigoCorretor ortográficoInícioIniciar Servidor _WebRiscarNegritoSí_mboloSintaxePredefinição do Sistemalargura da tabulaçãoTabelaEditor de TabelasTabela de ConteúdosEtiquetasEtiquetas para tarefas não-acionáveisTarefaLista de TarefasTarefasModeloModelosTextoFicheiros de textoTexto de _Ficheiro...cor de fundo do textocor de primeiro plano do textoO ficheiro ou pasta que você especificou não existe. Por favor, verifique se o caminho está correto.A pasta %s não existe. Deseja criá-la agora?O directório "%s" ainda não existe. Deseja criá-lo agora?Os seguintes parâmetros serão substituídos no comando quando este for executado: %f o código-fonte da página como ficheiro temporário %d o diretório de anexos da página atual %s o ficheiro real com o código-fonte da página (se existir) %p o nome da página %n a localização no bloco de notas (ficheiro ou diretório) %D o documento raiz (se existir) %t o texto ou palavra selecionada sob o cursor %T o texto selecionado incluindo a formatação wiki A extensão de calculadora integrada não conseguiu avaliar a expressão no cursor.A tabela deve ser constituída por pelo menos uma linha! Remoção não executada.Não há mudanças neste bloco de notas desde a última versão salvaIsto pode significar que você não tem os dicionários apropriados instaladosO ficheiro já existe.Esta página não possui uma pasta de anexos.Este nome de página não pode ser usado devido à limitações técnicas do armazenamentoEsta extensão permite capturar a imagem do ecrã e a inserir diretamente em uma página do Zim. Esta é uma extensão padrão que acompanha o Zim. Esta extensão adiciona uma caixa de diálogo que mostra todas as tarefas em aberto neste bloco de notas. As tarefas em aberto podem ser tanto caixas de seleção ou itens marcados com etiquetas como "TODO" ou "FIXME". Esta é uma extensão padrão que acompanha o Zim. Esta extensão adiciona uma caixa de diálogo para colocar rapidamente texto ou conteúdo da área de transferência numa página do Zim. Esta é uma extensão padrão que acompanha o Zim. Esta extensão adiciona um ícone na área de notificação para acesso rápido. Esta extensão depende do Gtk+ versão 2.10 ou mais recente. Esta é uma extensão padrão que acompanha o Zim. Esta extensão adiciona um widget extra que apresenta uma lista de páginas que contêm ligações para a página atual. Esta é uma extensão padrão que acompanha o Zim. Esta extensão adiciona um widget extra que apresenta uma tabela de conteúdos para a página atual. Esta é uma extensão padrão que acompanha o Zim. Esta extensão adiciona configurações que ajudam a usar o Zim como um editor livre de distrações. Esta extensão adiciona o diálogo "Inserir Símbolo" e permite a auto-formatação de caracteres tipográficos. Esta é uma extensão padrão que acompanha o Zim. Esta extensão adiciona controlo de versão para os blocos de notas Zim. Esta extensão suporta Bazaar, Git e sistemas de controlo de versão Mercurial. Esta é uma extensão padrão que acompanha o Zim. Esta extensão permite inserir 'Blocos de Código' na página. Estes blocos serão mostrados como widgets com realce de sintaxe, números de linha etc. Esta extensão permite embutir cálculos aritméticos no Zim. Baseia-se no módulo de aritmética de http://pp.com.mx/python/arithmetic Esta extensão permite você desenvolver rapidamente simples equações matemáticas no Zim. Esta é uma extensão padrão que acompanha o Zim. Esta extensão fornece um editor de diagrama para o Zim baseado em Ditaa. Esta é uma extensão padrão que acompanha o Zim. Esta extensão fornece um editor de diagramas para o Zim baseado no GraphViz. Esta é uma extensão padrão que acompanha o Zim. Esta extensão fornece um diálogo com uma representação gráfica da estrutura de ligação do bloco de notas. Ele pode ser usado como uma espécie de "mapa mental" que mostra como as páginas se relacionam. Esta é uma extensão padrão que acompanha o Zim. Esta extensão disponibiliza um menu macOS para o Zim.Esta extensão fornece um índice de páginas filtrado por meio de uma seleção de etiquetas em nuvem. Esta extensão fornece um editor de gráficos para o Zim baseado no Gnu R. Esta extensão fornece um editor de gráficos para o Zim baseado no Gnuplot. Esta extensão fornece um editor de diagrama de sequência para o Zim baseado no seqdiag. Ele permite a fácil edição de diagramas de sequência. Esta extensão fornece uma solução para a falta de suporte para impressão no Zim. Ela exporta a página atual para HTML e abre um navegador web. Presumindo que o navegador tem suporte para impressão, isso enviará seus dados para a impressora em dois passos. Esta é uma extensão padrão que acompanha o Zim. Esta extensão fornece um editor de equações para o Zim com base no LaTeX. Esta é uma extensão padrão que acompanha o Zim. Esta extensão proporciona um editor de partitura para o Zim baseado no GNU Lilypond. Esta é uma extensão padrão que acompanha o Zim. Esta extensão mostra a pasta de anexos da página atual como ícones no painel inferior. Esta extensão ordena alfabeticamente as linhas selecionadas. Se a lista já estiver ordenada, a ordem será invertida (A-Z para Z-A). Esta extensão transforma uma seção do bloco de notas em um diário com uma página por dia, semana ou mês. Também acrescenta um widget de calendário para acessar essas páginas. Isto normalmente significa que o ficheiro contém caracteres inválidosTítuloPara continuar você pode guardar uma cópia desta página ou descartar as mudanças realizadas. Se você guardar uma cópia, as mudanças também serão perdidas, mas você poderá recuperar a cópia depois.Para criar um novo bloco de notas que você precisa selecionar uma pasta vazia. Claro que você também pode selecionar uma pasta de bloco de notas Zim existente. TdcHo_jeHojeAlternar caixa de seleção com '>'Alternar Caixa de Seleção 'V'Alternar Caixa de Seleção 'X'Tornar o bloco de notas editávelSuperior EsquerdoPainel SuperiorSuperior DireitoÍcone na Área de NotificaçãoConverter o nome de páginas em etiquetas para tarefasTipoDesmarcar caixa de seleçãoRemover recuo ao usar a tecla (Se desativado você pode usar )DesconhecidoNão especificadoSem etiquetaAtualizar %i página vinculada à esta páginaAtualizar %i páginas vinculadas à esta páginaAtualizar o ÍndiceAtualizar o cabeçalho desta páginaAtualizando as ligaçõesAtualizando o índiceUse %s para alternar para o painel lateralUsar fonte personalizadaUse uma página para cadaUsar data das páginas do diárioUsar a tecla para seguir as ligações (Se desativado você pode usar )VerbatimControlo de versõesControlo de versão encontra-se desativado para este bloco de notas. Deseja ativá-lo?VersõesMargem verticalVer _AnotaçãoVer R_egistoServidor WebSemanaAo reportar este erro, por favor inclua as informações da caixa de texto abaixo.Pala_vra CompletaLarguraPágina Wiki: %sCom esta extensão você pode inserir uma 'Tabela' em uma página wiki. As tabelas serão mostradas como widgets GTK TreeView. Exportá-los para vários formatos (ou seja, HTML / LaTeX) completa o conjunto de recursos. Contar PalavrasContagem de Palavras...PalavrasAnoOntemVocê está a editar um ficheiro em um aplicativo externo. Você pode fechar esta janela quando terminar.Pode configurar ferramentas personalizadas que irão aparecer no menu Ferramentas e na barra de Ferramentas ou em menus de contexto.Wiki Pessoal Zim_Diminuir_Acerca_Todos os Painéis_Aritmética_Retroceder uma página_Explorar_Bugs_Calendário_Caixa de seleção_Descer um nívelRemo_ver Formatação_Fechar_Contrair Tudo_Conteúdo_Copiar_Copiar aqui_Data e Hora..._Apagar_Apagar Página_Descartar alterações_Duplicar Linha_Editar_Editar Ditaa_Editar Equação_Editar Plot do GNU R_Editar Gnuplot_Editar Ligação_Editar Ligação ou ObjetoEditar _Propriedades_Editar Partitura_Editar Diagrama de Sequência_Editar diagrama_Itálico_Questões frequentes_Ficheiro_Localizar..._Avançar uma páginaEcrã _Completo_NavegarA_juda_Realçar_Histórico_InícioApenas _Ícones_Imagem..._Importar Página.._InserirIr _para...Atalhos de _teclasÍcones _Grandes_Ligação_Ligação para data_Ligação..._Realçar_Mais_Mover_Mover AquiMover Linha para _BaixoMover Linha para _Cima_Mover Página..._Nova Página...Pró_ximoPró_ximo no índice_NenhumTamanho _NormalLista _Numerada_AbrirAbrir Outro _Bloco de Notas..._Outro(s)..._PáginaHierarquia da página_Subir um nívelCo_lar_Pré-visualizarA_nteriorA_nterior no índiceVisualizar no navegador Web_Nota Rápida..._SairPáginas _recentesRe_fazerExpressão _regular_Recarregar_Remover Linha_Remover Ligação_Renomear Página...Substit_uirS_ubstituir..._Restaurar Tamanho_Restaurar Versão_Executar marcador_GuardarGra_var cópia..._Capturar ecrã..._Pesquisar_Pesquisar..._Enviar Para...Painéis _Laterais_Lado a LadoÍcones _Pequenos_Ordenar linhasBarra de E_stadoRa_suradoN_egritoS_ubscritoS_obrescrito_ModelosApenas _TextoÍcones _MinúsculosHo_jeBarra de _Ferramentas_Ferramentas_DesfazerForma _Literal_Versões..._VistaA_mpliarcomo data limite para tarefascomo data de início para tarefascalendar:week_start:0não usarlinhas horizontaisMenu macOSsem linhas de gradesomente leiturasegundosLaunchpad Contributions: DarkVenger https://launchpad.net/~darkvenger Jorge Paulo https://launchpad.net/~jorge-paulo João Santos https://launchpad.net/~jmcs NeLaS https://launchpad.net/~organelas Pedro Alves https://launchpad.net/~alvespms debastosj https://launchpad.net/~debastosj mtibbi https://launchpad.net/~marcio-tibiricalinhas verticaiscom linhas de gradezim-0.68-rc1/locale/et/0000755000175000017500000000000013224751170014452 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/et/LC_MESSAGES/0000755000175000017500000000000013224751170016237 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/et/LC_MESSAGES/zim.mo0000644000175000017500000006017413224750472017407 0ustar jaapjaap00000000000000q , - 9Z4u! V ?YI   $?9/y(%   .C KV-f< "C Va3}& + 8FKSd jv   ~ 4 BM ^ i s    -7v>c!( 0=M^n              # * 6 A S h w       ! !"!7!=!2F!y!!!!!! ! !!!!! "";"K"f"w""" """ " " "" ##4#H#W#_#u# ~# ###C#0# $ %$'/$VW$3$$$$ $ %% % ,% 7% B%P%^p%% %% % &&4&8&I& Y& c&p&&&& & &&S' l''' '''' ' (&(.>(m(5( (&( (( )) )$))) .)8)A) F)Q)Yd)S)K*6^*-*x*<+,,-}-k ..;`//j01!11111 2D2HT22222P2>3G3UW333 3 33 3 33^4f`44444445 555-5 55B5S5Y5h5 y55 55555 555 555 5 5 66 !6 -6 :6G6 M6[6d6j6 p6 ~666666 66666 66 77,7 27@7F7Z7 b7o77 7 777 777 7 7 7 7 888 &8 18 >8 I8U8\8e8l8 r8 |888888 :&: :%:; ;1;VC; ;Y;"< $< 1<><S< g<u<({<9</</=/>= n=x==$== ===2=<>[>a> {>>> >> >>+ ?9?J?'e?"?????? @ @@&@8@ J@ V@`@ i@~s@@ AA 0A MQM`M&oM0MM-M N&NFNYNoNN NN NNNN NNYNS7OLO6O&Px6PPxQQR}SkSS;TUj#VVV3WPWhW%W WDWnWdX}XXXPXYYU/Y YY Y YY YYYjYfPZZZZ Z ZZ[ [[[1[:[M[ `[k[z[[![ [[[[[ [[[ \\\ \0\9\ O\Y\ p\}\\\ \ \\\\ \\ ]]]5] =]H]X] `]j]s]]]]]]] ]]^^ "^-^D^ U^_^p^^ ^ ^ ^^ ^^^ ^ ^ ^__ _ 1_ ?_M_ ]_i_ o_}__%A %d %B %Y%i _Backlink...%i _Backlinks...%i open item%i open items(Un-)Indenting a list item also change any sub-itemsA desktop wikiAdd 'tearoff' strips to the menusAdd NotebookAdds spell checking support using gtkspell. This is a core plugin shipping with zim. All FilesAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAuthorAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsC_onfigureCalen_darCalendarCan not modify page: %sCapture whole screenChangesCharactersCheck _spellingChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuCommandCommand does not modify dataCommentComplete _notebookConfigure PluginConsider all checkboxes as tasksCopy Email AddressCopy _LinkCould not find notebook: %sCould not find the file or folder for this notebookCould not open: %sCould not parse expressionCould not save page: %sCreate a new page for each noteCreate folder?Cu_tCustom ToolsCustom _ToolsDateDefaultDefault notebookDelayDelete PageDelete page "%s"?DependenciesDescriptionDetailsDia_gram...Do you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_xport...Edit Custom ToolEdit ImageEdit LinkEdit _SourceEditing file: %sEmphasisEnable Version Control?EnabledEvaluate _MathExportExporting notebookFailedFile existsFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?For advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHome PageIconIcons _And TextImagesImport PageIndex pageInline CalculatorInsert Date and TimeInsert DiagramInsert EquationInsert GNU R PlotInsert ImageInsert LinkInsert ScreenshotInsert SymbolInsert Text From FileInsert diagramInsert images as linkJump toJump to PageLabels marking tasksLinesLink MapLink files under document root with full file pathLink toLocationLog fileLooks like you found a bugMap document root to URLMarkMatch _caseMove PageMove page "%s"NameNew PageNew S_ub Page...New Sub PageNo changes since last versionNo dependenciesNo such file or folder: %sNo such file: %sNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen in New _WindowOpen with "%s"OptionsOptions for plugin %sOther...Output fileOutput folderP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NameParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.PluginPluginsPortPr_eferencesPreferencesPrint to BrowserProper_tiesPropertiesQuick NoteQuick Note...Reformat wiki markup on the flyRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemoving LinksRename PageRename page "%s"Replace _AllReplace withRestore page to saved version?RevS_ave Version...Save A _Copy...Save CopySave VersionSaved version from zimScoreSearchSearch _Backlinks...Select FileSelect FolderSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionServer not startedServer startedServer stoppedShow Link MapShow _ChangesShow a separate icon for each notebookShow calendar in sidepane instead of as dialogShow in the toolbarShow the cursor also for pages that can not be editedSingle _pageSome error occurred while running "%s"Spell CheckerStart _Web ServerStrikeStrongSy_mbol...TagsTaskTask ListTemplateTextText FilesText From _File...The file or folder you specified does not exist. Please check if you the path is correct.The inline calculator plugin was not able to evaluate the expression at the cursor.There are no changes in this notebook since the last version that was savedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a plot editor for zim based on GNU R. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. TitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.To_dayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTray IconUnindent on (If disabled you can still use )Update %i page linking to this pageUpdate %i pages linking to this pageUpdate the heading of this pageUpdating LinksUpdating indexUse a custom fontUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsView _AnnotatedView _LogWhole _wordWidthWord CountWord Count...WordsYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop Wiki_About_Back_Bugs_Child_Clear Formatting_Close_Contents_Copy_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Equation_Edit GNU R Plot_Edit Link_Edit Link or Object..._Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move Page..._New Page..._Next_Next in index_None_Open_Open Another Notebook..._Other..._Page_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side by Side_Small Icons_Statusbar_Strike_Strong_Subscript_Superscript_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._Viewreadonlysecondstranslator-creditsProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2012-10-06 21:09+0000 Last-Translator: Jaap Karssenberg Language-Team: Estonian MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=2; plural=n != 1; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) %A %d %B %Y%i Ta_gasiviide...%i Ta_gasiviited...%i avatud kirje%i avatud kirjetTaande muutmine muudab ka alamkirjeidTöölaua wikiLisa rebitavad ribad menüüdeleLisa uus märkmikAdds spell checking support using gtkspell. This is a core plugin shipping with zim. Kõik failidAn error occurred while generating the image. Do you want to save the source text anyway?Märgistatud lehekülje lähtekoodManusta failManusta failManusta väline failManusta esmalt piltManusesirvijaAutorAutomaatselt salvestatud Zimi versioonidVormingu lisamisel märgista automaatselt käesolev sõnaAutomatically turn "CamelCase" words into linksTeisenda faili asukohatee automaatselt viidaks.Salvesta versioon regulaarse ajavahemiku järel_SeadistaKalenderKalenderLehekülje %s muutmine ebaõnnestus.Kaasa terve ekraan.MuudatusedTähedKontrolli _õigekirjaValikasti valimine muudab ka alamkirje väärtust.Classic trayicon, do not use new style status icon on UbuntuKäskKäsklus ei muuda andmeidKommentaarTerve _märkmikSeadista lisandmoodulitConsider all checkboxes as tasksKopeeri e-posti aadressKopeeri _linkEi leitud märkmiku: %sSelle märkmiku faili või kausta ei leitudEi saa avada: %sAvaldise sõelumine nurjusLehekülje %s salvestamine ebaõnnestusLisa iga märkme jaoks eraldi lehtLoo uus kaust?_LõikaKohandatud tööriistadKohandatud _TööriistadKuupäevVaikimisiAktiivne märkmikViivitusKustuta lehekülgDelete page "%s"?SõltuvusedKirjeldusDetailid_DiagrammDo you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Dokumendi juurkaust_Ekspordi...Muuda kohandatud tööriistaMuuda piltiMuuda linkiMuuda lähtekoodiMuudan faili: %sRõhutatudLülitan versioonihalduse sisse?LubatudHinda _AvaldistEkspordiMärkmiku eksportimineNurjusFail on olemasFilterOtsiOtsi _järgmineOtsi _eelmineOtsi ja asendaOtsi midaKaustKataloog on juba olemas ja sisaldab faile. Eksportimine antud kataloogi võib olemasolevad failid üle kirjutada. Oled kindel, et soovid jätkata?For advanced search you can use operators like AND, OR and NOT. Vaata lähemalt abilehekülgedelt.Vor_mingVormingLiigu kojuEelmine lehekülgJärgmine lehekülgMine alamleheküljeleMine järgmisele leheküljeleMine ülemleheküljeleMine eelmisele leheküljelePealkiri 1Pealkiri 2Pealkiri 3Pealkiri 4Pealkiri 5Pealkiri _1Pealkiri _2Pealkiri _3Pealkiri _4Pealkiri _5KõrgusKodulehekülgIkoonIkoonid ja tekstidPildidImpordi lehekülgIndekslehekülgTekstisisene kalkulaatorKuupäeva ja kellaaja lisamineLisa DiagrammLisa valemLisa GNU R diagrammLisa piltViite lisamineLisa ekraanitõmmisLisa sümbolLisa tekst failistLisa diagrammLisa pilt viitenaLiigu...Liigu leheküljeleLabels marking tasksReadViidaloendLingi dokumendi juurkaustas asuvad failid täisfailiteenaViita...AsukohtLogifailTundub, et Sa leidsid programmivea.Vastenda dokumendi juurkaust URLiksMärgistatudErista _SuurtähtiLiiguta lehekülgMove page "%s"NimiUus LehekülgUus A_lamlehekülg...Uus AlamlehtEelmise versiooniga võrreldes muudatused puuduvadSõltuvusi poleSellist faili või kausta pole: %sSellist faili pole: %sMärkmikMärkmiku atribuudidMärkmik on _muudetavMärkmikudOKAva _Manuste kaustAva kaustAva märkmikAva kasutades...Ava _DokumendikaustAva _Dokumendi juurkaustAva _Märkmiku kaustAva uues _AknasOpen with "%s"ValikudLisandmooduli %s suvandidMuu...VäljundfailVäljundkaustF_ailitee ribaLehekülgPage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsLehekülje nimiLõikSisesta kommentaar versiooni kohtaPlease note that linking to a non-existing page also creates a new page automatically.Vali palun märkmikule pealkiri ja kataloog.LisandmoodulLisandmoodulidPort_EelistusedEelistusedTrüki veebilehitseja kauduA_tribuudidAtribuudidKiire märgeKiire märge...Vorminda wiki märgistus jooksvalt ümberEemalda %i lehel asuv viide käesolevale leheküljeleEemalda %i lehel asuvad viited käesolevale leheküljeleEemaldan viiteidMuuda lehekülje nimeRename page "%s"Asenda _kõikAsenda millegaKas soovid lehekülje salvestatud versiooni põhjal taastada?RevSa_lvesta versioonSalvesta _koopia...Salvesta koopiaSalvesta versioonSalvestatud Zimi versioonidHinnangOtsingOtsi _tagasiviiteid...Vali failVali kaustSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Vali eksportimise formaatVali väljundfail või -kaustVali leheküljed, mida soovid eksportidaVali aken või piirkondValikServer pole käivitunud.Server on käivitunudServer on peatatudAva viidaloendKuva _muutusedShow a separate icon for each notebookKuvab kalenderit külgpaanil, mitte dialgooaknasNäita tööriistaribalKuva kursor ka kirjutuskaitsud lehekülgedel.Üksik _lehekülgSome error occurred while running "%s"ÕigekirjakontrollKäivita _veebiserverLäbikriipsutatudTugevSü_mbol...SildidÜlesanneÜlesandeloendMallTekstTekstifailidTekst _failist...The file or folder you specified does not exist. Please check if you the path is correct.The inline calculator plugin was not able to evaluate the expression at the cursor.Märkmikusse ei ole viimase versiooni salvestamisest saadik tehtud muudatusiThis file already exists. Do you want to overwrite it?Sellel leheküljel pole manuste kaustaThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a plot editor for zim based on GNU R. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. PealkiriTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.Tänase _päeva leheküljeleMärgista valikkast 'V'Märgista valikkast 'X'Lülita ümber märkmikku kirjutamineTray IconUnindent on (If disabled you can still use )Värskenda %i lehekülg, viidates sellele leheküljeleVärskenda %i lehekülge, viidates sellele leheküljeleUuenda lehekülje päistVärskendan viiteidRegistrite uuendamineKasuta kohandatud fontiUse the key to follow links (If disabled you can still use )SõnasõnalineVersioonihaldusVersion control is currently not enabled for this notebook. Do you want to enable it?VersioonidVaata märgitu_dKuva _logiTerve s_õnaLaiusSõnaarvestusSõnaarvestus...SõnadHetkel kasutatakse faili välise programmi poolt. Sa võid selle akna pärast tegevuse lõpetamist sulgedaYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Töölaua Viki_Teave_Tagasi_VeateatedAlamlehekülg_Puhasta vorming_Sulge_Sisu_KopeeriKuupäev ja kellaaeg..._Kustuta_Kustuta lehekülg_Unusta muudatused_Redigeeri_Muuda valemit_Muuda GNU R diagrammi_Redigeeri linki_Viite või objekti redigeerimine_Rõhutatud_KKK_Fail_Otsi..._Edasi_Täisekraan_Mine_Abi_Tõsta esile_Ajalugu_KoduAinult _ikoonid_Pilt..._Impordi lehekülg..._LisamineLiigu l_eheküljele...Klahviseosed_Suured ikoonid_ViitVii_ta kuupäevale_Viide..._MärgistatudV_eel_Liiguta lehekülg..._Uus Lehekülg..._Järgmine_Järgmine registris_Puudub_AvaA_va olemasolev märkmik..._Muu..._Lehekülg_Ülemlehekülg_Kleebi_Eelvaade_Eelmine_Eelmine registris_Trüki veebilehitseja abil_Quick Note..._Lõpeta_Hiljutised leheküljed_Taasta_RegulaaravaldisLa_e uuesti_Eemalda viide_Nimeta leht ümber_Asenda_Asenda...Suuruse l_ähtestamine_Taasta versioon_SalvestaSalvesta _koopia_Ekraanitõmmis_Otsing_Otsing..._Saada..._Rida-realt_Väikesed ikoonid_Olekuriba_Läbikriipsutatud_TugevAllindek_s_ülaindeksAinult _tekst_Pisikesed ikoonid_TänaTöör_iistariba_TööriistadVõta _tagasi_Sõnasõnaline_Versioonid_KuvaAinult loetavsekundidLaunchpad Contributions: *nix https://launchpad.net/~xinu7 Jaap Karssenberg https://launchpad.net/~jaap.karssenberg Timo Sulg https://launchpad.net/~timgluz mahfiaz https://launchpad.net/~mahfiaz milosh https://launchpad.net/~raoul-hotzim-0.68-rc1/locale/sl/0000755000175000017500000000000013224751170014460 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/sl/LC_MESSAGES/0000755000175000017500000000000013224751170016245 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/sl/LC_MESSAGES/zim.mo0000644000175000017500000010772413224750472017420 0ustar jaapjaap00000000000000!.! !! !0"9"4T"""i"!#*# :#VG# # ##3#Y#T$ j$ u$ $$$$ $$$$?%/A%(q%%% %%%% % % & & & !& ,&6&?&W&^&s& {&&&-&<&''';'C'Y'o'''+'3' (+( >( L( X(c(r(3(((());)J) O) \) j)w)|))0))) ))) ) ** * "*0*~I* * ** * * +++-+6+N+V+ e+q+x++++ +++ +, ,<,E,L, Q,\,k, |,6,,v,;-*M-cx------ - ..-.=.O. c. m. w. . . . . . . ....!/5/ U/_/d/t/ {// //// //// 0 0 %020 D0R0h0w0 0000 00 001 11!12*1]1e1n111111 11 2 22 2%2;2S2 b2o2t2}22 2222223$3=3T3]3q3 333 3 3 3333 44 04>4M4V4^4t4 }4 4 444C404 $5 .5 <5'F5Vn53505*61696>6 U6 b6n666 6 6&6 6 66677^?7 77 77>7 *8 78D8c8g8w88 8 8888888 9 9 *9799 9:: 4:>:Q:`:o:~: ::2: :&:.;K;5_; ;;&;;; ;<<< #<.<=<O<T<r< w<< << <<<<Y<?==A}=S=K>@_>6>->x?~?G@@ZA}ALYBB0CC}gDhDkNEERF;F=G[GjoHnHII7IJJJJJJJJJJ K K'KCKDHKKKHK KKL#L2LDLPXLLLULM!M1M AM KMVMN[M MM M M MMM M^MfWNN NN N NNNO OOO.O 5O COMO SO^OpO xOOO OOO O OOO P P P%P+P4P =PIPMP SP^PgP mP yPPP P P PP PPPPP P P QQQ+Q 1Q>QMQSQ mQwQ}QQQ QQQQQ QQQR RR&R /R ;RGRXR ^RiRxR R R R R R R RRR R R R S SS&S/S6S ^\^q^'^^^^^ ^ ___5_S_e_ k_!y_ _ __ _ _ __`` ```` ```a( a 5a@a Ra`aga {aa%aaa&ab 0bQb ob|bbbbbbAbcmcc$cpc*d2d9d=d EdQdcdvdddddddddeee"e+e4e/A desktop wikiA file with the name "%s" already exists. You can use another name or overwrite the existing file.Add 'tearoff' strips to the menusAdd ApplicationAdd NotebookAdds spell checking support using gtkspell. This is a core plugin shipping with zim. All FilesAll TasksAllow public accessAlways use last cursor position when opening a pageAn error occurred while generating the image. Do you want to save the source text anyway?Annotated Page SourceArithmeticAttach FileAttach _FileAttach external fileAttach image firstAttachment BrowserAttachmentsAuthorAutomatically saved version from zimAutomatically select the current word when you apply formattingAutomatically turn "CamelCase" words into linksAutomatically turn file paths into linksAutosave version on regular intervalsBackLinksBackLinks PaneBackendBazaarBottom LeftBottom PaneBottom RightBrowseBulle_t ListC_onfigureCalen_darCalendarCan not modify page: %sCancelCapture whole screenChangesCharactersCheck _spellingCheckbo_x ListChecking a checkbox also change any sub-itemsClassic trayicon, do not use new style status icon on UbuntuClearCommandCommand does not modify dataCommentCommon include footerCommon include headerComplete _notebookConfigure ApplicationsConfigure PluginConfigure an application to open "%s" linksConfigure an application to open files of type "%s"Consider all checkboxes as tasksCopy Email AddressCopy TemplateCopy _As...Copy _LinkCopy _LocationCould not find notebook: %sCould not find the file or folder for this notebookCould not open: %sCould not parse expressionCould not read: %sCould not save page: %sCreate a new page for each noteCreate folder?Cu_tCustom ToolsCustom _ToolsCustomize...DateDayDefaultDefault format for copying text to the clipboardDefault notebookDelayDelete PageDelete page "%s"?DemoteDependenciesDescriptionDetailsDia_gram...Discard note?Distraction Free EditingDo you want to restore page: %(page)s to saved version: %(version)s ? All changes since the last saved version will be lost !Document RootE_xport...Edit Custom ToolEdit ImageEdit LinkEdit _SourceEditingEditing file: %sEmphasisEnable Version Control?EnabledEvaluate _MathExpand _AllExportExporting notebookFailedFailed running: %sFailed to run application: %sFile ExistsFile _Templates...File changed on disk: %sFile existsFile is not writable: %sFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFind whatFlag tasks due on Monday or Tuesday before the weekendFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFolder with templates for attachment filesFor advanced search you can use operators like AND, OR and NOT. See the help page for more details.For_matFormatGitGnuplotGo homeGo page backGo page forwardGo to child pageGo to next pageGo to parent pageGo to previous pageHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHide menubar in fullscreen modeHide pathbar in fullscreen modeHide statusbar in fullscreen modeHide toolbar in fullscreen modeHome PageIconIcons _And TextImagesImport PageIndexIndex pageInline CalculatorInsert Date and TimeInsert DiagramInsert DitaaInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScoreInsert ScreenshotInsert SymbolInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJournalJump toJump to PageLabels marking tasksLast ModifiedLeave link to new pageLeft Side PaneLine SorterLinesLink MapLink files under document root with full file pathLink toLocationLog events with ZeitgeistLog fileLooks like you found a bugMake default applicationMap document root to URLMarkMatch _caseMaximum page widthMercurialModifiedMonthMove PageMove Selected Text...Move Text to Other PageMove page "%s"Move text toNameNew FileNew PageNew S_ub Page...New Sub PageNew _AttachmentNo Applications FoundNo changes since last versionNo dependenciesNo such file or folder: %sNo such file: %sNo such wiki defined: %sNo templates installedNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Document FolderOpen _Document RootOpen _Notebook FolderOpen _PageOpen in New _WindowOpen new pageOpen with "%s"OptionalOptionsOptions for plugin %sOther...Output fileOutput folderOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage "%s" does not have a folder for attachmentsPage NamePage TemplateParagraphPlease enter a comment for this versionPlease note that linking to a non-existing page also creates a new page automatically.Please select a name and a folder for the notebook.Please select more than one line of text, first.PluginPluginsPortPosition in the windowPr_eferencesPreferencesPrint to BrowserProfilePromoteProper_tiesPropertiesPushes events to the Zeitgeist daemon.Quick NoteQuick Note...Recent ChangesRecent Changes...Recently _Changed pagesReformat wiki markup on the flyRemove links from %i page linking to this pageRemove links from %i pages linking to this pageRemove links when deleting pagesRemoving LinksRename PageRename page "%s"Repeated clicking a checkbox cyles through the checkbox statesReplace _AllReplace withRestore page to saved version?RevRight Side PaneS_ave Version...Save A _Copy...Save CopySave VersionSaved version from zimScoreScreen background colorSearchSearch Pages...Search _Backlinks...Select FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionServer not startedServer startedServer stoppedShow All PanesShow Attachment BrowserShow Link MapShow Side PanesShow ToC as floating widget instead of in sidepaneShow _ChangesShow a separate icon for each notebookShow calendar in sidepane instead of as dialogShow in the toolbarShow the cursor also for pages that can not be editedSingle _pageSizeSome error occurred while running "%s"Sort alphabeticallySort pages by tagsSpell CheckerStart _Web ServerStrikeStrongSy_mbol...System DefaultTable of ContentsTagsTags for non-actionable tasksTaskTask ListTemplateTemplatesTextText FilesText From _File...Text background colorText foreground colorThe file or folder you specified does not exist. Please check if you the path is correct.The folder %s does not yet exist. Do you want to create it now?The folder "%s" does not yet exist. Do you want to create it now?The inline calculator plugin was not able to evaluate the expression at the cursor.There are no changes in this notebook since the last version that was savedThis could mean you don't have the proper dictionaries installedThis file already exists. Do you want to overwrite it?This page does not have an attachments folderThis plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds an extra widget showing a list of pages linking to the current page. This is a core plugin shipping with zim. This plugin adds an extra widget showing a table of contents for the current page. This is a core plugin shipping with zim. This plugin adds settings that help using zim as a distraction free editor. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin adds version control for notebooks. This plugin supports the Bazaar, Git and Mercurial version control systems. This is a core plugin shipping with zim. This plugin allows you to embed arithmetic calculations in zim. It is based on the arithmetic module from http://pp.com.mx/python/arithmetic. This plugin allows you to quickly evaluate simple mathematical expressions in zim. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on Ditaa. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a dialog with a graphical representation of the linking structure of the notebook. It can be used as a kind of "mind map" showing how pages relate. This is a core plugin shipping with zim. This plugin provides a page index filtered by means of selecting tags in a cloud. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides a workaround for the lack of printing support in zim. It exports the current page to html and opens a browser. Assuming the browser does have printing support this will get your data to the printer in two steps. This is a core plugin shipping with zim. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin provides an score editor for zim based on GNU Lilypond. This is a core plugin shipping with zim. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). This usually means the file contains invalid charactersTitleTo continue you can save a copy of this page or discard any changes. If you save a copy changes will be also discarded, but you can restore the copy later.ToCTo_dayTodayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTop LeftTop PaneTop RightTray IconTurn page name into tags for task itemsTypeUnindent on (If disabled you can still use )UnknownUntaggedUpdate %i page linking to this pageUpdate %i pages linking to this pageUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse a custom fontUse a page for eachUse the key to follow links (If disabled you can still use )VerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsVertical marginView _AnnotatedView _LogWeb ServerWeekWhen reporting this bug please include the information from the text box belowWhole _wordWidthWiki page: %sWord CountWord Count...WordsYearYesterdayYou are editing a file in an external application. You can close this dialog when you are doneYou can configure custom tools that will appear in the tool menu and in the tool bar or context menus.Zim Desktop WikiZoom _Out_About_All Panes_Arithmetic_Back_Browse_Bugs_Calendar_Child_Clear Formatting_Close_Collapse All_Contents_Copy_Copy Here_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Ditaa_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Edit Score_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move_Move Here_Move Page..._New Page..._Next_Next in index_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Parent_Paste_Preview_Previous_Previous in index_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Side by Side_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Incalendar:week_start:0readonlysecondstranslator-creditsProject-Id-Version: zim Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2013-04-14 19:38+0000 Last-Translator: Andrej Znidarsic Language-Team: Slovenian MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=4; plural=(n%100==1 ? 1 : n%100==2 ? 2 : n%100==3 || n%100==4 ? 3 : 0); X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) ukaz %(cmd)s je vrnil stanje končanja %(code)i%A, %d. %B %Y%i_ prilog%i_ priloga%i_ prilogi%i_ priloge%i_Povratnih povezav ...%i_Povratna povezava ...%i_Povratni povezavi ...%i_Povratne povezave ...%i datotek bo izbrisanih%i datoteka bo izbrisana%i datoteki bosta izbrisani%i datoteke bodo izbrisane%i odprtih predmetov%i odprt predmet%i odprta predmeta%i odprti predmeti(Odstranitev)Zamik na predmetu seznama spremeni tudi podpredmeteNamizni wikiDatoteka z imenom "%s" že obstaja. Uporabite lahko drugo ime ali prepišete obstoječo datoteko.Menijem dodaj 'odtrgljive' trakoveDodaj programDodajanje beležkeDoda podporo črkovanja z uporabo gtkspell. To je jedrni vstavek, ki je del zim. Vse datotekeVsa opravilaDovoli javni dostopPri odpiranju strani vedno uporabi zadnji položaj kazalcaMed ustvarjanjem slike je prišlo do napake. Ali vseeno želite shraniti izvorno besedilo?Vir zabeležene straniAritmetikaPriloži datotekoPripni _datotekoPripni zunanjo datotekoNajprej pripni slikoBrskalnik prilogPrilogeAvtorSamodejno shranjena različica z zimSamodejno izberi trenutno besedo ob uveljavitvi oblikovanjaSamodejno pretvori besede "CamelCase" v povezaveSamodejno pretvori poti datotek v povezaveSamodejno shrani različico ob rednih obdobjihPovratne povezavePladenj povratnih povezavZaledjeBazaarSpodaj levoSpodnji pladenjSpodaj desnoBrskajVrs_tični seznam_NastaviKole_darKoledarNi mogoče spremeniti strani: %sPrekličiZajemi celoten zaslonSpremembeZnakiPreveri _črkovanjeS_eznam spustnih poljIzbira izbirnega polja bo spremenila tudi podpredmeteObičajna ikona sistemske vrstice en uporabite nove ikone stanja na UbuntujuPočistiUkazUkaz ne spremeni podatkovOpombaSkupna noga vključiSkupna glava vključiCelotna _beležkaNastavi programeNastavi vstavekNastavite program za odpiranje povezav "%s"Nastavite program za odpiranje datotek vrste "%s"Obravnavaj vsa izbirna polja kot nalogeKopiraj naslov elektronske pošteKopiraj predlogoKopiraj _kot ..._Kopiraj povezavoKopiraj _mestoBeležke ni bilo mogoče najti: %sNi mogoče najti datoteke ali mape za to beležkoNi mogoče odpreti: %sNi mogoče razčleniti izrazaNi mogoče brati: %sNi mogoče shraniti strani: %sUstvari novo stran za vsako sporočilceAli želite ustvariti mapo?I_zrežiOrodja po meri_Orodja po meriPrilagodi ...DatumDanPrivzetoPrivzeta oblika za kopiranje besedila na odložiščePrivzeta beležkaZamikIzbris straniAli želite izbrisati stran "%s"?Nižja ravenOdvisnostiOpisPodrobnostiDia_gram ...Ali želite zavreči sporočilo?Urejanje brez motenjAli želite obnoviti stran: %(page)s na shranjeno različico: %(version)s? Vse spremembe od zadnjega shranjevanja bodo izgubljene!Koren dokumenta_Izvozi ...Uredi orodje po meriUrejanje slikeUredi povezavoUredi _virUrejanjeUrejanje datoteke: %sPoudariAli želite omogočiti nadzor različic?OmogočenoOceni _matematikoRazširi _vseIzvoziIzvažanje beležkeSpodleteloPoganjanje je spodletelo: %sZaganjanje programa je spodletelo: %sDatoteka že obstaja_Predloge datotek ...Datoteka se je spremenila na disku: %sDatoteka že obstajaV datoteko ni mogoče pisati: %sVrsta datoteke ni podprta: %sIme datotekeFilterNajdiNajdi _naslednjeNajdi _predhodnoNajdi in zamenjajBesedilo iskanjaOznači naloge, ki imajo rok v ponedeljek ali torek pred vikendomMapaMapa že obstaja in ima vsebino. Izvoz v to mapo lahko prepiše obstoječe datoteke. Ali želite nadaljevati?Mapa obstaja: %sMape s predlogami za datoteke prilogZa napredno iskanje lahko uporabite operatorje kot AND, OR in NOT. Oglejte si stran pomoči za več podrobnosti.O_blikaOblikaGitGnuplotPojdi domovPojdi stran nazajPojdi stran naprejPojdi na podrejeno stranPojdi na naslednjo stranPojdi na nadrejeno stranPojdi na predhodno stranNaslov 1Naslov 2Naslov 3Naslov 4Naslov 5Naslov_1Naslov_2Naslov_3Naslov_4Naslov_5VišinaSkrij menijsko vrstico v celozaslonskem načinuSkrij vrstico poti v celozaslonskem načinuSkrij vrstico stanja v celozaslonskem načinuSkrij orodno vrstico v celozaslonskem načinuDomača stranIkonaIkone i_n besediloSlikeUvozi stranKazaloKazaloMedvrstično računaloVstavi datum in časVstavi diagramVstavi DitaaVstavi enačboVstavi GNU R grafVstavi GnuplotVstavi slikoVstavljanje povezaveVstavljanje partitureVstavi zaslonski posnetekVstavi simbolVstavljanje besedila iz datotekeVstavi diagramVstavi slike kot povezavoVmesnikKljučna beseda medwikiDnevnikSkoči naSkoči na stranOznake za označevanje nalogZadnja spremembaPustite povezavo za ustvaritev nove straniLevi stranski pladenjRazvrščevalnik vrsticVrsticeZemljevid povezavPoveži datoteke pod korenom dokumenta s polno potjo datotekPoveži naMestoBeleži dogodke s programom ZeitgeistDnevniška datotekaVideti je,da ste našli hroščaNaredi program privzetPreslikaj koren dokumenta v URLOznačiUjemanje _velikosti črkNajvečja širina straniMercurialSpremenjenoMesecPremakni stranPremakni izbrano besedilo ...Premakni besedilo na drugo stranPremakni stran "%s"Premakni besedilo vImeNova datotekaNova stranNova po_dstran ...Nova podstranNova _prilogaNi bilo najdenih programovNi sprememb od zadnje različiceBrez odvisnostiNi takšne datoteka ali mape: %sNi takšne datoteke: %sTakšnega wikija ni določena: %sNi nameščenih predlogBeležkaLastnosti beležke_Uredljiva beležkaBeležkeV reduOdpri _mapo prilogOdpri mapoOdpri beležkoOdpri z ...Odpri mapo _dokumentaOdpri koren _dokumentaOdpri mapo _beležkOdpri _stranOdpri v novem _oknuOdpri novo stranOdpri s programom "%s"IzbirnoMožnostiMožnosti za vstavek %sDrugo ...Izhodna datotekaIzhodna mapaPrepišiVrstica _potiStranStran "%s" in vse njene podstrani in priloge bodo bile izbrisaneStran "%s" nima mape za prilogeIme straniPredloga straniOdstavekVnesite opombo za to različicoPovezovanje na neobstoječo stran samodejno ustvari tudi novo stran.Izberite ime in mapo za beležko.Najprej izberite eno ali več vrstic besedilaVstavekVstavkiVrataPoložaj v oknu_MožnostiMožnostiNatisni v brskalnikProfilVišja raven_LastnostiLastnostiObjavi dogodke v ozadnjemu programu Zeitgeist.Hitro sporočilceHItro sporočilce ...Nedavne spremembeNedavne spremembe ...Strani nedavno _spremenjenoSproti preoblikuj označevanje wikiOdstrani povezave iz %i strani, ki se povezujejo na to stranOdstrani povezave iz %i strani, ki se povezuje na to stranOdstrani povezave iz %i strani, ki se povezujeta na to stranOdstrani povezave iz %i strani, ki se povezujejo na to stranOdstrani povezave ob izbrisu straniOdstranjevanje povezavPreimenuj stranPreimenuj stran "%s"Povaljajoče klikanje izbirnega polja kroži skozi njegova stanjaZamenjaj _vseZamenjaj zAli želite stran obnoviti na shranjeno različico?RazličicaDesni stranski pladenjS_hrani različico ...Shrani _kopijo ...Shrani kopijoShrani različicoShranjena različica iz programa zimRezultatBarva ozadja zaslonaIskanjeIskanje strani ...Iskanje _povratnih povezav ...Izbor datotekeIzbor mapeIzbor slikeIzberite različico za ogled sprememb med tisto različico in trenutnim stanjem. Izberete lahko več različic za ogled sprememb med njimi. Izberite obliko izvozaIzberite izhodno datoteko ali mapoIzberite strani za izvozIzberite okno ali področjeIzborStrežnik se ni zagnalStrežnik se je zagnalStrežnik se je zaustavilPokaže vse pladnjePokaži brskalnik prilogPokaži zemljevid povezavPrikaže stranske pladnjePokaži gradnik kazala vsebine kot ledbeč gradnik namesto v stranskem pladnjuPokaži _spremembePokaži ločeno ikono za vsako beležkoPokaže koledar v stranskem pladnju namesto v pogovornem oknuPrikaži v orodni vrsticiPokaži kazalko tudi za strani, ki jih ni mogoče urejatiPosamezna _stranVelikostMed poganjanjem "%s" je prišlo do napakeRazvrsti po abecediRazvrsti strani po oznakahČrkovalnikZaženi _spletni strežnikPrečrtajMočnoSi_mbol ...Privzete sistemske vrednostiKazalo vsebineOznakeOznake za naloge brez dejanjNalogaSeznam nalogPredlogaPredlogeBesediloBesedilne datoteke_Besedilo iz datoteke ...Barva ozadja besedilaBarva ospredja besedilaNavedena datoteka ali mapa ne obstaja. Preverite, če je pot pravilna.Mapa %s še ne obstaja. Ali jo želite ustvariti zdaj?Mapa "%s" še ne obstaja. Ali jo želite ustvariti zdaj?Medvstični vstavek računala ni mogel oceniti izraza na kazalki.V tej beležki od shranjevanja zadnje različice ni bilo spremembTo lahko pomeni, da nimate nameščenih ustreznih slovarjevTa datoteka že obstaja. Ali jo želite prepisati?Ta stran nima mape prilogTa vstavek omogoča zajemanje zaslonskega posnetka in njegovo neposredno vstavljanje v stran zim. To je jedrni vstavek, ki je del zim. Ta vstavek doda pogovorno okno, ki prikazuje vse odprte naloge v tej beležki. Odprte naloge so lahko odprta izbira polja ali stvari označene z oznakami "TODO" ali "FIXME". To je jedrni vstavek, ki je del zim. Ta vstavek doda pogovorno okno za hitro spuščanje besedila ali vsebine odložišča na stran zim. To je jedrni vstavek, ki je del zim. Ta vstavek doda ikono sistemske vrstice za hiter dostop. Ta vstavek zahteva Gtk+ 2.10 ali noveši. To je jedrni vstavek, ki je del zim. Ta vstavek doda dodaten gradnih, ki prikazuje seznam strani, ki se povezujejo s trenutno stranjo. To je jedrni vstavek, ki je del zim. Ta vstavek doda dodaten gradnik, ki pokaže preglednico vsebine trenutne strani. To je osnovni vstavek, ki pride s programom zim. Ta vstavek doda nastavitev, ki pomaga pri uporabi programa zim brez motenj. Ta vstavek doda pogovorno okno 'Vstavi simbol' in omogoča samodejno oblikovanje tipografskih znakov. To je jedrni vstavek, ki je del zim. Ta vstavek doda nadzor različic za beležke. Ta vstavek podpira sisteme za nadzor različic Bazaar, Git in Mercurial. To je jedrni vstavek, ki je del zim. Vstavek vam omogoča vstavitev arimetričnih izračunov v zim. Osnovan je na aritmetričnem modulu iz http://pp.com.mx/python/arithmetic. Ta vstavek vam omogoča hitro oceno enostavnih matematičnih izrazov v zimu. To je jedrni vstavek, ki je del zim. Ta vstavek zagotavlja urejevalnik diagramov osnovan na Ditaa. To je jedrni vstavek, ki je del zim. Ta vstavek zagotavlja urejevalnik diagramov za zim osnovan na GraphViz. To je jedrni vstavek, ki je del zim. Ta vstavek zagotavlja pogovorno okno z grafično predstavitvijo strukture povezav beležke. Uporabiti ga je mogoče kot neke vrste "miselni vzorec", ki kaže, kako se strani povezujejo. Ta vstavek zagotavlja kazalo strani, ki je filtrirano z izbiro oznak v oblaku. Ta vstavek zagotavlja urejevalnik grafov za zim osnovan na GNU R. Ta vstavek zagotavlja urejevalnik grafov za na zimu osnovan Gnuplot. Ta vstavek zagotavlja izogibanje pomanjkanju podpore za tiskanje v programu zim. Trenutno stran izvozi v html in jo odpre v brskalniku. V primeru, da brskalnik podpira tiskanje, boste lahko svoje podatke natisnili v dveh korakih. To je jedrni vstavek, ki je del zim. Ta vstavek zagotavlja urejevalnik enačb za zim osnovan na latexu. To je jedrni vstavek, ki je del zim. Ta vstavek zagotavlja urejevalnik partitur za zim osnovan na GNU Lilypond. Je je jedrni vstavek, ki je del zim. Ta vstavek razvrsti izbrane vrstice v abecednem vrstnem redu. V primeru da je seznam že razvrščen, bo bil vrstni red obrnjen. (A-Ž v Ž-A). To običajno pomeni, da datoteka vsebuje neveljavne znakeNaslovZa nadaljevanje lahko shranite kopijo te strani ali zavržete vse spremembe. Tudi v primeru shranjevanja kopije bodo vse spremembe zavržene, vendar lahko kopijo pozneje obnovite.Kazalo vsebineD_anesDanesPreklopi izbirno polje 'V'Preklopi izbirno polje 'X'Preklopi uredljivost beležkeZgoraj levoZgornji pladenjZgoraj desnoIkona sistemske vrsticePretvori ime strani v oznake za predmete nalogVrstaOdstrani zamik ob (Če je onemogočeno, lahko še vedno uporabite )NeznanoNeoznačenoPodosobi %i strani, ki se povezujejo na to stranPodosobi %i stran, ki se povezuje na to stranPodosobi %i strani, ki se povezujeta na to stranPodosobi %i strani, ki povezujejo na to stranPosodobi kazaloPosodobi glavo te straniPosodabljanje povezavPosodabljanje kazalaUporabi pisavo po meriUporabi stran za vsakoUporabite za slednje povezavam (V primeru, da je onemogočeno, lahko še vedno uporabite )VerbatimNadzor različicNadzor različic v tej beležki trenutno ni omogočen. Ali ga želite omogočiti?RazličiceNavpični odmikOgled _zabeležkePokaži _dnevnikSpletni strežnikTedenPri poročanju tega hrošča vključite podrobnosti iz besedilnega polja spodajCelotna _besedaŠirinaStrani Wiki: %sŠtetje besedŠtevilo besed ...BesedeLetoVčerajDatoteko urejate v zunanjem programu. To pogovorno okno lahko zaprete, ko končateNastavite lahko orodja po meri, ki se bodo pojavila v orodnem meniju v v orodni vrstici ali vsebinskih menijih.Namizni Wiki ZimO_ddalji_O Programu_Vsi pladnji_AritmetikaNa_zaj_Prebrskaj_Hrošči_Koledar_Podrejeni predmetPo_čisti oblikovanjeZa_pri_Zloži vseV_sebina_Kopiraj_Kopiraj sem_Datum in čas ..._Izbriši_Izbriši stran_Zavrzi spremembe_Uredi_Vstavi Ditaa_Uredi enačbo_Uredi GNU R graf_Uredi Gnuplot_Uredi povezavoUr_edi povezavo ali predmet ..._Uredi lastnosti_Uredi partituro_Poudari_V&O_Datoteka_Najdi ..._Naprej_Celozaslonski način_PojdiPomo_č_Poudari_Zgodovina_DomovLe _ikone_Sliko ..._Uvozi stran ..._Vstavi_Skoči na ..._Tipkovne bližnjice_Velike ikone_Povezava_Povezava na datumPo_vezavo ..._Označi_Več_Premakni_Premakni sem_Premakni stran ..._Nova stran ..._Naslednji_Naslednja v kazalu_BrezO_bičajna velikost_Oštevilčen seznam_Odpri_Odpri drugo beležko ..._Drugo ..._StranN_adrejeni predmet_Prilepi_Predogled_PredhodniP_redhodna v kazalu_Natisni v brskalnik_Hitro sporočilce ..._Končaj_Nedavne strani_UveljaviLogični izraz_Znova naloži_Odstrani povezavoP_reimenuj stran ..._Zamenjaj_Zamenjaj ..._Ponastavi velikost_Obnovi različico_Shrani_Shrani kopijo_Zaslonski posnetek ..._Iskanje_Iskanje ...Pošlji _na ..._Stranski pladnjiStran _ob strani_Male ikone_Razvrsti vrstice_Vrstica stanja_Prečrtaj_MočnoPo_dpisano_Nadpisano_Predloge_Le besedilo_Drobcene ikone_Danes_Orodna vrstica_Orodja_Razveljavi_Verbatim_Različice ...Po_gled_Približajcalendar:week_start:1le za branjesekundeLaunchpad Contributions: Andrej Znidarsic https://launchpad.net/~andrej.znidarsic Sasa Batistic https://launchpad.net/~sasa-batistic Vanja Cvelbar https://launchpad.net/~cvelbar c0dehunter https://launchpad.net/~kralj-primozzim-0.68-rc1/locale/sk/0000755000175000017500000000000013224751170014457 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/sk/LC_MESSAGES/0000755000175000017500000000000013224751170016244 5ustar jaapjaap00000000000000zim-0.68-rc1/locale/sk/LC_MESSAGES/zim.mo0000644000175000017500000005234613224750472017416 0ustar jaapjaap00000000000000w   V 3&Z p {   $/%1 W d oy   - 9DS3o   -26>O Ua s      ':A _ kw vQckr         ) 4 ?J Q[lq      -CR hr       ' 8 E U s       !!'!;!J!R!h! q! }! !!!C! ! ! !' "31"0e"""" " "" " " " "## 6#W# f#r# # ### # #### $ $ "$/$$ $$% ,%6%I%X% g% u%.%% %%% %% && &%&4&9& >&H&Q& V&a&At&K&6'x9''{())k*;*=*j*i++++ ,, 7, A,N,n,},!,,,,,U,C-L- \-f- k-w- }- ---- -- ---- - ---. .!.'.9. A.N._.e.t. . ... ..... ... /// / */4/D/ L/ X/ e/r/ x//// / /// //// /0000 &000B0Q0 W0e0k00 000 0 000 000 0 1 1 !1 .1 :1E1M1 U1 `1 m1 x1 11111 1 1111111 3333o4~4C44 445545H5 Q5[5#a505955 6 6 6%6?6E6K6c6z66 6666677&17AX77"7.78 8 (868I8]8d8 i8u8 888 8 88 8 889!909 @9K9T9 o9 y9999%999#:%:4:;:D:V:p: :k::;;#;A;E;M;f;~;; ;;;;;; ; < < < $<.<6<I<_< e<s<|<<<<<<<==!= <=J=c=t= == ==== ==>>#>B>Q>p>w>>>>>>>!>?!? 6?A?X? r?~?!???? ?@@-@4@R@Z@l@ @@@?@ @@A*AA9A){AAAA A AA A BB#B8B$MB'rBBBBB BBC#C3CCC[CdC~CCCC?D*WDDDDDDDDE@#EdEE EEEE EEEEF"F )F 6F@FEFVF:jFRF/F(GGHJI JlJAK8SKgK`KUL\L&bL&LLLL$L#M9M(NMwMM MMQMN!N7N IN SN`N hNtNNNN N N NN NN NNOO /O:O AOOOaOjOzO OOOOOOO PP!P )P5P>PRP [P fP sP~P P PP PPPPPP QQ#Q)Q?Q RQ\QeQzQ Q Q Q QQ Q Q QR!R7R?RSRZR mRwRR R RRR RRR S S%S4S DSQSbSsSS S S S SSSS SS S T T T%T6T>T%A %d %B %YA desktop wikiAdd ApplicationAdd NotebookAdds spell checking support using gtkspell. This is a core plugin shipping with zim. All FilesAlways use last cursor position when opening a pageAnnotated Page SourceArithmeticAttach FileAttach _FileAttach external fileAttachment BrowserAttachmentsAttachments:AuthorAutomatically saved version from zimAutomatically turn "CamelCase" words into linksAutosave version on regular intervalsBulle_t ListC_onfigureCalen_darCalendarCapture whole screenChangesCharactersCheck _spellingCheckbo_x ListCommandCommand does not modify dataCommentComplete _notebookConfigure PluginCopy Email AddressCopy _As...Copy _LinkCopy _LocationCould not find notebook: %sCould not find the file or folder for this notebookCould not parse expressionCould not save page: %sCreate a new page for each noteCreate folder?CreatedCu_tCustom ToolsCustom _ToolsDateDayDefaultDefault notebookDelayDelete PageDelete page "%s"?DependenciesDescriptionDetailsDia_gram...E_xport...Edit Custom ToolEdit ImageEdit LinkEdit _SourceEditingEmphasisEnable Version Control?EnabledExportExport completedExporting notebookFailedFailed to run application: %sFile ExistsFile existsFile type not supported: %sFilenameFilterFindFind Ne_xtFind Pre_viousFind and ReplaceFolderFolder already exists and has content, exporting to this folder may overwrite existing files. Do you want to continue?Folder exists: %sFor_matFormatGet more templates onlineGitGnuplotGo homeGo page backGo page forwardGo to next pageGo to previous pageHeading 1Heading 2Heading 3Heading 4Heading 5Heading _1Heading _2Heading _3Heading _4Heading _5HeightHome PageHorizontal _LineIconIcons _And TextImagesImport PageIndex pageInsert Date and TimeInsert DiagramInsert EquationInsert GNU R PlotInsert GnuplotInsert ImageInsert LinkInsert ScreenshotInsert SymbolInsert Text From FileInsert diagramInsert images as linkInterfaceInterwiki KeywordJump toJump to PageLine SorterLinesLink MapLink toLocationLog fileLooks like you found a bugMarkMatch _caseMonthMove PageMove page "%s"NameNew PageNew S_ub Page...New Sub PageNew _AttachmentNo changes since last versionNo dependenciesNo such file: %sNotebookNotebook PropertiesNotebook _EditableNotebooksOKOpen Attachments _FolderOpen FolderOpen NotebookOpen With...Open _Notebook FolderOpen in New _WindowOpen with "%s"OptionsOptions for plugin %sOther...Output fileOutput folderOverwriteP_athbarPagePage "%s" and all of it's sub-pages and attachments will be deletedPage NamePage TemplateParagraphPlease enter a comment for this versionPlease select a name and a folder for the notebook.Please select more than one line of text, first.PluginPluginsPortPr_eferencesPreferencesPrint to BrowserProper_tiesPropertiesQuick NoteQuick Note...Recent Changes...Reformat wiki markup on the flyRemove links when deleting pagesRemoving LinksRename PageRename page "%s"Replace _AllReplace withS_ave Version...Save A _Copy...Save CopySave VersionSaved version from zimSearchSearch _Backlinks...Select FileSelect FolderSelect ImageSelect a version to see changes between that version and the current state. Or select multiple versions to see changes between those versions. Select the export formatSelect the output file or folderSelect the pages to exportSelect window or regionSelectionServer not startedServer startedServer stoppedShow Link MapShow _ChangesShow calendar in sidepane instead of as dialogShow in the toolbarSingle _pageSizeSort alphabeticallySpell CheckerStart _Web ServerStrikeStrongSy_mbol...System DefaultTagsTaskTask ListTemplateTextText FilesText From _File...The folder "%s" does not yet exist. Do you want to create it now?There are no changes in this notebook since the last version that was savedThis file already exists. Do you want to overwrite it?This plugin allows taking a screenshot and directly insert it in a zim page. This is a core plugin shipping with zim. This plugin adds a dialog showing all open tasks in this notebook. Open tasks can be either open checkboxes or items marked with tags like "TODO" or "FIXME". This is a core plugin shipping with zim. This plugin adds a dialog to quickly drop some text or clipboard content into a zim page. This is a core plugin shipping with zim. This plugin adds a tray icon for quick access. This plugin depends on Gtk+ version 2.10 or newer. This is a core plugin shipping with zim. This plugin adds the 'Insert Symbol' dialog and allows auto-formatting typographic characters. This is a core plugin shipping with zim. This plugin provides a diagram editor for zim based on GraphViz. This is a core plugin shipping with zim. This plugin provides a plot editor for zim based on GNU R. This plugin provides a plot editor for zim based on Gnuplot. This plugin provides an equation editor for zim based on latex. This is a core plugin shipping with zim. This plugin sorts selected lines in alphabetical order. If the list is already sorted the order will be reversed (A-Z to Z-A). TitleTo_dayToggle Checkbox 'V'Toggle Checkbox 'X'Toggle notebook editableTray IconUpdate IndexUpdate the heading of this pageUpdating LinksUpdating indexUse %s to switch to the side paneUse a custom fontUse a page for eachVerbatimVersion ControlVersion control is currently not enabled for this notebook. Do you want to enable it?VersionsView _AnnotatedView _LogWeekWhole _wordWidthWord CountWord Count...WordsYearZim Desktop WikiZoom _Out_About_Arithmetic_Back_Browse_Bugs_Calendar_Checkbox_Child_Clear Formatting_Close_Contents_Copy_Date and Time..._Delete_Delete Page_Discard Changes_Edit_Edit Equation_Edit GNU R Plot_Edit Gnuplot_Edit Link_Edit Link or Object..._Edit Properties_Emphasis_FAQ_File_Find..._Forward_Fullscreen_Go_Help_Highlight_History_Home_Icons Only_Image..._Import Page..._Insert_Jump To..._Keybindings_Large Icons_Link_Link to date_Link..._Mark_More_Move Page..._New Page..._Next_None_Normal Size_Numbered List_Open_Open Another Notebook..._Other..._Page_Parent_Paste_Preview_Previous_Print to Browser_Quick Note..._Quit_Recent pages_Redo_Regular expression_Reload_Remove Link_Rename Page..._Replace_Replace..._Reset Size_Restore Version_Save_Save Copy_Screenshot..._Search_Search..._Send To..._Side Panes_Small Icons_Sort lines_Statusbar_Strike_Strong_Subscript_Superscript_Templates_Text Only_Tiny Icons_Today_Toolbar_Tools_Undo_Verbatim_Versions..._View_Zoom Inreadonlysecondstranslator-creditsProject-Id-Version: zim Report-Msgid-Bugs-To: POT-Creation-Date: 2017-06-12 14:43+0200 PO-Revision-Date: 2017-10-21 19:36+0000 Last-Translator: Robert Hartl Language-Team: Slovak MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Plural-Forms: nplurals=3; plural=(n==1) ? 1 : (n>=2 && n<=4) ? 2 : 0; X-Launchpad-Export-Date: 2018-01-08 19:08+0000 X-Generator: Launchpad (build 18521) %A %d %B %YDesktopová wikiPridať aplikáciuPridať zápistníkPridá podporu pre kontrolu pravopisu pomocou gtkspell. Toto je základný zásuvný modul dodávaný so zim. Všetky súboryVždy použiť posledné umiestnenie kurzora pri otvorení stránkyOkomentovaný zdroj stranyVýpočtyPripojiť súborPripojiť _súborPripojiť externý súborPrehliadač prílohPrílohyPrílohy:AutorAutomaticky uložená verzia zo zimAutomaticky vytvárať odkazy zo ZloženýchSlovAutomatické uloženie verzie v pravidelných intervalochOd_rážkový zoznam_Nastaviť_KalendárKalendárZachytiť celú obrazovkuZmenyZnakySkontrolovať _pravopisZ_aškrtávací zoznamPríkazPríkaz nezmení dátaKomentárCelý _zápisníkNastavenie zásuvného moduluKopírovať e-mailovú adresuKopírovať _ako...Kopírovať _odkazKopírovať _umiestnenieNie je možné nájsť zápisník: %sNie je možné nájsť súbor alebo priečinok tohoto zápisníkaVýraz je nezrozumiteľnýNie je možné uložiť stranu: %sVytvoriť novú stránku pre každú poznámkuVytvoriť priečinok?Vytvorené_VystrihnúťVlastné nástrojeVlastné _nástrojeDátumDeňPredvolenýPredvolený zápisníkOneskorenieZmazať stranuZmazať stranu "%s"?ZávislostiPoznámkaDetaily_Diagram..._ExportovaťUpraviť vlastné nástrojeUpraviť obrázokUpraviť odkazUpraviť _zdrojEditovanieKurzívaPovoliť kontrolu verzií?PovolenéExportovaťExport bol dokončenýExport zápisníkaZlyhaloNepodarilo sa spustiť aplikáciu: %sSúbor už existujeSúbor existujeTyp súboru nie je podporovaný: %sNázov súboruFilterHľadaťNájsť ď_alšieNájsť _predchádzajúceNájsť a nahradiťPriečinokPriečinok už existuje a obsahuje súbory, hrozí, že pri exporte budú prepísané. Chcete pokračovať?Priečinok %s existuje_FormátFormátZískať viac šablón onlineGitGnuplotPrejsť domovskú stranuPrejsť o stranu späťPrejsť o stranu vpredÍsť na ďalšiu stranuÍsť na predchádzajúcu stranuNadpis 1Nadpis 2Nadpis 3Nadpis 4Nadpis 5Nadpis _1Nadpis _2Nadpis _3Nadpis _4Nadpis _5VýškaDomovská stránka_Horizontálna čiaraIkonaIkony _a textObrázkyImportovať stranuStránka s indexomVložiť dátum a časVložiť diagramVložiť rovnicuVložiť graf GNU RVložiť GnuplotVložiť obrázokVložiť odkazVložiť snímok obrazovkyVložiť znakVložiť text zo súboruVložiť diagramVložiť obrázky ako odkazRozhraniekľúčové slovo interwikiSkočiť naSkočiť na stranuZoraďovač riadkovRiadkovMapa odkazovOdkaz naMiestoSúbor záznamuPravdepodobne ste narazili na chybuPodčiarknuté_Rozlišovať veľkosť písmaMesiacPresunúť stranuPresunúť stranu "%s"NázovNová stránkaNová _podstránka...Nová podstránkaNová _prílohaŽiadne zmeny od poslednej verzieBez závislostíSúbor %s neexistujeZápisníkVlastnosti zápisníka_Upraviteľný zápisníkZápisníkyOKOtvoriť priečinok s _prílohamiOtvoriť priečinokOtvoriť zápisníkOtvoriť pomocou...Otvoriť priečinok _zápisníkaOtvoriť v novom _okneOtvoriť pomocou "%s"VoľbyVoľby pre zásuvný modul %sIné...Výstupný súborVýstupný priečinokPrapísaťPanel _umiestneniaStránkaStrana "%s" a všetky jej podstránky a prílohy budú zmazanéNázov stranyŠablóna stranyOdsekZadajte prosím komentár pre túto verziuZadajte, prosím, názov a umiestnenie priečinka pre zápisník.Vyberte najprv aspoň jeden riadok textu.Zásuvný modulZásuvné modulyPort_MožnostiNastaveniaTlačiť to prehliadača_VlastnostiVlastnostiRýchla poznámkaRýchla poznámka...Posledné úpravy...Preformátovať wiki značky za behuOdstrániť odkazy pri mazaní stránokOdstraňovanie odkazovPremenovať stranuPremenovať stranu "%s"Nahradiť _všetkyNahradiť zaU_ložiť verziu...Uložiť kópiu...Uložiť kópiuUložiť verziuUložená verzia zo zimHľadaťHľadať _spätné odkazyVybrať súborVybrať priečinokVybrať obrázokVyberte verziu pre zobrazenie zmien medzi ňou a súčasným stavom. Alebo vyberte viac verzií pre zobrazenie zmien medzi týmito verziami. Vyberte formát exportuVyberte výstupný súbor alebo priečinokVyberte stránky pre exportVybrať okno alebo oblasťVýberServer nie je spustenýServer spustenýServer zastavenýZobraziť mapu odkazovZobraziť _zmenyZobraziť kalendár v bočnom paneli namiesto dialógového oknaZobraziť na paneli nástrojovJednu _stránkuVeľkosťZoradiť abecedneKontrola pravopisuSpustiť _webový serverPreškrtnutéTučné_Znak...Predvolené nastavenie systémuZnačkyÚlohaZoznam úlohŠablónaTextTextové súboryText zo _súboru...Priečinok "%s" ešte neexistuje. Prajete si ho vytvoriť?V tomto zápisníku neboli vykonané žiadne zmeny od posledného uloženia verzieTento súbor už existuje Chcete ho prepísať?Tento zásuvný modul zhotoví snímku obrazovky a priamo ju vloží na stránku zim. Toto je základný modul dodávaný so Zimom. Tento modul pridáva dialógové okno zobrazujúce všetky otvorené úlohy v zápisníku. Otvorené úlohy sú buď nezaškrtnuté prepínače alebo položky označené slovami ako TODO alebo FIXME. Je to základní modul dodávaný so Zimom. Tento modul pridáva dialóg, pomocou ktorého môžete do stránky rýchlo pridať nejaký text alebo obsah schránky. Je to základný modul dodávaný so Zimom. Tento zásuvný modul pridáva ikonu v oznamovacej oblasti pre rýchly prístup. Tento zásuvný modul závisí na Gtk+ verzie 2.10 alebo novšej. Je to základný modul dodávaný so Zimom. Tento modul pridáva dialóg 'Vložiť symbol' a umožňuje automaticky formátovať typografické znaky. Je to základní modul dodávaný so Zimom. Tento modul poskytuje editor diagramov založený na GraphViz. Je to základný modul dodávaný so Zimom. Tento modul poskytuje editor diagramov, schém a grafov v GNU R. Modul poskytuje editor pre grafy založené na Gnuplote Tento modul poskytuje editor rovníc založený na LaTeX. Je to základný modul dodávaný so Zimom. Modul zoradí označené riadky podľa abecedy. Ak je zoznam už zoradený, poradie sa obráti. Názov_DnesPrepnúť zaškrtávacie políčko 'V'Prepnúť zaškrtávacie políčko 'X'Prepnúť úpravy zápisníkaIkona v oznamovacej oblastiAktualizovať indexAktualizovať hlavičku tejto stranyAktualizácia odkazovAktualizácia indexuPoužiť %s k prepnutiu na bočný panelPoužiť vlastné písmoPoužiť stránku pre každyStrojopisKontrola verziíKontrola verzii nie je práve povolená pre tento zápisník. Chcete ju povoliť?VerzieZobraziť _komentárePozrieť _záznamTýždeňCelé _slovoŠírkaPočet slovPočet slov...SlovRokZim Desktop Wiki_Vzdialiť_O programe_Výpočty_Späť_Prehliadať_Chyby_Kalendár_Zaškrtávacie políčkoO úroveň _nižšie_Vyčistiť formátovanie_Zatvoriť_Obsah_Koprírovať_Dátum a čas..._Zmazať_Zmazať stranu_Zrušiť zmeny_Upraviť_Upraviť rovnicu_Upraviť graf GNU R_Upraviť Gnuplot_Upraviť odkaz_Upraviť odkaz alebo objekt..._Upraviť vlastnosti_Kurzíva_FAQ_Súbor_Nájsť..._DopreduNa _celú obrazovku_Prejsť_Pomocník_Zvýrazniť_História_DomovLen _ikony_Obrázok..._Importovať stránku..._Vložiť_Skočiť na..._Klávesové skratky_Veľké ikony_Odkaz_Odkaz na dátum_Odkaz_Podčiarknuté_ViacPre_sunúť stranu..._Nová stránka...Ď_alšieŽ_iadnyNormálna _veľkosťČí_slovaný zoznam_Otvoriť_Otvoriť ďalší zápisník..._Ostatné..._StránkaO úroveň _vyššie_Prilepiť_Náhľad_Predošlé_Tlačiť to prehliadača_Rýchla poznámka..._Koniec_Posledné stránky_Znova_Regulárny výraz_Obnoviť_Odstrániť odkaz_Premenovať stranu...Na_hradiťNa_hradiť..._Pôvodná veľkosť_Obnoviť verziu_Uložiť_Uložiť kópiu_Snímok obrazovky..._Hľadať_Hľadať_Poslať na..._Bočné tabule_Malé ikonyZoradiť _riadky_Stavový riadokP_reškrtnuté_Tučné_Dolný index_Horný indexŠ_ablónyLen _text_Drobné ikony_DnesPanel _nástrojov_Nástroje_Späť_Strojopis_Verzie..._Zobraziť_Priblížiťlen na čítaniesekúndLaunchpad Contributions: DAG Software https://launchpad.net/~dagsoftware Robert Hartl https://launchpad.net/~lesnyskriatok mirek https://launchpad.net/~bletvaskazim-0.68-rc1/epydoc.conf0000664000175000017500000000060113100604220014716 0ustar jaapjaap00000000000000[epydoc] # Information about the project. name: Zim Desktop Wiki url: http://zim-wiki.org modules: zim # Write html output to the directory "apidocs" output: html target: apidocs/ include-log: yes # Graph options graph: classtree # Code parsing options parse: yes introspect: no # Exclude private methods and signal handlers private: no exclude: zim\.inc\..* .*\.on_.* .*\.do_.* zim-0.68-rc1/data/0000755000175000017500000000000013224751170013514 5ustar jaapjaap00000000000000zim-0.68-rc1/data/globe_banner_small.png0000664000175000017500000002712613100604220020023 0ustar jaapjaap00000000000000PNG  IHDR@Ph1sBIT|d pHYs : :dJtEXtSoftwarewww.inkscape.org<tEXtTitleEarth GlobevtEXtAuthorDan Gerhrads2tEXtDescriptionSimple globe centered on North America9btEXtCreation TimeMay 1, 2005h IDATxyE?oYfߓ$!$dD!#*Ȣ z^pA.xыMUD@MdCX@LϜK?̙3Y<9UoWw}zJT1bx'"1m9@{.?_53Rm N?r:}#ARyє)FCƒ@$qrq˂N U0sPa4>C\.G:jQҝԇ_h#FcLi@yW2IuP@N.°n{ 7&,Ueҁ{>ƺ mobĈe5 [*rŞ{v'T~bΆĄDo.Co&1D"8߶p1bj9,Wنel/RDXJ/OwMjrwm]'a7" w~]I1bl#Vm= eXHss?u5-Zjf;:h]׎r-dh1bxsX$R)\V(Ho" };rR,wݤ吖}кn=)2+*%?,FCX#ݞЯ@^O ե%)qUM45atrƵttc &[M$T5??-'.YbĈ1rSxjXaOD Bp#U/xk6|Su\ce˰ρZmC0$8B]]]N4)w֌1b>),ƏD`rʑ»u['V8ݙNԍ/ |y}cٗgGJрVU_EqbVi `JuC] w9?Q"vD>9^.E>~F_m] zߨxk[-CDW[>~ 0c]Ri4EYί{Ʋd"Gx~fzߞpMX n<_.~:b=#9"?3 9Eo5UpHG{Aa O?=Ԛ{v=#7!%~.u=rY;#("Bfm]?^4Tl U$RUFƈ]9=}Q姦r ~Gi8t.%”<!kW]3eծ9 <%<#E#fo` MިͶ/Ny/P qw P]dMUo!LBUGqlvށ4<<:ϣ<ҞGp<< CʆY8R͞|㇟]7+8nIf9'͒ffd2f2Dz}Tn 7>]'ѡ^h@DfFU/L Eh;dӦG gowUDf*oc`?9GU\ͦ$<9^U#F!6O黵U PD̓DjDޭO{f[g>jJ O`T Ð0| s>aدlVS7V~};\o7sI:|K~Òlp$pR,"[輽sÎ-kb/9@6PnUTj%dㄳ3BFi_nPl?PvQUśd)'jH}my.x#mŽ*((",wW:'LJ{u:LW"a6m 0MZW^?UuEq=/ GL6&R7د*?L̆}a?~8@Cv5k^dӍڊ6sv|QU:Zeq9`<0-J;T9 $9;91tx0%O7CU%HtCo'8I|]uB*k<~[foAE9m<"Pfj`N;3j'!8+fC<`iXL[zҢN+vi.Xfh׊'rX7xii` ``ߊ8U,zT(z_ |k_?*2܋[x\ѝXۓ#ưbP<ÚGl\ O&Aʗ!<c?)"~5qهN wfğk)|'+N2˖ѹ9 !A;'RzM͍7$]~٢۱3纬8;c8{/r(+Kr}jbf'{տ|r:v ߓ-/xj  5c ;4+.: {΀PY 3'/nY슚Ϯes5ɝ*~3k@GͯHFeLBXTTȚ|k"(\3yYVknʼ6Ug0 Yuڼ12u Z[$aS؋J1˛=˚xJ&_35U57Uoi^mȻw['F-ėU&! iwSU$ Y8h8xDߖH%H$IDMI7*Om8NH8s[jE^rm:n,w#:+)'%Հ[Z/1"|8.ao{0TƷ-ye1 2i!\\8ɚ[_ɤ%CSAlxT3MjЅ{U5 7B[{Q^L:|մ KADzznꨛaWE˜aatWM|Ikࡶhф|rA҅ђ'Fa 泪:It>ܴ'='LH}8}%]Q`' NhJ?ͬ$D&t:e?%@+8O!pSLcxoc҅:sj0m0cK/k.+˺7g6Dd. *Uђ'Fa%@o{|& deHt mڧi>$%ۗīJ&Mٲ4'x)Oh]FoG8SAyW,\D,h[U>I@@/jDNц4aGzTDI?i10XV5횙}{N"UpY 11˙=@1yaamd^MbC !x\y}\F{&P$Lȗ^8&֑L C^]9iH˴2&@Ю\<{84!" ȋC`Lj=0N<&uTyΎ^ն&le.z #;FI3iֹGp:>~69`w'z+^3 Կ>G6ي!ϩtH(8kS$  gH@{ץfTzˏ8~$ӛʨ@2P~6\=M(قOS$N; Nj8YquN={7Ι}=6xk'3;L\r \3(mda`<.4}3좩Y %Z<@f^O+YQs  I [,e6cbX0U>?&vv 9k*@%'5u:{~X3NR [Hml^\N3nf B2/4PCzʐ,v$*sfoh4,1bP2Hm} I<|΁SICگ;%u%q3ՀJ&ԝo&\.=Zk7KK[[28#keGKj2o7 JhK l<3`k-TfAyLdQ\Ag7FmƐ 0j 63U ?ʼkkc&>PQk OokwLMbi?:Gw\~zĭh,"ܳj#P ~ ;]IHߊ#FCv!QD|cUjb?_c?ˊWPG 6v?cB 01SN2ByNjaU>ݳJ^T. `P7Fo DMaGtc0?9qe?م%6(\v=x?<6"mwc,Ƅ1&$ oΜCn4 zcĈPDdSc5В]g#dulE`pl:)n,$nWGYQA;]=c #mPr΢8uULƈ텡k*eB;M1/MkΆ  ѧ_K>8]WHQ[+0ai_ ,f (P1bĈ0TLkq 8!_ěgXߣ6XL `=VN {F' a a ;ip-PgߔcĈP 0g^? X(uq֔zɛ>CITUx>>aPAL$ |'a`{]>1[3F ކ\AA}$Q 2]ySIc2\/A!ac0 9F=D̮x5LaYް LjcǐPUsed/[A`Vm-yS8`; u_3u2APY 0 1 QHɰdgX j*+,@dU3h)3X1r tt~/X L+Ԅ=c1e^! ~+$BF@[q4X٩LRBu[LĈvM`UuU35, EfRfkX ΗpzLMG}:;~S$82 5Q}da$QmxCq<Z8|+;@R#Fd8:4EIlW-8HH6x\ ;ASPH UYeSH5桡itOcm]?^=Nr/YSJ5%TID%%_$,քWT}(#;B|}"ޏ9Fq,9h4C(/a{q!{ NcØ)CM#j }~V1^@ud^ J8Yנ&3-~겡U1Dj22y@8Y("TUu!&y,.jM1]QTM p0R\S-<#Fw .%9Z٣יD8bD'BMQ!H=Nj8Mt/D|/~ ~bT o~w#F%DWT&I8m6Wߠ?DfA HCgd%zN+lEfb}Нǀ1Faݪk; " Xwmk%Щ,; DKTz|/U]8RD$ ݪ]x-#%a~倓jf ,&r~r={CYU꼂/6L@s*&y ZO{׶i`11$DmYv01}-e3E"R52m ^A`n mG_޳&->wCkJ:g$W[* Ӄe"r'@U_.u4;t銶hځCUs]#jHb[h=]oo``~re'B~@I\ rmHXm^U>rj9 di?]"XLx$uA6v'?bLDF"' z2e+=M#>Z +8m&"I`wޭ+uwI2s3/hOR4m4]44^:ITd*E:*2z.R`/Ix;V/Jضa-,M[]cS3pNRJGlv G+"'7gc8_Rװ p !s"rѐQDDZJD*E["Oy]D.&_D䋥  +E)iU"r9H"yVDO#wlEd<'"F/f!"GFY=OEdI$"2ȷKG~(}HDƉQUo:<$"o-"+`ȧ"Vk"r4({Jt6Y."Bmvgm_ȭ"2KD.ݢ""7w\#"/ *!gDHY8|smVTN_SMv#m6oMRd6TMĀ@S&hʠg,]M=PaJk|$造g9xl^Kk g[k"#,&("ǀ`5ǀ/Sӣk%aTYiǀ/a="r>\ ._qX%1 (IDATX`|@EdϨI$2-X "21𤪾 "I6`HcEdnNĖw^To_"R<=,RW܍mӻS{>]%}F!"{j6;;%;Pl/  PD`]@"r7ys(sɶOj7ӢT=}"2X$1(u=$*tKakovb8WAq 0ü^ ,y؇=|Ac< _DjTSU}y K. "ǒ㗊@EyO*CU( Ha5-Dp|OUK>^º#]#Y>[CڧىȅOsG5YJ3˓ȡ]K"y.'`]+ {Wտ\7WEF 죪V*"%dFDky\D)"@MkX ɪFǾ\\76^7gKpdYOl`pyoXE։5 `ͅ*$[M[YzD}/v*UEUVV4[BdF^(5o1m.4jDdJAIf?c!#"gG_ɓ_Kh02,yE^뢿{]$bve9{z.vƾP-$~/H`)+4g[K~".~} SOjYH~`_7V՞{cXb5KUB=>bBƒ#_{~i3|˩J'0ʲb~|w#HxQD~Hvj* sɇt߳o417VJ7\YHwH}`MS?`ۦ8l73AzgDg;a+Rx`x$ڿxKtbM$5 S3Ey_3<`3۬P޽qI,_/^gb`'"-J?ě=Szs)m&̟/%G y$3b(t6I"r=(VjY.Uz[s^>w"6/" K]>,THkF>TaCѡC^r('Oϊ>:7r 6B=?Usc?f&ê(L,ٔѾ'?<^"1i76ʾ7^1ZE2DU/FD׉'nq? +Zʢ>Kf`Rq`-' "c7SO)Oji$k++""D{柍C$14?5;{[wvX.vt0{l]*ƨEM`|zVDfb.(9)oւis-CU{D乨b{>]"jPi)XՎZּ5`FH+·y=A!YYhN>{Uf3M2TE"rkABsr+Yg/ƶ>l# {]!k{Q>a=Oam\}(c@YR|k6sEgc?8%݅5eoÚJutib X ғX',H?ESZ^%^lKcI >WGA|#s *?a謂-Q{?QZyܵ?=_>o`:xSQ't~>ۂ|Xͫ١rnt*,JK`gvN?>::j㻢w+KXWAxsۏG@G[aMjjO+q_M>XMI̢7)`CP(g? ع "jX;:Gڰކ|S|Ej{OlC7E[U}&r[|h_#X~0 0'8oWM$oqX"WfDd2Vk?/(PߣcWfX+C\ɷ`?U{҇au8Ɵv聟 S*&zLۡ#& UlycD}Vc1C 㩬MTj}޾c s<-16!"k!Clƒ <#8;Iʍk{ҮKg..Z7Ĉ+=.&"2 knKy cqD2db(w1 ^ec`۫±E :x-h171jo؞u)LlCt9C?F1c"h2ԁkDb 0FCX"7c: OåX 8,}KA1bĈ3a0 T{o1c? Earth Globe Simple globe centered on North America earth globe northamerica Open Clip Art Library Dan Gerhrads Dan Gerhrads May 1, 2005 image/svg+xml en wmf2svg zim-0.68-rc1/data/pixmaps/0000755000175000017500000000000013224751170015175 5ustar jaapjaap00000000000000zim-0.68-rc1/data/pixmaps/migrated-box.png0000664000175000017500000000157613112517463020301 0ustar jaapjaap00000000000000PNG  IHDRw=gAMA abKGD pHYs : ߸tIME JytEXtCommentCreated with GIMPWIDATHOHTQ8Mb Q +ʬf"A%HvЦ]Ц,p$bDL-b*J0 NhFmQZE}?$`0iH)Bd$}qq1TDÔ:ad *a H&)IJ, xAWNSW֗EvIkDe{.U`LBD>qvBǧ)8pflzlno 7t7sz8InoC5ҿČRܒ",*Yxxh w4,Nxla.lEѨ>NnNxk;g}z#j)ola`m He"}g}*SD4D!+s<Eu.߿g՚jcze0hRJ%{ޭ(8p' q=';Elc/vBLLyy6cS'1!(P !1HHLP%EEEljbw/DJ1Hޔ|>~ou?Cz{;IENDB`zim-0.68-rc1/data/pixmaps/attachment.png0000664000175000017500000000172213100604220020021 0ustar jaapjaap00000000000000PNG  IHDRw=bKGD pHYs oyDIDATHǽMh\U,$1N>&nԈ4Ә;) .j .l@ ,VIiJ֊ bU,vQkP2I @&SySS\t&{1-z?{?Fxx ;.ǩou8r>o55kp\y#\ѲWzӀ}>t|~R ) #iYARU}Im՞Hk&.$rּalK&{b"¶m[=򚝎-@E $qJ%ykU]OY}=#*xm*M~;>rt(wW,V*e9ZT5@>5]8Yd_r DߏJ"坭JL/.#`930Mksg0C?ڻgϜ9,Z;FWS 5u*/C .k_4WF&`< `khq FvDiJ=,7}vף߷hąv?{6yK}}JiOmm"B}f1wkx $oӗ.ΌweJ!] x2[jn(ro߮I̓"zTXtSoftwarex+//.NN,H/J6XS\IENDB`zim-0.68-rc1/data/pixmaps/linkmap.svg0000664000175000017500000001207213100604220017337 0ustar jaapjaap00000000000000 image/svg+xml zim-0.68-rc1/data/pixmaps/xchecked-box.png0000664000175000017500000000232013100604220020230 0ustar jaapjaap00000000000000PNG  IHDRw=sRGBbKGD pHYs : ߸tIME  LtEXtCommentCreated with GIMPW+IDATHՕKhSY&5Lf"eꣵ݉LW7Ju\ƥ .*.lt!R\ZpჂH}Z3Z4m̢ cktFp3[=̀x'}Cp7I(:V]P p  t+@HUgϖth?Z[+R.ӜL>>N _J;M{2&]0BQj[^&ew0 Í*A$aKBai{w7z,a۬%r:"+d3>t /MM$΢9J=5e$ aد^?wl&@Zc#mmpjlȱ@/>9Ia`c ǡ H==$#>6E|JklcONxݻ|,@(՞=dQ5&n)BvEEqXxϳp>F$"D/\DjA%m8AHЀ4012I6% e q ծY˅4\"6)@c1NBmmE>jH9B]g'nhBx~ԭ[d]@ O(W:ْmu ktgq!8AU!ҥ/ˬ ( 6B?}Kd&v>f## a^nt FH4J--_&󴍍7 EP7m" dY͛lŘܽiH"u33d@BcDVBԟvϷì;~f!P,7lxza';?vi ( ?hIJIV9n2R"Y 45w,~b<FEƎ ˅8H ?K\8l}ۮ TjM,*KIENDB`zim-0.68-rc1/data/pixmaps/add-bookmark.png0000664000175000017500000000301113100604220020215 0ustar jaapjaap00000000000000PNG  IHDR szzbKGD pHYs  tIME%MIDATXõKl\W9;oNcڎ[w J]E$;P` u BSEu夎];3;qLeGypѽswq J=gZA9}[#s.yiR;7}4}bllJ򽵾8oG& nT2U->Wy/>y??q׿:Ѻ~_]Nj8֒Ll}2mR ƄDQvlW.~ YJZʕ+Yaww~n bņ |/^dvv+#nqKJs }(\>F1,",//S8'WCk6^c$}M=rLtT0o>ƨ%<N($\?~AD)?A Nja^E]D?ri]f?.D%v3(#D,,u Q -Fʮ0Y{ǚvπ.:T?w(@ZhqEcdd}!fQ/4D}pa \D^)FK evɤ((" g/a<VeiMm[i||gS5gar=r!NPƢͽ}l<5Jl Vh+411s^SCEKhiZWirr:!뉥6B>Ȥ I&|rx9o_gڇPtun`'6N(pDSSS={Yn3hYBJ6iJ3߆tK_HWDU34nNF((u(Ió'GA|"u|'$C߆9΃(Bad(IZg$b}sG9sJqH_Q~p"$}3˧RT`ee/A1̴V=w0l4ߝgyoۼraӧO399n3R x' -'Ǐ7Nk=AV_gt^ Bm~,o/..;Z37 5_8瘙i)xRd$F/R(q.GCIXXXZ5o9:*t_lR}U^Zsܹ Ah)ԃorlQ0vr"cC?Ygb@}Z/@8Z,t4(ܨ޾}q@k^cG7v(`wiqy'`){s?;zn&IENDB`zim-0.68-rc1/data/pixmaps/calendar.png0000664000175000017500000000121013100604220017432 0ustar jaapjaap00000000000000PNG  IHDRw=sRGBbKGD pHYs  tIMEIDATHjQۑ +WƆ T.}AgP|eiL>EWu_41%#bL&"]sx?lݓ.nުOpn\+1Fʅ3s pRscn2.-vڔޫ.XHt !elw= "FtN#F( b IIo߽I$΋fBkvvcVKV8r$Z%V Pd2~IGv@F@ I^^Bt38nk(Sʥ"źf1v:1&f7HBLh$j}; t(OUǵ8ETQvO m6˕o1 q}8:|+`pOi:GN6yS6|v,7}ak,ZƮ}{Xv?|h_ѿO dbP/M^ fh  RN }O:]T(=fV2ә ]NNNO<`R ?`Qe3lRYONNN;_R&u.J`-~Yi VNNO>bP@`P"2RZ7sZ1xfP TO=cP@`P (tbP4]%h[=cP @`P >bPy=dQ9rV>bP@`P8@`PD `zim-0.68-rc1/data/pixmaps/link.png0000664000175000017500000000112213100604220016620 0ustar jaapjaap00000000000000PNG  IHDRw=bKGDIDATxMhSQPzVbt*AHPFp!EBԕEE\"5TX+D &A7O_sQ 5yVt\!!XBh-Bh+h;z w,z1_΁@Z;=}ۢ} <#Bʓǽm*Bh RhOO;1Vsî:;/#v./?*3N JUj>e?>rWQ/2;=s2_*Ys&Zx< <]q=REw RU _%#`b퐮+Ul(H29LScafor27;C.ZwvɎʨ_[}چJ-+R%HtEXtCommentCreated with The GIMP (c) 2003 Jakub 'jimmac' Steiner'3XIDATxŖ?LQ3 .^c@W j#7C4P4jcgbbPO JOl J+(LѨ;o9۷o7 ll@j^, ^j&dk rgL&9n<{ր߻/+BX,J>P6s?b5jo?IFr\zzz}]렽oUlv$ZXi3 ayyAEHQT#THR QAL@TP@EAD0u%"D9: RI6'()Z?= e#0s>Bft D|Y[!r834ROZ\`c|||UTZd\kqwzD;=Q:c灥8TFc /i?NvZhg9:OV. ισFB/LoxWWl{Qą  AB aθ|DU˰Ne5#$h^EP6Cj6K 9 H+2GL2M C Hj zp# z= 8R?|$V[oi?^SaIENDB`zim-0.68-rc1/data/pixmaps/checked-box.png0000664000175000017500000000225213100604220020044 0ustar jaapjaap00000000000000PNG  IHDRw=sRGBbKGD pHYs : ߸tIME ,0A(itEXtCommentCreated with GIMPWIDATHǭk]EgsɹӞڤ=1-5TQzAR,> "CA[AXA1/-HEy0%R6sיCq[6x&hnLMhƄ}M KFK""2<>7xm?݌ZOa4_T[Re SLLL)RcbݳK?c !B%sdz_1;;Ν;<4Mm$՛QJ)QuCq`f l<42!8L[Ȝ-[HE,D-?#M@Kbm!˴3JfۅlU+H2=i#PJjCexԯ"ٮwn h4VLNlAySC#Gw76r"X=# B˻s%+vٵ%{CT0K./e ؜!#BO(x..MTѻ]])Sc eYlsƲQ$NѣGocV'B7ϖ X.XUfeQPli4r?A(ģ׮`xxQZfs? !jexK'oIENDB`zim-0.68-rc1/data/pixmaps/linkmap.png0000664000175000017500000000246213100604220017326 0ustar jaapjaap00000000000000PNG  IHDR@@iqsBIT|d pHYs B(xtEXtSoftwarewww.inkscape.org<IDATxkW?'fw6F EZ?PObH[JBO}Z'EZgSjmTPY#&槻0;͏ٹ;)s~sι\QU>z\77DM jԖ2fFGY?5iβ8vmDiߧ޽N66o} 5{J?֬!gY$V%j3)o^#.'}[9qcI߆ ; +^TꛕZq6[,^`FVdw1[-4>zxT"T 0"|`SHE=F7؞uہ)R@(@|=Ȯ0D(txojP!5L!> _mSYXk@E@TUD~{aEwR,uu{Zw?"WlغY5pSd0 6M‡֪G+yU8tnHq ruNLw0"1})zq ZX"zO}AN8זۘY:2lтp &_$=b*7N\voLWu_| زUFyVR^O ,1(p(sPF8go|<|]n΀Hoѷ܏]*`8`>׮Qn鬁 -n 8 RzzzR1o'ykH_쫔Qi":t֭ar5"@ggD"zӢ0}4@ݻly Tmm!2*q}lɆ,j +VاQx)M2L @Q)D иE"  E0)Pb\M(HDW[a"#!qֳXi[m{O] S^\le1ZlJ,5hU  4.Z77Z+<+<{Ȥ$%4uN*%3DQ\.R(( (t: jN#L}l~mOǓpKE4 t: @>j)%V )%ι#HuЫb3^҈$o){LL3442xǣG8w<߿OTB)u` vjMYןs\B<})%;;;<~!;;; Va9`;. yFp 3Hǭ[fLNN.\<0իWhTKH5.7=P(P*MRAJ)j/^@)E@k}A88!0ƣӉd2(}|>5ZkRXk1 cgOy{*TŷcM(l6REa{hf rJArcZyw ;ѱя>b%N344DZejj 5KKK?XXXwX}+1<,-aϞ[9lсKvQRakkggتmJ{dNӎ%۵m$ gcg7)vi"'N`ff/嘝ennBxj B' ;A۵4[-6+z*@ιfI$qVsJYk]ZuJu]D^=ʍ- &5ŷ/~'{s?l!DF^klll8vRJqΡbmmB ]N:=?x򧅔0gwC 7nh?OWgB4 Tu_{}-6?>ɕK^RK/Xꨬo+|@YvC5lݜv#%tEXtdate:create2015-02-02T22:50:13+01:00w+_%tEXtdate:modify2015-02-02T22:50:13+01:00"tEXtexif:ExifImageLength48fputEXtexif:ExifImageWidth48tEXtexif:ExifOffset667wgatEXtexif:SoftwareShotwell 0.20.1PIENDB`zim-0.68-rc1/data/globe_banner.svg0000664000175000017500000015064113100604220016645 0ustar jaapjaap00000000000000 Earth Globe Simple globe centered on North America earth globe northamerica Open Clip Art Library Dan Gerhrads Dan Gerhrads May 1, 2005 image/svg+xml en wmf2svg Zim Invade your desktop ! zim-0.68-rc1/data/symbols.list0000664000175000017500000001341313100604220016067 0ustar jaapjaap00000000000000## Entity table copied from the HTML::Entities perl module by Gisle Aas ## # Some normal chars that have special meaning in SGML context #amp 38 # ampersand #gt 62 # greater than #lt 60 # less than #quot 34 # double quote #apos 39 # single quote # PUBLIC ISO 8879-1986//ENTITIES Added Latin 1//EN//HTML \AElig 198 # capital AE diphthong (ligature) \Aacute 193 # capital A, acute accent \Acirc 194 # capital A, circumflex accent \Agrave 192 # capital A, grave accent \Aring 197 # capital A, ring \Atilde 195 # capital A, tilde \Auml 196 # capital A, dieresis or umlaut mark \Ccedil 199 # capital C, cedilla \ETH 208 # capital Eth, Icelandic \Eacute 201 # capital E, acute accent \Ecirc 202 # capital E, circumflex accent \Egrave 200 # capital E, grave accent \Euml 203 # capital E, dieresis or umlaut mark \Iacute 205 # capital I, acute accent \Icirc 206 # capital I, circumflex accent \Igrave 204 # capital I, grave accent \Iuml 207 # capital I, dieresis or umlaut mark \Ntilde 209 # capital N, tilde \Oacute 211 # capital O, acute accent \Ocirc 212 # capital O, circumflex accent \Ograve 210 # capital O, grave accent \Oslash 216 # capital O, slash \Otilde 213 # capital O, tilde \Ouml 214 # capital O, dieresis or umlaut mark \THORN 222 # capital THORN, Icelandic \Uacute 218 # capital U, acute accent \Ucirc 219 # capital U, circumflex accent \Ugrave 217 # capital U, grave accent \Uuml 220 # capital U, dieresis or umlaut mark \Yacute 221 # capital Y, acute accent \aacute 225 # small a, acute accent \acirc 226 # small a, circumflex accent \aelig 230 # small ae diphthong (ligature) \agrave 224 # small a, grave accent \aring 229 # small a, ring \atilde 227 # small a, tilde \auml 228 # small a, dieresis or umlaut mark \ccedil 231 # small c, cedilla \eacute 233 # small e, acute accent \ecirc 234 # small e, circumflex accent \egrave 232 # small e, grave accent \eth 240 # small eth, Icelandic \euml 235 # small e, dieresis or umlaut mark \iacute 237 # small i, acute accent \icirc 238 # small i, circumflex accent \igrave 236 # small i, grave accent \iuml 239 # small i, dieresis or umlaut mark \ntilde 241 # small n, tilde \oacute 243 # small o, acute accent \ocirc 244 # small o, circumflex accent \ograve 242 # small o, grave accent \oslash 248 # small o, slash \otilde 245 # small o, tilde \ouml 246 # small o, dieresis or umlaut mark \szlig 223 # small sharp s, German (sz ligature) \thorn 254 # small thorn, Icelandic \uacute 250 # small u, acute accent \ucirc 251 # small u, circumflex accent \ugrave 249 # small u, grave accent \uuml 252 # small u, dieresis or umlaut mark \yacute 253 # small y, acute accent \yuml 255 # small y, dieresis or umlaut mark # Some extra Latin 1 chars that are listed in the HTML3.2 draft (21-May-96) \copy 169 # copyright sign \reg 174 # registered sign \nbsp 160 # non breaking space # Additional ISO-8859/1 entities listed in rfc1866 (section 14) \iexcl 161 \cent 162 \pound 163 \curren 164 \yen 165 \brvbar 166 \sect 167 \uml 168 \ordf 170 \laquo 171 \not 172 \shy 173 \macr 175 \deg 176 \plusmn 177 \sup1 185 \sup2 178 \sup3 179 \acute 180 \micro 181 \para 182 \middot 183 \cedil 184 \ordm 186 \raquo 187 \frac14 188 \frac12 189 \frac34 190 \iquest 191 \times 215 \divide 247 \OElig 338 \oelig 339 \Scaron 352 \scaron 353 \Yuml 376 \fnof 402 \circ 710 \tilde 732 \Alpha 913 \Beta 914 \Gamma 915 \Delta 916 \Epsilon 917 \Zeta 918 \Eta 919 \Theta 920 \Iota 921 \Kappa 922 \Lambda 923 \Mu 924 \Nu 925 \Xi 926 \Omicron 927 \Pi 928 \Rho 929 \Sigma 931 \Tau 932 \Upsilon 933 \Phi 934 \Chi 935 \Psi 936 \Omega 937 \alpha 945 \beta 946 \gamma 947 \delta 948 \epsilon 949 \zeta 950 \eta 951 \theta 952 \iota 953 \kappa 954 \lambda 955 \mu 956 \nu 957 \xi 958 \omicron 959 \pi 960 \rho 961 \sigmaf 962 \sigma 963 \tau 964 \upsilon 965 \phi 966 \chi 967 \psi 968 \omega 969 \thetasym 977 \upsih 978 \piv 982 \ensp 8194 \emsp 8195 \thinsp 8201 \zwnj 8204 \zwj 8205 \lrm 8206 \rlm 8207 \ndash 8211 \mdash 8212 \lsquo 8216 \rsquo 8217 \sbquo 8218 \ldquo 8220 \rdquo 8221 \bdquo 8222 \dagger 8224 \Dagger 8225 \bull 8226 \hellip 8230 \permil 8240 \prime 8242 \Prime 8243 \lsaquo 8249 \rsaquo 8250 \oline 8254 \frasl 8260 \euro 8364 \image 8465 \weierp 8472 \real 8476 \trade 8482 \alefsym 8501 \larr 8592 \uarr 8593 \rarr 8594 \darr 8595 \harr 8596 \crarr 8629 \lArr 8656 \uArr 8657 \rArr 8658 \dArr 8659 \hArr 8660 \forall 8704 \part 8706 \exist 8707 \empty 8709 \nabla 8711 \isin 8712 \notin 8713 \ni 8715 \prod 8719 \sum 8721 \minus 8722 \lowast 8727 \radic 8730 \prop 8733 \infin 8734 \ang 8736 \and 8743 \or 8744 \cap 8745 \cup 8746 \int 8747 \there4 8756 \sim 8764 \cong 8773 \asymp 8776 \ne 8800 \equiv 8801 \le 8804 \ge 8805 \sub 8834 \sup 8835 \nsub 8836 \sube 8838 \supe 8839 \oplus 8853 \otimes 8855 \perp 8869 \sdot 8901 \lceil 8968 \rceil 8969 \lfloor 8970 \rfloor 8971 \lang 9001 \rang 9002 \loz 9674 \spades 9824 \clubs 9827 \hearts 9829 \diams 9830 ## Additional shortcuts ## \pm 177 # +- sign \neq 8800 # not equal to sign (may also use =/= ) ## Some arrows ## \left 8592 \up 8593 \right 8594 \down 8595 ## units ## \ohm 937 # same as \omega ## Additional typography ## # See http://en.wikipedia.org/wiki/Arrow_%28symbol%29 for more codes # convert hex -> decimal before using here --> 8594 # same as \right <-- 8592 # same as \left <-> 8596 <--> 8596 ==> 8658 <=> 8660 <==> 8660 <== 8656 -- 8212 # em dash aka — in HTML =/= 8800 # not equal to sign (may also use \neq) +- 177 # +- sign +_ 177 # +- sign <3 9825 # Heart empty \music 9835 # Beamed Eighth Notes \warn 9888 # Warning :) 9786 # Smiley - have a nice day! \smile 9786 # Smiley - have a nice day! \mail 9993 # Envelope - Mail \tel 9990 # Telephone Sign \phone 9990 # Telephone Sign \flag 9873 # Black Flag ## Suggestions for more shortcuts are welcome - please file in bug tracker ## zim-0.68-rc1/data/templates/0000755000175000017500000000000013224751170015512 5ustar jaapjaap00000000000000zim-0.68-rc1/data/templates/plugins/0000755000175000017500000000000013224751170017173 5ustar jaapjaap00000000000000zim-0.68-rc1/data/templates/plugins/scoreeditor.ly0000664000175000017500000000031413100604220022045 0ustar jaapjaap00000000000000\header { tagline = ##f } [% version %] \paper { raggedright = ##t raggedbottom = ##t indent = 0\mm } [% include_header %] [% score %] [% include_footer %] \layout { } zim-0.68-rc1/data/templates/plugins/gnuploteditor.gnu0000664000175000017500000000020313100604220022564 0ustar jaapjaap00000000000000set term png set output '[% png_fname %]' [% IF attachment_folder %] cd '[% attachment_folder %]' [% END %] [% gnuplot_script %] zim-0.68-rc1/data/templates/plugins/equationeditor.tex0000664000175000017500000000036113100604220022735 0ustar jaapjaap00000000000000\documentclass[12pt]{article} \pagestyle{empty} \usepackage{amssymb} \usepackage{amsmath} \usepackage[usenames]{color} \begin{document} % No empty lines allowed in math block ! \begin{align*} [% equation -%] \end{align*} \end{document} zim-0.68-rc1/data/templates/plugins/gnu_r_editor.r0000664000175000017500000000014413100604220022021 0ustar jaapjaap00000000000000png("[% png_fname %]",width=[% r_width %], height=[% r_height %]) [% gnu_r_plot_script %] dev.off() zim-0.68-rc1/data/templates/plugins/quicknote.txt0000664000175000017500000000013113100604220021715 0ustar jaapjaap00000000000000[% text %] [% IF url -%] Source: [% url %] [% END -%] //[% strftime("%A %d %B %Y") %]// zim-0.68-rc1/data/templates/latex/0000755000175000017500000000000013224751170016627 5ustar jaapjaap00000000000000zim-0.68-rc1/data/templates/latex/Article.tex0000664000175000017500000000225613100604220020725 0ustar jaapjaap00000000000000\documentclass{scrartcl} \usepackage[mathletters]{ucs} \usepackage[utf8x]{inputenc} \usepackage{amssymb} \usepackage{amsmath} \usepackage[usenames]{color} \usepackage{hyperref} \usepackage{wasysym} \usepackage{graphicx} \usepackage[normalem]{ulem} \usepackage{enumerate} \usepackage{listings} \lstset{ % basicstyle=\footnotesize, % the size of the fonts that are used for the code showspaces=false, % show spaces adding particular underscores showstringspaces=false, % underline spaces within strings showtabs=false, % show tabs within strings adding particular underscores frame=single, % adds a frame around the code tabsize=2, % sets default tabsize to 2 spaces breaklines=true, % sets automatic line breaking breakatwhitespace=false, % sets if automatic breaks should only happen at whitespace } [% options.document_type = 'article' %] \title{[% title %]} \date{[% strftime("%A %d %B %Y") %]} \author{} \begin{document} \maketitle [% FOR page IN pages %] [% IF loop.first and loop.last %] [% page.content %] [% ELSE %] [% page.content %] [% END %] [% END %] \end{document} zim-0.68-rc1/data/templates/latex/Report.tex0000664000175000017500000000215613100604220020614 0ustar jaapjaap00000000000000\documentclass{scrreprt} \usepackage[mathletters]{ucs} \usepackage[utf8x]{inputenc} \usepackage{amssymb} \usepackage{amsmath} \usepackage[usenames]{color} \usepackage{hyperref} \usepackage{wasysym} \usepackage{graphicx} \usepackage[normalem]{ulem} \usepackage{enumerate} \usepackage{listings} \lstset{ % basicstyle=\footnotesize, % the size of the fonts that are used for the code showspaces=false, % show spaces adding particular underscores showstringspaces=false, % underline spaces within strings showtabs=false, % show tabs within strings adding particular underscores frame=single, % adds a frame around the code tabsize=2, % sets default tabsize to 2 spaces breaklines=true, % sets automatic line breaking breakatwhitespace=false, % sets if automatic breaks should only happen at whitespace } [% options.document_type = 'report' %] \title{[% title %]} \date{[% strftime("%A %d %B %Y") %]} \author{} \begin{document} \maketitle \tableofcontents [% FOR page IN pages %] [% page.content %] [% END %] \end{document} zim-0.68-rc1/data/templates/latex/Part.tex0000664000175000017500000000016113100604220020241 0ustar jaapjaap00000000000000[% options.document_type = 'report' %] \part{[% title %]} [% FOR page IN pages %] [% page.content %] [% END %] zim-0.68-rc1/data/templates/rst/0000755000175000017500000000000013224751170016322 5ustar jaapjaap00000000000000zim-0.68-rc1/data/templates/rst/Default.rst0000664000175000017500000000014513100604220020424 0ustar jaapjaap00000000000000[% FOR page IN pages %] ================ [% page.title %] ================ [% page.body %] [% END %] zim-0.68-rc1/data/templates/markdown/0000755000175000017500000000000013224751170017334 5ustar jaapjaap00000000000000zim-0.68-rc1/data/templates/markdown/Default.markdown0000664000175000017500000000010513100604220022444 0ustar jaapjaap00000000000000[% FOR page IN pages %] # [% page.title %] [% page.body %] [% END %] zim-0.68-rc1/data/templates/html/0000755000175000017500000000000013224751170016456 5ustar jaapjaap00000000000000zim-0.68-rc1/data/templates/html/SlideShow_(S5).html0000664000175000017500000000324613100604220021726 0ustar jaapjaap00000000000000 [% title %]

[% options.empty_lines = "remove" %] [% FOR page IN pages %] [% FOR section IN page.headings(1) %]
[% section.content %]
[% END %] [% END %]
zim-0.68-rc1/data/templates/html/ZeroFiveEight.html0000664000175000017500000002107213112517463022063 0ustar jaapjaap00000000000000 [% title %] [% options.empty_lines = "default" %]

[% page.title %]

[% page.body %]
[% IF loop.first %]
Backlinks: [% END %] [% link.name %] [% IF loop.last %]

[% END %]
[% IF not loop.last %]
[% END %]
zim-0.68-rc1/data/templates/html/Default.html0000664000175000017500000001731713121023223020726 0ustar jaapjaap00000000000000 [% title %] [% options.empty_lines = "default" %]
[% IF navigation.prev %] [ [% gettext("Prev") %] ] [% ELSE %] [ [% gettext("Prev") %] ] [% END %] [% IF links.get("index") %] [ [% gettext("Index") %] ] [% ELSE %] [ [% gettext("Index") %] ] [% END %] [% IF navigation.next %] [ [% gettext("Next") %] ] [% ELSE %] [ [% gettext("Next") %] ] [% END %]

[% page.title %]

[% page.body %]

[% IF not loop.last %]
[% END %]
zim-0.68-rc1/data/templates/html/Print.html0000664000175000017500000001466413112517463020456 0ustar jaapjaap00000000000000 [% title %] [% options.empty_lines = "default" %] [% FOR page IN pages %] [% page.content %] [% END %] zim-0.68-rc1/data/templates/html/Presentation.html0000664000175000017500000002032013112517463022017 0ustar jaapjaap00000000000000 [% title %] [% options.empty_lines = "default" %]

[% title %]

 
[% FOR page IN pages %] [% page.body %] [% END %]
 
[% IF navigation.prev -%] < [%- ELSE -%] < [%- END %] + [% IF navigation.next -%] > [%- ELSE -%] > [%- END %]
zim-0.68-rc1/data/templates/html/Default_with_index.html0000664000175000017500000001764013112517463023165 0ustar jaapjaap00000000000000 [% title %]
[% IF navigation.prev %] [ [% gettext("Prev") %] ] [% ELSE %] [ [% gettext("Prev") %] ] [% END %] [% IF links.get("index") %] [ [% gettext("Index") %] ] [% ELSE %] [ [% gettext("Index") %] ] [% END %] [% IF navigation.next %] [ [% gettext("Next") %] ] [% ELSE %] [ [% gettext("Next") %] ] [% END %]

[% options.empty_lines = "default" %]

[% page.title %]

[% page.body %]

[% IF not loop.last %]
[% END %]
zim-0.68-rc1/data/templates/html/SlideShow_(S5)/0000755000175000017500000000000013224751170021047 5ustar jaapjaap00000000000000zim-0.68-rc1/data/templates/html/SlideShow_(S5)/ui/0000755000175000017500000000000013224751170021464 5ustar jaapjaap00000000000000zim-0.68-rc1/data/templates/html/SlideShow_(S5)/ui/default/0000755000175000017500000000000013224751170023110 5ustar jaapjaap00000000000000zim-0.68-rc1/data/templates/html/SlideShow_(S5)/ui/default/print.css0000664000175000017500000000167113100604220024747 0ustar jaapjaap00000000000000/* The following rule is necessary to have all slides appear in print! DO NOT REMOVE IT! */ .slide, ul {page-break-inside: avoid; visibility: visible !important;} h1 {page-break-after: avoid;} body {font-size: 12pt; background: white;} * {color: black;} #slide0 h1 {font-size: 200%; border: none; margin: 0.5em 0 0.25em;} #slide0 h3 {margin: 0; padding: 0;} #slide0 h4 {margin: 0 0 0.5em; padding: 0;} #slide0 {margin-bottom: 3em;} h1 {border-top: 2pt solid gray; border-bottom: 1px dotted silver;} .extra {background: transparent !important;} div.extra, pre.extra, .example {font-size: 10pt; color: #333;} ul.extra a {font-weight: bold;} p.example {display: none;} #header {display: none;} #footer h1 {margin: 0; border-bottom: 1px solid; color: gray; font-style: italic;} #footer h2, #controls {display: none;} /* The following rule keeps the layout stuff out of print. Remove at your own risk! */ .layout, .layout * {display: none !important;} zim-0.68-rc1/data/templates/html/SlideShow_(S5)/ui/default/framing.css0000664000175000017500000000166613100604220025242 0ustar jaapjaap00000000000000/* The following styles size, place, and layer the slide components. Edit these if you want to change the overall slide layout. The commented lines can be uncommented (and modified, if necessary) to help you with the rearrangement process. */ /* target = 1024x768 */ div#header, div#footer, .slide {width: 100%; top: 0; left: 0;} div#header {top: 0; height: 3em; z-index: 1;} div#footer {top: auto; bottom: 0; height: 2.5em; z-index: 5;} .slide {top: 0; width: 92%; padding: 3.5em 4% 4%; z-index: 2; list-style: none;} div#controls {left: 50%; bottom: 0; width: 50%; z-index: 100;} div#controls form {position: absolute; bottom: 0; right: 0; width: 100%; margin: 0;} #currentSlide {position: absolute; width: 10%; left: 45%; bottom: 1em; z-index: 10;} html>body #currentSlide {position: fixed;} /* div#header {background: #FCC;} div#footer {background: #CCF;} div#controls {background: #BBD;} div#currentSlide {background: #FFC;} */ zim-0.68-rc1/data/templates/html/SlideShow_(S5)/ui/default/opera.css0000664000175000017500000000031713100604220024715 0ustar jaapjaap00000000000000/* DO NOT CHANGE THESE unless you really want to break Opera Show */ .slide { visibility: visible !important; position: static !important; page-break-before: always; } #slide0 {page-break-before: avoid;} zim-0.68-rc1/data/templates/html/SlideShow_(S5)/ui/default/pretty.css0000664000175000017500000000701513100604220025140 0ustar jaapjaap00000000000000/* Following are the presentation styles -- edit away! */ body {background: #FFF url(bodybg.gif) -16px 0 no-repeat; color: #000; font-size: 2em;} :link, :visited {text-decoration: none; color: #00C;} #controls :active {color: #88A !important;} #controls :focus {outline: 1px dotted #227;} h1, h2, h3, h4 {font-size: 100%; margin: 0; padding: 0; font-weight: inherit;} ul, pre {margin: 0; line-height: 1em;} html, body {margin: 0; padding: 0;} blockquote, q {font-style: italic;} blockquote {padding: 0 2em 0.5em; margin: 0 1.5em 0.5em; text-align: center; font-size: 1em;} blockquote p {margin: 0;} blockquote i {font-style: normal;} blockquote b {display: block; margin-top: 0.5em; font-weight: normal; font-size: smaller; font-style: normal;} blockquote b i {font-style: italic;} kbd {font-weight: bold; font-size: 1em;} sup {font-size: smaller; line-height: 1px;} .slide code {padding: 2px 0.25em; font-weight: bold; color: #533;} .slide code.bad, code del {color: red;} .slide code.old {color: silver;} .slide pre {padding: 0; margin: 0.25em 0 0.5em 0.5em; color: #533; font-size: 90%;} .slide pre code {display: block;} .slide ul {margin-left: 5%; margin-right: 7%; list-style: disc;} .slide li {margin-top: 0.75em; margin-right: 0;} .slide ul ul {line-height: 1;} .slide ul ul li {margin: .2em; font-size: 85%; list-style: square;} .slide img.leader {display: block; margin: 0 auto;} div#header, div#footer {background: #005; color: #AAB; font-family: Verdana, Helvetica, sans-serif;} div#header {background: #005 url(bodybg.gif) -16px 0 no-repeat; line-height: 1px;} div#footer {font-size: 0.5em; font-weight: bold; padding: 1em 0;} #footer h1, #footer h2 {display: block; padding: 0 1em;} #footer h2 {font-style: italic;} div.long {font-size: 0.75em;} .slide h1 {position: absolute; top: 0.7em; left: 87px; z-index: 1; margin: 0; padding: 0.3em 0 0 50px; white-space: nowrap; font: bold 150%/1em Helvetica, sans-serif; text-transform: capitalize; color: #DDE; background: #005;} .slide h3 {font-size: 130%;} h1 abbr {font-variant: small-caps;} div#controls {position: absolute; left: 50%; bottom: 0; width: 50%; text-align: right; font: bold 0.9em Verdana, Helvetica, sans-serif;} html>body div#controls {position: fixed; padding: 0 0 1em 0; top: auto;} div#controls form {position: absolute; bottom: 0; right: 0; width: 100%; margin: 0; padding: 0;} #controls #navLinks a {padding: 0; margin: 0 0.5em; background: #005; border: none; color: #779; cursor: pointer;} #controls #navList {height: 1em;} #controls #navList #jumplist {position: absolute; bottom: 0; right: 0; background: #DDD; color: #227;} #currentSlide {text-align: center; font-size: 0.5em; color: #449;} #slide0 {padding-top: 3.5em; font-size: 90%;} #slide0 h1 {position: static; margin: 1em 0 0; padding: 0; font: bold 2em Helvetica, sans-serif; white-space: normal; color: #000; background: transparent;} #slide0 h2 {font: bold italic 1em Helvetica, sans-serif; margin: 0.25em;} #slide0 h3 {margin-top: 1.5em; font-size: 1.5em;} #slide0 h4 {margin-top: 0; font-size: 1em;} ul.urls {list-style: none; display: inline; margin: 0;} .urls li {display: inline; margin: 0;} .note {display: none;} .external {border-bottom: 1px dotted gray;} html>body .external {border-bottom: none;} .external:after {content: " \274F"; font-size: smaller; color: #77B;} .incremental, .incremental *, .incremental *:after {color: #DDE; visibility: visible;} img.incremental {visibility: hidden;} .slide .current {color: #B02;} /* diagnostics li:after {content: " [" attr(class) "]"; color: #F88;} */zim-0.68-rc1/data/templates/html/SlideShow_(S5)/ui/default/bodybg.gif0000664000175000017500000002360713100604220025041 0ustar jaapjaap00000000000000GIF89aN絽ֽ!,N!u@BlM|?) Bc(, Fo1DEe,pmg٢pڈԸ< (8 e= qXdK Pq<8k:a D9U3 G  ;W[hQ[ L H5 2"A0g#p~T+uABU*4QmWJ`P2PUB t 恭tIJm!P:h( |!u nE Y$PLB,&^ C[b0KvsLP$ ԙ, x³(c- + f OR4ZC 7%# \ ;]?Z Cp6h,8X@7BUF-J@pFgyr_8`@Yh6Ɂbts%!QZP!uUw&H XBb Hw`aS,eF|@|< u%`2VNx@ژJU%T$M^;Ҁ<d$!^" p!{UsїbLg7p04X #SVksEA5CAd 玐**3haߎ4< E9X9{04C)މ{@,g#4o+'cp眫Z\M#@ 8L)o@^<YA~ N(7qfh(3B\a)ihƠ0@X(>$Qy)@"YL {4(Icɣg0.BQJC.!B%8 G?a FP^Tc e$WY5\8B9Ⳗdry#f E&dp Tk02o47q9m,4A_Q ![3PBkHF/ ~*@a:+9u?BFcŒ znB#RX"$ x8h|M8Ih^hTEbXmrBjl Hp`&Low`VGT@preXf[6@C$-42x'%ɐ\KQ4PX`n>|#^8t3/pB8[`X=T- =mF)z13NpAJkh!y8U&C+,C# `Plc!Lh6(=(J wڃ] 6g[DvY~롙 zTt0)O(UVix~6fzLC#P@ h7rʛr8uޭZ3am3ƍ) qDErg P;JB"@ɑ#ۦj0 +Cr(#R֐l$/P eY9;.}0FЙ[:/ Xl$X'p`8Qsp$l(\B [uVwzBfAs;8S%$:p 7C$ȿ\9f0m0 \jmDV-GzmrUtR<P:0:J mƼN1ރ `5P]~re"1~OM 3@"À u(JJ9P RSCRFsF` 4#4qA| PU9%# ԭ]*OֿB(C:z1NW <l$uauYC 0"j) u@ujϯģuZ([B1;@D4PD`  L2Z^ cf Fa'J3GP0ju<ǖPApP-G3?VBN,(t4yّmyzw1krݼM~ o:*uZ\g$0 M}zŭ}6gx鍹@1AGb.i.[pX. F1'v)*2DCF( &hf;ELJAv09#OT?jęH~l "pWQ)#^ !2¤U~. L%+ >Iu+LGAx{ُ#N!HnFp 0L[ʃ+AcY(KdH)Q ]Ao$%HyQaMVj tJ;cz QG(lT~_ MsH A$Do[|ohj`z1Z!~K J0a Z / 8D;4.?C !Sq[(I[ `">hm h 4RgY&L岙<(&m3eRH`)jb`tD`> qh DEaP @@|$P00H%$)PT$%,Ply~,Q-A8P=<)M-,yBXX5B@,,4r%QPp&v{R%Ԫ94<0@ شD$JT҆" Wes \8 vp; <*Hd5CÃզ4L>r@fΙy:Da*$g+0G n<vj&Pxv. J;z3pp zY0V+m>p-1Tʃ$Qع.߼ iv@&J;\l8P_!LnCR83 r{84l_= \}X@IA7l1"VJ<ޒOV? M5L[xKih?3n e m5ې3 C{GFژgd݃G.B+N^=xgќ z .Oq4ؾ/*Ңҭ]n|&xfg!;ɳHCOӻam] hmF30 㯠 vdG$/߫Dcȧ8oy , ;] l44zB#BD>]J8aFD;%B rHm5 ܠ/ѲWd$pU8EhxkPC]V >zTPKZ`$H 0%%eB頀*(٨Bl'3 j2IƈF]rXe(,- /r0n&z$&sH(Zgf 00L6@^f8P-m'ic_(cUf`d3J"i+(R]d  (ʤ VHK w+D ,X2lԧr3FsbXa+ ZD 5 9s*FgU>ؕ'R&)OcZ`VD\M4p'R*D"HnD3ֶnFe)in  `0\ui0s*:vaaDz4oT Z ņ`Y%WwB0v5HH  &a<)RrBx%"a*h.E 7αi@[ e7@rH>iz S*!RLQ l3$ 5%#9P[8/`n}~gOTE۠e" )atDĐpY@4PRi/KYh9FF@?TRڀFCaNN]v)}T  4.P~uA(_[vuh,Լ@U<dN؁G m&`_˷f9Ճ{y^!.ۜqe8,T7REō|&,5=YZXB`C48(X~ED `C^ D`t 7 bcY `PpAi|C)' 8(!Z3m`Ef[5a2 A] ufCf>L '" JP,z &$9pOu$"P񕔴G"UDb(ً̢qI -a !%(rb)>i>@,>#+ :E/fI)`h" ![c~.^F:I`<^m":^c11_N z=b>7y0$$e#"!E睢Vf$ɣz]mfZUPh2 wӽWej'M)L]s*}~RNP}'q%c-mڌ'"|.h~Vd0 ԧ>m8焖<\_'vΰh(]P [g-\u5a(2'e(3f (Y7h >ߎeV wf(B v v ܭYY(0X+5 6'A]]OliNQb6 m_¡(qU&>Vd_hƩi+t6"8VqcDʌ2ԜY1JF<@>]NL6+dD֌f(Ky<&7Yb)Pݤ՟9"-g[X(bfR d$<\He>LVah~?:,'|-#[E7i ebGYJl>`2Q}k (O)֙PRW!~e(a֞ î΋db\V)r=S$)µ NKEHl]aݵfTr^f=Z-iv!ōӣ$-Zkǒ&n[(F[вJ-n`4j*KR[:b&[!ł`n1֝&:d!1f\- -6˨2"B\^Bw*( c zG/ܪbY6 Qo͹R*V],$}Ʌa¡ѥ^ hwT/f҂9PL/(pUOlZN0-yX O=^́p:%1Pff\eڠf"b bިMnGs%X܂%H0[*f c`5 O.p+\Qo ZRZdO$$K.e8$%U()';zim-0.68-rc1/data/templates/html/SlideShow_(S5)/ui/default/slides.js0000664000175000017500000003660613100604220024730 0ustar jaapjaap00000000000000// S5 v1.1 slides.js -- released into the Public Domain // // Please see http://www.meyerweb.com/eric/tools/s5/credits.html for information // about all the wonderful and talented contributors to this code! var undef; var slideCSS = ''; var snum = 0; var smax = 1; var incpos = 0; var number = undef; var s5mode = true; var defaultView = 'slideshow'; var controlVis = 'visible'; var isIE = navigator.appName == 'Microsoft Internet Explorer' && navigator.userAgent.indexOf('Opera') < 1 ? 1 : 0; var isOp = navigator.userAgent.indexOf('Opera') > -1 ? 1 : 0; var isGe = navigator.userAgent.indexOf('Gecko') > -1 && navigator.userAgent.indexOf('Safari') < 1 ? 1 : 0; function hasClass(object, className) { if (!object.className) return false; return (object.className.search('(^|\\s)' + className + '(\\s|$)') != -1); } function hasValue(object, value) { if (!object) return false; return (object.search('(^|\\s)' + value + '(\\s|$)') != -1); } function removeClass(object,className) { if (!object) return; object.className = object.className.replace(new RegExp('(^|\\s)'+className+'(\\s|$)'), RegExp.$1+RegExp.$2); } function addClass(object,className) { if (!object || hasClass(object, className)) return; if (object.className) { object.className += ' '+className; } else { object.className = className; } } function GetElementsWithClassName(elementName,className) { var allElements = document.getElementsByTagName(elementName); var elemColl = new Array(); for (var i = 0; i< allElements.length; i++) { if (hasClass(allElements[i], className)) { elemColl[elemColl.length] = allElements[i]; } } return elemColl; } function isParentOrSelf(element, id) { if (element == null || element.nodeName=='BODY') return false; else if (element.id == id) return true; else return isParentOrSelf(element.parentNode, id); } function nodeValue(node) { var result = ""; if (node.nodeType == 1) { var children = node.childNodes; for (var i = 0; i < children.length; ++i) { result += nodeValue(children[i]); } } else if (node.nodeType == 3) { result = node.nodeValue; } return(result); } function slideLabel() { var slideColl = GetElementsWithClassName('*','slide'); var list = document.getElementById('jumplist'); smax = slideColl.length; for (var n = 0; n < smax; n++) { var obj = slideColl[n]; var did = 'slide' + n.toString(); obj.setAttribute('id',did); if (isOp) continue; var otext = ''; var menu = obj.firstChild; if (!menu) continue; // to cope with empty slides while (menu && menu.nodeType == 3) { menu = menu.nextSibling; } if (!menu) continue; // to cope with slides with only text nodes var menunodes = menu.childNodes; for (var o = 0; o < menunodes.length; o++) { otext += nodeValue(menunodes[o]); } list.options[list.length] = new Option(n + ' : ' + otext, n); } } function currentSlide() { var cs; if (document.getElementById) { cs = document.getElementById('currentSlide'); } else { cs = document.currentSlide; } cs.innerHTML = '' + snum + '<\/span> ' + '\/<\/span> ' + '' + (smax-1) + '<\/span>'; if (snum == 0) { cs.style.visibility = 'hidden'; } else { cs.style.visibility = 'visible'; } } function go(step) { if (document.getElementById('slideProj').disabled || step == 0) return; var jl = document.getElementById('jumplist'); var cid = 'slide' + snum; var ce = document.getElementById(cid); if (incrementals[snum].length > 0) { for (var i = 0; i < incrementals[snum].length; i++) { removeClass(incrementals[snum][i], 'current'); removeClass(incrementals[snum][i], 'incremental'); } } if (step != 'j') { snum += step; lmax = smax - 1; if (snum > lmax) snum = lmax; if (snum < 0) snum = 0; } else snum = parseInt(jl.value); var nid = 'slide' + snum; var ne = document.getElementById(nid); if (!ne) { ne = document.getElementById('slide0'); snum = 0; } if (step < 0) {incpos = incrementals[snum].length} else {incpos = 0;} if (incrementals[snum].length > 0 && incpos == 0) { for (var i = 0; i < incrementals[snum].length; i++) { if (hasClass(incrementals[snum][i], 'current')) incpos = i + 1; else addClass(incrementals[snum][i], 'incremental'); } } if (incrementals[snum].length > 0 && incpos > 0) addClass(incrementals[snum][incpos - 1], 'current'); ce.style.visibility = 'hidden'; ne.style.visibility = 'visible'; jl.selectedIndex = snum; currentSlide(); number = 0; } function goTo(target) { if (target >= smax || target == snum) return; go(target - snum); } function subgo(step) { if (step > 0) { removeClass(incrementals[snum][incpos - 1],'current'); removeClass(incrementals[snum][incpos], 'incremental'); addClass(incrementals[snum][incpos],'current'); incpos++; } else { incpos--; removeClass(incrementals[snum][incpos],'current'); addClass(incrementals[snum][incpos], 'incremental'); addClass(incrementals[snum][incpos - 1],'current'); } } function toggle() { var slideColl = GetElementsWithClassName('*','slide'); var slides = document.getElementById('slideProj'); var outline = document.getElementById('outlineStyle'); if (!slides.disabled) { slides.disabled = true; outline.disabled = false; s5mode = false; fontSize('1em'); for (var n = 0; n < smax; n++) { var slide = slideColl[n]; slide.style.visibility = 'visible'; } } else { slides.disabled = false; outline.disabled = true; s5mode = true; fontScale(); for (var n = 0; n < smax; n++) { var slide = slideColl[n]; slide.style.visibility = 'hidden'; } slideColl[snum].style.visibility = 'visible'; } } function showHide(action) { var obj = GetElementsWithClassName('*','hideme')[0]; switch (action) { case 's': obj.style.visibility = 'visible'; break; case 'h': obj.style.visibility = 'hidden'; break; case 'k': if (obj.style.visibility != 'visible') { obj.style.visibility = 'visible'; } else { obj.style.visibility = 'hidden'; } break; } } // 'keys' code adapted from MozPoint (http://mozpoint.mozdev.org/) function keys(key) { if (!key) { key = event; key.which = key.keyCode; } if (key.which == 84) { toggle(); return; } if (s5mode) { switch (key.which) { case 10: // return case 13: // enter if (window.event && isParentOrSelf(window.event.srcElement, 'controls')) return; if (key.target && isParentOrSelf(key.target, 'controls')) return; if(number != undef) { goTo(number); break; } case 32: // spacebar case 34: // page down case 39: // rightkey case 40: // downkey if(number != undef) { go(number); } else if (!incrementals[snum] || incpos >= incrementals[snum].length) { go(1); } else { subgo(1); } break; case 33: // page up case 37: // leftkey case 38: // upkey if(number != undef) { go(-1 * number); } else if (!incrementals[snum] || incpos <= 0) { go(-1); } else { subgo(-1); } break; case 36: // home goTo(0); break; case 35: // end goTo(smax-1); break; case 67: // c showHide('k'); break; } if (key.which < 48 || key.which > 57) { number = undef; } else { if (window.event && isParentOrSelf(window.event.srcElement, 'controls')) return; if (key.target && isParentOrSelf(key.target, 'controls')) return; number = (((number != undef) ? number : 0) * 10) + (key.which - 48); } } return false; } function clicker(e) { number = undef; var target; if (window.event) { target = window.event.srcElement; e = window.event; } else target = e.target; if (target.getAttribute('href') != null || hasValue(target.rel, 'external') || isParentOrSelf(target, 'controls') || isParentOrSelf(target,'embed') || isParentOrSelf(target,'object')) return true; if (!e.which || e.which == 1) { if (!incrementals[snum] || incpos >= incrementals[snum].length) { go(1); } else { subgo(1); } } } function findSlide(hash) { var target = null; var slides = GetElementsWithClassName('*','slide'); for (var i = 0; i < slides.length; i++) { var targetSlide = slides[i]; if ( (targetSlide.name && targetSlide.name == hash) || (targetSlide.id && targetSlide.id == hash) ) { target = targetSlide; break; } } while(target != null && target.nodeName != 'BODY') { if (hasClass(target, 'slide')) { return parseInt(target.id.slice(5)); } target = target.parentNode; } return null; } function slideJump() { if (window.location.hash == null) return; var sregex = /^#slide(\d+)$/; var matches = sregex.exec(window.location.hash); var dest = null; if (matches != null) { dest = parseInt(matches[1]); } else { dest = findSlide(window.location.hash.slice(1)); } if (dest != null) go(dest - snum); } function fixLinks() { var thisUri = window.location.href; thisUri = thisUri.slice(0, thisUri.length - window.location.hash.length); var aelements = document.getElementsByTagName('A'); for (var i = 0; i < aelements.length; i++) { var a = aelements[i].href; var slideID = a.match('\#slide[0-9]{1,2}'); if ((slideID) && (slideID[0].slice(0,1) == '#')) { var dest = findSlide(slideID[0].slice(1)); if (dest != null) { if (aelements[i].addEventListener) { aelements[i].addEventListener("click", new Function("e", "if (document.getElementById('slideProj').disabled) return;" + "go("+dest+" - snum); " + "if (e.preventDefault) e.preventDefault();"), true); } else if (aelements[i].attachEvent) { aelements[i].attachEvent("onclick", new Function("", "if (document.getElementById('slideProj').disabled) return;" + "go("+dest+" - snum); " + "event.returnValue = false;")); } } } } } function externalLinks() { if (!document.getElementsByTagName) return; var anchors = document.getElementsByTagName('a'); for (var i=0; i' + '