catfish-1.4.4/0000775000175000017500000000000013233171023015070 5ustar bluesabrebluesabre00000000000000catfish-1.4.4/INSTALL0000664000175000017500000000045513231757000016130 0ustar bluesabrebluesabre000000000000001. Unpack the archive. 2. To build catfish run ./configure make 3. To install catfish run either (sudo) make install or (sudo) checkinstall 4. For a list of command line options run catfish --help 5. To create a distributable package of catfish run make debcatfish-1.4.4/catfish/0000775000175000017500000000000013233171023016511 5ustar bluesabrebluesabre00000000000000catfish-1.4.4/catfish/AboutCatfishDialog.py0000664000175000017500000000254713233061361022572 0ustar bluesabrebluesabre00000000000000#!/usr/bin/env python # -*- Mode: Python; coding: utf-8; indent-tabs-mode: nil; tab-width: 4 -*- # Catfish - a versatile file searching tool # Copyright (C) 2007-2012 Christian Dywan # Copyright (C) 2012-2018 Sean Davis # # This program is free software: you can redistribute it and/or modify it # under the terms of the GNU General Public License version 2, as published # by the Free Software Foundation. # # This program is distributed in the hope that it will be useful, but # WITHOUT ANY WARRANTY; without even the implied warranties of # MERCHANTABILITY, SATISFACTORY QUALITY, 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, see . import logging from catfish_lib.AboutDialog import AboutDialog logger = logging.getLogger('catfish') # See catfish_lib.AboutDialog.py for more details about how this class works. class AboutCatfishDialog(AboutDialog): """Creates the about dialog for catfish""" __gtype_name__ = "AboutCatfishDialog" def finish_initializing(self, builder): # pylint: disable=E1002 """Set up the about dialog""" super(AboutCatfishDialog, self).finish_initializing(builder) catfish-1.4.4/catfish/__init__.py0000664000175000017500000000623013233062167020633 0ustar bluesabrebluesabre00000000000000#!/usr/bin/env python # -*- Mode: Python; coding: utf-8; indent-tabs-mode: nil; tab-width: 4 -*- # Catfish - a versatile file searching tool # Copyright (C) 2007-2012 Christian Dywan # Copyright (C) 2012-2018 Sean Davis # # This program is free software: you can redistribute it and/or modify it # under the terms of the GNU General Public License version 2, as published # by the Free Software Foundation. # # This program is distributed in the hope that it will be useful, but # WITHOUT ANY WARRANTY; without even the implied warranties of # MERCHANTABILITY, SATISFACTORY QUALITY, 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, see . import optparse from locale import gettext as _ import gi gi.require_version('Gtk', '3.0') # noqa from gi.repository import Gtk from catfish import CatfishWindow from catfish_lib import set_up_logging, get_version import signal def parse_options(): """Support for command line options""" usage = _("Usage: %prog [options] path query") parser = optparse.OptionParser(version="catfish %s" % get_version(), usage=usage) parser.add_option( "-v", "--verbose", action="count", dest="verbose", help=_("Show debug messages (-vv debugs catfish_lib also)")) parser.add_option('', '--large-icons', action='store_true', dest='icons_large', help=_('Use large icons')) parser.add_option('', '--thumbnails', action='store_true', dest='thumbnails', help=_('Use thumbnails')) parser.add_option('', '--iso-time', action='store_true', dest='time_iso', help=_('Display time in ISO format')) # Translators: Do not translate PATH, it is a variable. parser.add_option('', '--path', help=optparse.SUPPRESS_HELP) parser.add_option('', '--exact', action='store_true', help=_('Perform exact match')) parser.add_option('', '--hidden', action='store_true', help=_('Include hidden files')) parser.add_option('', '--fulltext', action='store_true', help=_('Perform fulltext search')) parser.add_option('', '--start', action='store_true', help=_("If path and query are provided, start searching " "when the application is displayed.")) parser.set_defaults(icons_large=0, thumbnails=0, time_iso=0, path=None, start=False, exact=0, hidden=0, fulltext=0, file_action='open') (options, args) = parser.parse_args() set_up_logging(options) return (options, args) def main(): 'constructor for your class instances' options, args = parse_options() # Run the application. window = CatfishWindow.CatfishWindow() window.parse_options(options, args) window.show() # Allow application shutdown with Ctrl-C in terminal signal.signal(signal.SIGINT, signal.SIG_DFL) Gtk.main() catfish-1.4.4/catfish/CatfishSearchEngine.py0000664000175000017500000004633613233061366022744 0ustar bluesabrebluesabre00000000000000#!/usr/bin/env python # -*- Mode: Python; coding: utf-8; indent-tabs-mode: nil; tab-width: 4 -*- # Catfish - a versatile file searching tool # Copyright (C) 2007-2012 Christian Dywan # Copyright (C) 2012-2018 Sean Davis # # This program is free software: you can redistribute it and/or modify it # under the terms of the GNU General Public License version 2, as published # by the Free Software Foundation. # # This program is distributed in the hope that it will be useful, but # WITHOUT ANY WARRANTY; without even the implied warranties of # MERCHANTABILITY, SATISFACTORY QUALITY, 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, see . import logging import io import os import signal import subprocess import time from itertools import permutations from mimetypes import guess_type from sys import version_info try: from zeitgeist.client import ZeitgeistDBusInterface from zeitgeist.datamodel import Event, TimeRange from zeitgeist import datamodel iface = ZeitgeistDBusInterface() zeitgeist_support = True except Exception: zeitgeist_support = False logger = logging.getLogger('catfish_search') python3 = version_info[0] > 2 engine_count = 0 FNULL = open(os.devnull, 'w') if subprocess.call(['which', 'locate'], stdout=FNULL, stderr=subprocess.STDOUT) == 0: locate_support = True else: locate_support = False FNULL.close() def string_regex(keywords, path): """Returns a string with the regular expression containing all combinations of the keywords.""" keywords = keywords.split() if len(keywords) == 0: return '' if len(keywords) == 1: return keywords[0] regex = "" count = 0 for p in permutations(keywords): if count != 0: regex += "|" for i in range(len(p)): if i == 0: string = p[i] else: string += "(.)*" + p[i] regex += string count += 1 return regex class CatfishSearchEngine: """CatfishSearchEngine is the collection of search backends that are used to perform a query. Each backend is a CatfishSearchMethod""" def __init__(self, methods=['zeitgeist', 'locate', 'walk']): """Initialize the CatfishSearchEngine. Provide a list of methods to be included in the search backends. Available backends include: fulltext 'os.walk' and 'file.readline' to search inside files. locate System 'locate' to search for files. walk 'os.walk' to search for files (like find). zeitgeist Zeitgeist indexing service to search for files. """ global engine_count engine_count += 1 self.engine_id = engine_count logger.debug( "[%i] engine initializing with methods: %s", self.engine_id, str(methods)) self.methods = [] if 'zeitgeist' in methods: if zeitgeist_support: self.add_method(CatfishSearchMethod_Zeitgeist) if 'locate' in methods: if locate_support: self.add_method(CatfishSearchMethod_Locate) if 'fulltext' in methods: self.add_method(CatfishSearchMethod_Fulltext) if 'walk' in methods: self.add_method(CatfishSearchMethod_Walk) initialized = [] for method in self.methods: initialized.append(method.method_name) logger.debug( "[%i] engine initialized with methods: %s", self.engine_id, str(initialized)) self.start_time = 0.0 def __del__(self): logger.debug("[%i] engine destroyed", self.engine_id) def add_method(self, method_class): """Add a CatfishSearchMethod the the engine's search backends.""" self.methods.append(method_class()) def run(self, keywords, path, limit=-1, regex=False): # noqa """Run the CatfishSearchEngine. Each method is run sequentially in the order they are added. This function is a generator. With each filename reviewed, the filename is yielded if it matches the query. False is also yielded afterwards to guarantee the interface does not lock up.""" self.start_time = time.time() self.stop_time = 0 keywords = keywords.replace(',', ' ').strip().lower() logger.debug("[%i] path: %s, keywords: %s, limit: %i, regex: %s", self.engine_id, str(path), str(keywords), limit, str(regex)) self.keywords = keywords wildcard_chunks = [] for key in self.keywords.split(): if '*' in key: wildcard_chunks.append(key.split('*')) keywords = keywords.replace('*', ' ') # For simplicity, make sure the path contains a trailing '/' if not path.endswith('/'): path += '/' # Transform the keywords into a clean list. keys = [] for key in keywords.split(): keys.append(key.strip()) # Path exclusions for efficiency exclude = [] cache_path = os.path.expanduser("~/.cache") if cache_path not in path: exclude.append(cache_path) gvfs_path = os.path.expanduser("~/.gvfs") if gvfs_path not in path: exclude.append(gvfs_path) file_count = 0 for method in self.methods: if self.stop_time > 0: logger.debug("Engine is stopped") return logger.debug( "[%i] Starting search method: %s", self.engine_id, method.method_name) for filename in method.run(keywords, path, regex): if isinstance(filename, str) and path in filename: found_bad = False for filepath in exclude: if filepath in filename: if self.stop_time > 0: logger.debug("Engine is stopped") return found_bad = True if found_bad: yield True continue if method.method_name == 'fulltext' or \ all(key in os.path.basename(filename).lower() for key in keys): # Remove the URI portion of the filename if present. if filename.startswith('file://'): filename = filename[7:] if filename.startswith('mailbox://'): filename = filename[10:] filename = filename[:filename.index('?')] # Remove whitespace from the filename. filename = filename.strip() if len(wildcard_chunks) == 0 or \ method.method_name == 'fulltext': yield filename file_count += 1 else: try: file_pass = True for chunk in wildcard_chunks: last_index = -1 for portion in chunk: lower = filename.lower() str_index = lower.index( portion.lower()) if last_index < str_index: last_index = str_index elif portion == '': pass else: file_pass = False break if file_pass: yield filename file_count += 1 except ValueError: pass # Stop running if we've reached the optional limit. if file_count == limit: self.stop() return yield False self.stop() def set_exact(self, exact): """Set method for exact""" # Only for fulltext engine for method in self.methods: method.exact = exact def stop(self): """Stop all running methods.""" for method in self.methods: method.stop() self.stop_time = time.time() clock = self.stop_time - self.start_time logger.debug("[%i] Last query: %f seconds", self.engine_id, clock) class CatfishSearchMethod: """The base CatfishSearchMethod class, to be inherited by defined methods.""" def __init__(self, method_name): """Base CatfishSearchMethod Initializer.""" self.method_name = method_name def run(self, keywords, path, regex=False): """Base CatfishSearchMethod run method.""" return NotImplemented def stop(self): """Base CatfishSearchMethod stop method.""" return NotImplemented def is_running(self): """Base CatfishSearchMethod is_running method.""" return False class CatfishSearchMethod_Walk(CatfishSearchMethod): """Search Method utilizing python 'os.walk'. This is used as a replacement for the 'find' search method, which is difficult to interrupt and is slower than os.walk.""" def __init__(self): """Initialize the 'walk' Search Method.""" CatfishSearchMethod.__init__(self, "walk") def run(self, keywords, path, regex=False): """Run the search method using keywords and path. regex is not used by this search method. This function is a generator and will yield files as they are found or True if still running.""" exclude = [] cache_path = os.path.expanduser("~/.cache") if cache_path not in path: exclude.append(cache_path) gvfs_path = os.path.expanduser("~/.gvfs") if gvfs_path not in path: exclude.append(gvfs_path) self.running = True if isinstance(keywords, str): keywords = keywords.replace(',', ' ').strip().split() for root, dirs, files in os.walk(path, False): dirs[:] = [d for d in dirs if os.path.join(root, d) not in exclude] if not self.running: break paths = dirs + files paths.sort() for path in paths: if any(keyword in path.lower() for keyword in keywords): yield os.path.join(root, path) yield True yield False def stop(self): """Stop the running search method.""" self.running = False def is_running(self): """Poll the search method to see if it still running.""" return self.running class CatfishSearchMethod_Fulltext(CatfishSearchMethod): """Search Method utilizing python 'os.walk' and 'file.readline'. This is used as a replacement for the 'find' search method, which is difficult to interrupt and is slower than os.walk.""" def __init__(self): """Initialize the 'fulltext' search method.""" CatfishSearchMethod.__init__(self, "fulltext") self.force_stop = False self.running = False self.exact = False def run(self, keywords, path, regex=False): # noqa """Run the search method using keywords and path. regex is not used by this search method. This function is a generator and will yield files as they are found or True if still running.""" self.running = True find_keywords_backup = [] if not self.exact: # Split the keywords into a list if they are not already. if isinstance(keywords, str): keywords = keywords.replace(',', ' ').strip().split() for keyword in keywords: if keyword not in find_keywords_backup: find_keywords_backup.append(keyword) # Start walking the folder structure. for root, dirs, files in os.walk(path): if self.force_stop: break for filename in files: if self.force_stop: break # If the filetype is known to not be text, move along. mime = guess_type(filename)[0] if not mime or 'text' in mime: try: opened = open(os.path.join(root, filename), 'r') find_keywords = find_keywords_backup # Check each line. If a keyword is found, yield. try: for line in opened: if self.force_stop: break if self.exact: if keywords in line: yield os.path.join(root, filename) break else: if any(keyword in line.lower() for keyword in keywords): found_keywords = [] for find_keyword in find_keywords: if find_keyword in line.lower(): found_keywords.append( find_keyword) for found_keyword in found_keywords: find_keywords.remove(found_keyword) if len(find_keywords) == 0: yield os.path.join(root, filename) break except UnicodeDecodeError: pass opened.close() except IOError: pass yield True yield False self.force_stop = False self.running = False def stop(self): """Stop the running search method.""" self.force_stop = True def is_running(self): """Poll the search method to see if it still running.""" return self.running class CatfishSearchMethod_Zeitgeist(CatfishSearchMethod): """Search Method utilziing python's Zeitgeist integration. This is used to provide the fastest results, usually benefitting search suggestions.""" def __init__(self): """Initialize the Zeitgeist SearchMethod.""" CatfishSearchMethod.__init__(self, "zeitgeist") def run(self, keywords, path, regex=False): """Run the Zeitgeist SearchMethod.""" self.stop_search = False event_template = Event() time_range = TimeRange.from_seconds_ago(60 * 3600 * 24) # 60 days at most results = iface.FindEvents( time_range, # (min_timestamp, max_timestamp) in milliseconds [event_template, ], datamodel.StorageState.Any, 1000, datamodel.ResultType.MostRecentSubjects ) results = (datamodel.Event(result) for result in results) uniques = [] for event in results: if self.stop_search: break for subject in event.get_subjects(): uri = str(subject.uri) if uri.startswith('file://'): fullname = str(uri[7:]) filepath, filename = os.path.split(fullname) if keywords.lower() in filename and \ uri not in uniques and \ path in filepath: uniques.append(uri) yield fullname self.stop_search = True def stop(self): """Stop the Zeitgeist SearchMethod.""" self.stop_search = True def is_running(self): """Return True if the Zeitgeist SearchMethod is running.""" return self.stop_search is False class CatfishSearchMethodExternal(CatfishSearchMethod): """The base CatfishSearchMethodExternal class, which is used for getting results from shell queries.""" def __init__(self, method_name): """Initialize the external method class.""" CatfishSearchMethod.__init__(self, method_name) self.pid = -1 self.command = [] self.process = None def assemble_query(self, keywords, path): """Base assemble_query method.""" return None def run(self, keywords, path, regex=False): """Run the search method using keywords and path. This function returns the process.stdout generator and will yield files as they are found.""" # Start the command thread, and store the thread number so we can kill # it if necessary. command = None if regex: command = self.assemble_query(keywords, path) if not command: command = [item.replace('%keywords', keywords) for item in self.command] command = [item.replace('%path', path) for item in command] self.process = subprocess.Popen(command, stdout=subprocess.PIPE, stderr=subprocess.PIPE, shell=False) self.pid = self.process.pid return self.process_output(self.process.stdout) def process_output(self, output): """Return the output text.""" if isinstance(output, io.BufferedReader): return map(lambda s: s.decode(encoding='UTF8').strip(), output.readlines()) else: return output def status(self): """Return the current search status.""" try: return self.process.poll() except AttributeError: return None def stop(self): """Stop the command thread.""" if self.process: self.process.terminate() if self.pid > 0: try: os.kill(self.pid, signal.SIGKILL) except OSError: pass self.pid = 0 def is_running(self): """Return True if the query is running.""" return self.status() is not None class CatfishSearchMethod_Locate(CatfishSearchMethodExternal): """External Search Method utilizing the system command 'locate'.""" def __init__(self): """Initialize the Locate SearchMethod.""" CatfishSearchMethodExternal.__init__(self, "locate") self.command = ["locate", "-i", "%path*%keywords*", "--existing"] def assemble_query(self, keywords, path): """Assemble the search query.""" return ["locate", "--regex", "--basename", "-i", "{}".format(string_regex(keywords, path))] catfish-1.4.4/catfish/CatfishWindow.py0000664000175000017500000020307513233061373021651 0ustar bluesabrebluesabre00000000000000#!/usr/bin/env python # -*- Mode: Python; coding: utf-8; indent-tabs-mode: nil; tab-width: 4 -*- # Catfish - a versatile file searching tool # Copyright (C) 2007-2012 Christian Dywan # Copyright (C) 2012-2018 Sean Davis # # This program is free software: you can redistribute it and/or modify it # under the terms of the GNU General Public License version 2, as published # by the Free Software Foundation. # # This program is distributed in the hope that it will be useful, but # WITHOUT ANY WARRANTY; without even the implied warranties of # MERCHANTABILITY, SATISFACTORY QUALITY, 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, see . import datetime import hashlib import logging import mimetypes import os import subprocess import time from locale import gettext as _ from shutil import copy2, rmtree from xml.sax.saxutils import escape import pexpect from gi.repository import Gdk, GdkPixbuf, GLib, GObject, Gtk, Pango from catfish.AboutCatfishDialog import AboutCatfishDialog from catfish.CatfishSearchEngine import CatfishSearchEngine from catfish_lib import catfishconfig, helpers from catfish_lib import CatfishSettings, SudoDialog, Window logger = logging.getLogger('catfish') # Initialize Gtk, GObject, and mimetypes if not helpers.check_gobject_version(3, 9, 1): GObject.threads_init() GLib.threads_init() mimetypes.init() def get_application_path(application_name): for path in os.getenv('PATH').split(':'): if os.path.isdir(path): if application_name in os.listdir(path): return os.path.join(path, application_name) return None def application_in_PATH(application_name): """Return True if the application name is found in PATH.""" return get_application_path(application_name) is not None def is_file_hidden(folder, filename): """Return TRUE if file is hidden or in a hidden directory.""" relative = filename.lstrip(folder) splitpath = os.path.split(relative) while splitpath[1] != '': if splitpath[1][0] == '.': return True splitpath = os.path.split(splitpath[0]) return False def surrogate_escape(text, replace=False): """Replace non-UTF8 characters with something displayable. If replace is True, display (invalid encoding) after the text.""" try: text.encode('utf-8') except UnicodeEncodeError: text = text.encode('utf-8', errors='surrogateescape').decode( 'utf-8', errors='replace') if replace: # Translators: this text is displayed next to # a filename that is not utf-8 encoded. text = _("%s (invalid encoding)") % text except UnicodeDecodeError: text = text.decode('utf-8', errors='replace') return text def get_thumbnails_directory(): '''Return the thumbnail directory for the current user.''' try: major, minor, micro = GLib.glib_version if (major >= 2 and minor >= 34): thumbs = os.path.join(GLib.get_user_cache_dir(), 'thumbnails/') else: thumbs = os.path.join(GLib.get_home_dir(), '.thumbnails/') except Exception: thumbs = os.path.join(GLib.get_user_cache_dir(), 'thumbnails/') return thumbs # See catfish_lib.Window.py for more details about how this class works class CatfishWindow(Window): """The application window.""" __gtype_name__ = "CatfishWindow" filter_timerange = (0.0, 9999999999.0) start_date = datetime.datetime.now() end_date = datetime.datetime.now() filter_formats = {'documents': False, 'folders': False, 'images': False, 'music': False, 'videos': False, 'applications': False, 'other': False, 'exact': False, 'hidden': False, 'fulltext': False} filter_custom_extensions = [] filter_custom_use_mimetype = False mimetypes = dict() search_in_progress = False def finish_initializing(self, builder): # pylint: disable=E1002 """Set up the main window""" super(CatfishWindow, self).finish_initializing(builder) self.set_wmclass("Catfish", "Catfish") self.AboutDialog = AboutCatfishDialog # -- Folder Chooser Combobox -- # self.folderchooser = builder.get_named_object("toolbar.folderchooser") # -- Search Entry and Completion -- # self.search_entry = builder.get_named_object("toolbar.search") self.suggestions_engine = CatfishSearchEngine(['zeitgeist']) completion = Gtk.EntryCompletion() self.search_entry.set_completion(completion) listmodel = Gtk.ListStore(str) completion.set_model(listmodel) completion.set_text_column(0) # -- App Menu -- # self.exact_match = builder.get_named_object("menus.application.exact") self.hidden_files = builder.get_named_object( "menus.application.hidden") self.fulltext = builder.get_named_object("menus.application.fulltext") self.sidebar_toggle_menu = builder.get_named_object( "menus.application.advanced") # -- Sidebar -- # self.button_time_custom = builder.get_named_object( "sidebar.modified.options") self.button_format_custom = builder.get_named_object( "sidebar.filetype.options") # -- Status Bar -- * # Create a new GtkOverlay to hold the # results list and Overlay Statusbar overlay = Gtk.Overlay() # Move the results list to the overlay and # place the overlay in the window scrolledwindow = builder.get_named_object("results.scrolled_window") parent = scrolledwindow.get_parent() scrolledwindow.reparent(overlay) parent.add(overlay) overlay.show() # Create the overlay statusbar self.statusbar = Gtk.EventBox() self.statusbar.get_style_context().add_class("background") self.statusbar.get_style_context().add_class("floating-bar") self.statusbar.connect("draw", self.on_floating_bar_draw) self.statusbar.connect("enter-notify-event", self.on_floating_bar_enter_notify) self.statusbar.set_halign(Gtk.Align.START) self.statusbar.set_valign(Gtk.Align.END) # Put the statusbar in the overlay overlay.add_overlay(self.statusbar) # Pack the spinner and label self.spinner = Gtk.Spinner() self.spinner.start() self.statusbar_label = Gtk.Label() self.statusbar_label.show() box = Gtk.Box() box.set_orientation(Gtk.Orientation.HORIZONTAL) box.pack_start(self.spinner, False, False, 0) box.pack_start(self.statusbar_label, False, False, 0) box.set_margin_left(6) box.set_margin_top(3) box.set_margin_right(6) box.set_margin_bottom(3) self.spinner.set_margin_right(3) box.show() self.statusbar.add(box) self.statusbar.set_halign(Gtk.Align.END) self.statusbar.hide() self.icon_cache_size = 0 self.list_toggle = builder.get_named_object("toolbar.view.list") self.thumbnail_toggle = builder.get_named_object("toolbar.view.thumbs") # -- Treeview -- # self.treeview = builder.get_named_object("results.treeview") self.treeview.enable_model_drag_source( Gdk.ModifierType.BUTTON1_MASK, [('text/plain', Gtk.TargetFlags.OTHER_APP, 0)], Gdk.DragAction.DEFAULT | Gdk.DragAction.COPY) self.treeview.drag_source_add_text_targets() self.file_menu = builder.get_named_object("menus.file.menu") self.file_menu_save = builder.get_named_object("menus.file.save") self.file_menu_delete = builder.get_named_object("menus.file.delete") self.treeview_click_on = False # -- Update Search Index Dialog -- # menuitem = builder.get_named_object("menus.application.update") if SudoDialog.check_dependencies(['locate', 'updatedb']): self.update_index_dialog = \ builder.get_named_object("dialogs.update.dialog") self.update_index_database = \ builder.get_named_object("dialogs.update.database_label") self.update_index_modified = \ builder.get_named_object("dialogs.update.modified_label") self.update_index_infobar = \ builder.get_named_object("dialogs.update.status_infobar") self.update_index_icon = \ builder.get_named_object("dialogs.update.status_icon") self.update_index_label = \ builder.get_named_object("dialogs.update.status_label") self.update_index_close = \ builder.get_named_object("dialogs.update.close_button") self.update_index_unlock = \ builder.get_named_object("dialogs.update.unlock_button") self.update_index_active = False self.last_modified = 0 now = datetime.datetime.now() self.today = datetime.datetime(now.year, now.month, now.day) locate, locate_path, locate_date = self.check_locate()[:3] self.update_index_database.set_label("%s" % locate_path) if not os.access(os.path.dirname(locate_path), os.R_OK): modified = _("Unknown") elif os.path.isfile(locate_path): modified = locate_date.strftime("%x %X") else: modified = _("Never") self.update_index_modified.set_label("%s" % modified) if locate_date < self.today - datetime.timedelta(days=7): infobar = builder.get_named_object("infobar.infobar") infobar.show() else: menuitem.hide() self.format_mimetype_box = \ builder.get_named_object("dialogs.filetype.mimetypes.box") self.extensions_entry = \ builder.get_named_object("dialogs.filetype.extensions.entry") self.search_engine = CatfishSearchEngine() self.icon_cache = {} self.icon_theme = Gtk.IconTheme.get_default() self.selected_filenames = [] self.rows = [] self.settings = CatfishSettings.CatfishSettings() self.refresh_search_entry() filetype_filters = builder.get_object("filetype_options") filetype_filters.connect( "row-activated", self.on_file_filters_changed, builder) modified_filters = builder.get_object("modified_options") modified_filters.connect( "row-activated", self.on_modified_filters_changed, builder) self.popovers = dict() extension_filter = builder.get_object("filter_extensions") extension_filter.connect( "search-changed", self.on_filter_extensions_changed) start_calendar = self.builder.get_named_object( "dialogs.date.start_calendar") end_calendar = self.builder.get_named_object( "dialogs.date.end_calendar") start_calendar.connect("day-selected", self.on_calendar_day_changed) end_calendar.connect("day-selected", self.on_calendar_day_changed) self.app_menu_event = False def on_calendar_day_changed(self, widget): start_calendar = self.builder.get_named_object( "dialogs.date.start_calendar") end_calendar = self.builder.get_named_object( "dialogs.date.end_calendar") start_date = start_calendar.get_date() self.start_date = datetime.datetime(start_date[0], start_date[1] + 1, start_date[2]) end_date = end_calendar.get_date() self.end_date = datetime.datetime(end_date[0], end_date[1] + 1, end_date[2]) self.end_date = self.end_date + datetime.timedelta(days=1, seconds=-1) self.filter_timerange = (time.mktime(self.start_date.timetuple()), time.mktime(self.end_date.timetuple())) self.refilter() def on_application_menu_row_activated(self, listbox, row): self.app_menu_event = not self.app_menu_event if not self.app_menu_event: return if listbox.get_row_at_index(5) == row: listbox.get_parent().hide() self.on_menu_update_index_activate(row) if listbox.get_row_at_index(6) == row: listbox.get_parent().hide() self.on_mnu_about_activate(row) def on_file_filters_changed(self, treeview, path, column, builder): model = treeview.get_model() treeiter = model.get_iter(path) row = model[treeiter] showPopup = row[2] == "other" and row[5] == 0 if treeview.get_column(2) == column: if row[5]: popover = self.get_popover(row[2], builder) popover.show_all() return else: row[3], row[4] = row[4], row[3] else: row[3], row[4] = row[4], row[3] if row[2] == 'other' or row[2] == 'custom': row[5] = row[3] if showPopup and row[5]: popover = self.get_popover(row[2], builder) popover.show_all() self.filter_formats[row[2]] = row[3] self.refilter() def get_popover(self, name, builder): if name == "other": popover_id = "filetype" elif name == "custom": popover_id = "modified" else: return False if popover_id not in self.popovers.keys(): builder.get_object(popover_id + "_popover") popover = Gtk.Popover.new() popover.connect("destroy", self.popover_content_destroy) popover.add(builder.get_object(popover_id + "_popover")) popover.set_relative_to(builder.get_object(name + "_helper")) popover.set_position(Gtk.PositionType.BOTTOM) self.popovers[popover_id] = popover return self.popovers[popover_id] def popover_content_destroy(self, widget): widget.hide() return False def on_modified_filters_changed(self, treeview, path, column, builder): model = treeview.get_model() treeiter = model.get_iter(path) selected = model[treeiter] showPopup = selected[2] == "custom" and selected[5] == 0 treeiter = model.get_iter_first() while treeiter: row = model[treeiter] row[3], row[4], row[5] = 0, 1, 0 treeiter = model.iter_next(treeiter) selected[3], selected[4] = 1, 0 if selected[2] == "custom": selected[5] = 1 if treeview.get_column(2) == column: if selected[5]: showPopup = True if showPopup: popover = self.get_popover(selected[2], builder) popover.show_all() self.set_modified_range(selected[2]) self.refilter() def on_update_infobar_response(self, widget, response_id): if response_id == Gtk.ResponseType.OK: self.on_menu_update_index_activate(widget) widget.hide() def on_floating_bar_enter_notify(self, widget, event): """Move the floating statusbar when hovered.""" if widget.get_halign() == Gtk.Align.START: widget.set_halign(Gtk.Align.END) else: widget.set_halign(Gtk.Align.START) def on_floating_bar_draw(self, widget, cairo_t): """Draw the floating statusbar.""" context = widget.get_style_context() context.save() context.set_state(widget.get_state_flags()) Gtk.render_background(context, cairo_t, 0, 0, widget.get_allocated_width(), widget.get_allocated_height()) Gtk.render_frame(context, cairo_t, 0, 0, widget.get_allocated_width(), widget.get_allocated_height()) context.restore() return False def parse_path_option(self, options, args): # Set the selected folder path. Allow legacy --path option. path = None # New format, first argument if self.options.path is None: if len(args) > 0: if os.path.isdir(os.path.realpath(args[0])): path = args.pop(0) # Old format, --path else: if os.path.isdir(os.path.realpath(self.options.path)): path = self.options.path # Make sure there is a valid path. if path is None: path = os.path.expanduser("~") if os.path.isdir(os.path.realpath(path)): return path else: return "/" else: return path def parse_options(self, options, args): """Parse commandline arguments into Catfish runtime settings.""" self.options = options self.options.path = self.parse_path_option(options, args) self.folderchooser.set_filename(self.options.path) # Set non-flags as search keywords. self.search_entry.set_text(' '.join(args)) # Set the time display format. if self.options.time_iso: self.time_format = '%Y-%m-%d %H:%M' else: self.time_format = None # Set search defaults. self.exact_match.set_active(self.options.exact) self.hidden_files.set_active( self.options.hidden or self.settings.get_setting('show-hidden-files')) self.fulltext.set_active(self.options.fulltext) self.sidebar_toggle_menu.set_active( self.settings.get_setting('show-sidebar')) self.show_thumbnail = self.options.thumbnails # Set the interface to standard or preview mode. if self.options.icons_large: self.show_thumbnail = False self.setup_large_view() self.list_toggle.set_active(True) elif self.options.thumbnails: self.show_thumbnail = True self.setup_large_view() self.thumbnail_toggle.set_active(True) else: self.show_thumbnail = False self.setup_small_view() self.list_toggle.set_active(True) if self.options.start: self.on_search_entry_activate(self.search_entry) def preview_cell_data_func(self, col, renderer, model, treeiter, data): """Cell Renderer Function for the preview.""" icon_name = model[treeiter][0] filename = model[treeiter][1] if os.path.isfile(icon_name): # Load from thumbnail file. if self.show_thumbnail: pixbuf = GdkPixbuf.Pixbuf.new_from_file(icon_name) icon_name = None else: # Get the mimetype image.. mimetype, override = self.guess_mimetype(filename) icon_name = self.get_file_icon(filename, mimetype) if icon_name is not None: pixbuf = self.get_icon_pixbuf(icon_name) renderer.set_property('pixbuf', pixbuf) return def thumbnail_cell_data_func(self, col, renderer, model, treeiter, data): """Cell Renderer Function to Thumbnails View.""" icon, name, size, path, modified, mime, hidden, exact = \ model[treeiter][:] name = escape(name) size = self.format_size(size) path = escape(path) modified = self.get_date_string(modified) displayed = '%s %s%s%s%s%s' % (name, size, os.linesep, path, os.linesep, modified) renderer.set_property('markup', displayed) return def load_symbolic_icon(self, icon_name, size, state=Gtk.StateFlags.ACTIVE): """Return the symbolic version of icon_name, or the non-symbolic fallback if unavailable.""" context = self.sidebar.get_style_context() try: icon_lookup_flags = Gtk.IconLookupFlags.FORCE_SVG icon_info = self.icon_theme.choose_icon([icon_name + '-symbolic'], size, icon_lookup_flags) color = context.get_color(state) icon = icon_info.load_symbolic(color, color, color, color)[0] except (AttributeError, GLib.GError): icon_lookup_flags = Gtk.IconLookupFlags.FORCE_SVG | \ Gtk.IconLookupFlags.USE_BUILTIN | \ Gtk.IconLookupFlags.GENERIC_FALLBACK icon = self.icon_theme.load_icon( icon_name, size, icon_lookup_flags) return icon def check_locate(self): """Evaluate which locate binary is in use, its path, and modification date. Return these values in a tuple.""" path = get_application_path('locate') if path is None: return None path = os.path.realpath(path) locate = os.path.basename(path) db = catfishconfig.get_locate_db_path() if not os.access(os.path.dirname(db), os.R_OK): modified = time.time() elif os.path.isfile(db): modified = os.path.getmtime(db) else: modified = 0 changed = self.last_modified != modified self.last_modified = modified item_date = datetime.datetime.fromtimestamp(modified) return (locate, db, item_date, changed) def on_filters_changed(self, box, row, user_data=None): if row.is_selected(): box.unselect_row(row) else: box.select_row(row) return True # -- Update Search Index dialog -- # def on_update_index_dialog_close(self, widget=None, event=None, user_data=None): """Close the Update Search Index dialog, resetting to default.""" if not self.update_index_active: self.update_index_dialog.hide() # Restore Unlock button self.update_index_unlock.show() self.update_index_unlock.set_can_default(True) self.update_index_unlock.set_receives_default(True) self.update_index_unlock.grab_focus() self.update_index_unlock.grab_default() # Restore Cancel button self.update_index_close.set_label(Gtk.STOCK_CANCEL) self.update_index_close.set_can_default(False) self.update_index_close.set_receives_default(False) self.update_index_infobar.hide() return True def show_update_status_infobar(self, status_code): """Display the update status infobar based on the status code.""" # Error if status_code in [1, 3, 127]: icon = "dialog-error" msg_type = Gtk.MessageType.WARNING if status_code == 1: status = _('An error occurred while updating the database.') elif status_code in [3, 127]: status = _("Authentication failed.") # Warning elif status_code in [2, 126]: icon = "dialog-warning" msg_type = Gtk.MessageType.WARNING status = _("Authentication cancelled.") # Info else: icon = "dialog-information" msg_type = Gtk.MessageType.INFO status = _('Search database updated successfully.') self.update_index_infobar.set_message_type(msg_type) self.update_index_icon.set_from_icon_name(icon, Gtk.IconSize.BUTTON) self.update_index_label.set_label(status) self.update_index_infobar.show() def on_update_index_unlock_clicked(self, widget): # noqa """Unlock admin rights and perform 'updatedb' query.""" self.update_index_active = True # Get the password for sudo if not SudoDialog.prefer_pkexec() and \ not SudoDialog.passwordless_sudo(): sudo_dialog = SudoDialog.SudoDialog( parent=self.update_index_dialog, icon='catfish', name=_("Catfish File Search"), retries=3) sudo_dialog.show_all() response = sudo_dialog.run() sudo_dialog.hide() password = sudo_dialog.get_password() sudo_dialog.destroy() if response in [Gtk.ResponseType.NONE, Gtk.ResponseType.CANCEL]: self.update_index_active = False self.show_update_status_infobar(2) return False elif response == Gtk.ResponseType.REJECT: self.update_index_active = False self.show_update_status_infobar(3) return False if not password: self.update_index_active = False self.show_update_status_infobar(2) return False # Subprocess to check if query has completed yet, runs at end of func. def updatedb_subprocess(): """Subprocess run for the updatedb command.""" try: self.updatedb_process.expect(pexpect.EOF) done = True except pexpect.TIMEOUT: done = False if done: self.update_index_active = False locate, locate_path, locate_date, changed = self.check_locate() modified = locate_date.strftime("%x %X") self.update_index_modified.set_label("%s" % modified) # Hide the Unlock button self.update_index_unlock.set_sensitive(True) self.update_index_unlock.set_receives_default(False) self.update_index_unlock.hide() # Update the Cancel button to Close, make it default self.update_index_close.set_label(Gtk.STOCK_CLOSE) self.update_index_close.set_sensitive(True) self.update_index_close.set_can_default(True) self.update_index_close.set_receives_default(True) self.update_index_close.grab_focus() self.update_index_close.grab_default() return_code = self.updatedb_process.exitstatus if return_code not in [1, 2, 3, 126, 127] and not changed: return_code = 1 self.show_update_status_infobar(return_code) return not done # Set the dialog status to running. self.update_index_modified.set_label("%s" % _("Updating...")) self.update_index_close.set_sensitive(False) self.update_index_unlock.set_sensitive(False) if SudoDialog.prefer_pkexec(): self.updatedb_process = SudoDialog.env_spawn('pkexec updatedb', 1) else: self.updatedb_process = SudoDialog.env_spawn('sudo updatedb', 1) try: # Check for password prompt or program exit. self.updatedb_process.expect(".*ssword.*") self.updatedb_process.sendline(password) self.updatedb_process.expect(pexpect.EOF) except pexpect.EOF: # shell already has password, or its not needed pass except pexpect.TIMEOUT: # Poll every 1 second for completion. pass GLib.timeout_add(1000, updatedb_subprocess) # -- Search Entry -- # def refresh_search_entry(self): """Update the appearance of the search entry based on the application's current state.""" # Default Appearance, used for blank entry query = None icon_name = "edit-find-symbolic" sensitive = True button_tooltip_text = None # Search running if self.search_in_progress: icon_name = "process-stop" button_tooltip_text = _('Stop Search') entry_tooltip_text = _("Search is in progress...\nPress the " "cancel button or the Escape key to stop.") # Search not running else: entry_text = self.search_entry.get_text() entry_tooltip_text = None # Search not running, value in terms if len(entry_text) > 0: button_tooltip_text = _('Begin Search') query = entry_text else: sensitive = False self.search_entry.set_icon_from_icon_name( Gtk.EntryIconPosition.SECONDARY, icon_name) self.search_entry.set_icon_tooltip_text( Gtk.EntryIconPosition.SECONDARY, button_tooltip_text) self.search_entry.set_tooltip_text(entry_tooltip_text) self.search_entry.set_icon_activatable( Gtk.EntryIconPosition.SECONDARY, sensitive) self.search_entry.set_icon_sensitive( Gtk.EntryIconPosition.SECONDARY, sensitive) return query def on_search_entry_activate(self, widget): """If the search entry is not empty, perform the query.""" if len(widget.get_text()) > 0: self.statusbar.show() # Store search start time for displaying friendly dates now = datetime.datetime.now() self.today = datetime.datetime(now.year, now.month, now.day) self.yesterday = self.today - datetime.timedelta(days=1) self.this_week = self.today - datetime.timedelta(days=6) task = self.perform_query(widget.get_text()) GLib.idle_add(next, task) def on_search_entry_icon_press(self, widget, event, user_data): """If search in progress, stop the search, otherwise, start.""" if not self.search_in_progress: self.on_search_entry_activate(self.search_entry) else: self.stop_search = True self.search_engine.stop() def on_search_entry_changed(self, widget): """Update the search entry icon and run suggestions.""" text = self.refresh_search_entry() if text is None: return task = self.get_suggestions(text) GLib.idle_add(next, task) def get_suggestions(self, keywords): """Load suggestions from the suggestions engine into the search entry completion.""" self.suggestions_engine.stop() # Wait for an available thread. while Gtk.events_pending(): Gtk.main_iteration() folder = self.folderchooser.get_filename() show_hidden = self.filter_formats['hidden'] # If the keywords start with a hidden character, show hidden files. if len(keywords) != 0 and keywords[0] == '.': show_hidden = True completion = self.search_entry.get_completion() if completion is not None: model = completion.get_model() model.clear() results = [] for filename in self.suggestions_engine.run(keywords, folder, 10): if isinstance(filename, str): path, name = os.path.split(filename) if name not in results: try: # Determine if file is hidden hidden = is_file_hidden(folder, filename) if not hidden or show_hidden: results.append(name) model.append([name]) except OSError: # file no longer exists pass yield True yield False # -- Application Menu -- # def on_menu_exact_match_toggled(self, widget): """Toggle the exact match settings, and restart the search if a fulltext search was previously run.""" self.filter_format_toggled("exact", widget.get_active()) if self.filter_formats['fulltext']: self.on_search_entry_activate(self.search_entry) def on_menu_hidden_files_toggled(self, widget): """Toggle the hidden files settings.""" active = widget.get_active() self.filter_format_toggled("hidden", active) self.settings.set_setting('show-hidden-files', active) def on_menu_fulltext_toggled(self, widget): """Toggle the fulltext settings, and restart the search.""" self.filter_format_toggled("fulltext", widget.get_active()) self.on_search_entry_activate(self.search_entry) def on_menu_update_index_activate(self, widget): """Show the Update Search Index dialog.""" self.update_index_dialog.show() # -- Sidebar -- # def on_sidebar_toggle_toggled(self, widget): """Toggle visibility of the sidebar.""" if isinstance(widget, Gtk.CheckButton): active = widget.get_active() else: active = not self.settings.get_setting('show-sidebar') self.settings.set_setting('show-sidebar', active) if self.sidebar_toggle_menu.get_active() != active: self.sidebar_toggle_menu.set_active(active) if active != self.sidebar.get_visible(): self.sidebar.set_visible(active) def set_modified_range(self, value): if value == 'any': self.filter_timerange = (0.0, 9999999999.0) logger.debug("Time Range: Beginning of time -> Eternity") elif value == 'week': now = datetime.datetime.now() week = time.mktime(( datetime.datetime(now.year, now.month, now.day, 0, 0) - datetime.timedelta(7)).timetuple()) self.filter_timerange = (week, 9999999999.0) logger.debug( "Time Range: %s -> Eternity", time.strftime("%x %X", time.localtime(int(week)))) elif value == 'custom': self.filter_timerange = (time.mktime(self.start_date.timetuple()), time.mktime(self.end_date.timetuple())) logger.debug( "Time Range: %s -> %s", time.strftime("%x %X", time.localtime(int(self.filter_timerange[0]))), time.strftime("%x %X", time.localtime(int(self.filter_timerange[1])))) self.refilter() def on_calendar_today_button_clicked(self, calendar_widget): """Change the calendar widget selected date to today.""" today = datetime.datetime.now() calendar_widget.select_month(today.month - 1, today.year) calendar_widget.select_day(today.day) # File Type toggles def filter_format_toggled(self, filter_format, enabled): """Update search filter when formats are modified.""" self.filter_formats[filter_format] = enabled logger.debug("File type filters updated: %s", str(self.filter_formats)) self.refilter() def on_filter_extensions_changed(self, widget): """Update the results when the extensions filter changed.""" self.filter_custom_extensions = [] extensions = widget.get_text().replace(',', ' ') for ext in extensions.split(): ext = ext.strip() if len(ext) > 0: if ext[0] != '.': ext = "." + ext self.filter_custom_extensions.append(ext) # Reload the results filter. self.refilter() def open_file(self, filename): """Open the specified filename in its default application.""" logger.debug("Opening %s" % filename) command = ['xdg-open', filename] try: subprocess.Popen(command, shell=False) return except Exception as msg: logger.debug('Exception encountered while opening %s.' + '\n Exception: %s' + filename, msg) self.get_error_dialog(_('\"%s\" could not be opened.') % os.path.basename(filename), str(msg)) # -- File Popup Menu -- # def on_menu_open_activate(self, widget): """Open the selected file in its default application.""" for filename in self.selected_filenames: self.open_file(filename) def on_menu_filemanager_activate(self, widget): """Open the selected file in the default file manager.""" logger.debug("Opening file manager for %i path(s)" % len(self.selected_filenames)) dirs = [] for filename in self.selected_filenames: path = os.path.split(filename)[0] if path not in dirs: dirs.append(path) for path in dirs: self.open_file(path) def on_menu_copy_location_activate(self, widget): """Copy the selected file name to the clipboard.""" logger.debug("Copying %i filename(s) to the clipboard" % len(self.selected_filenames)) clipboard = Gtk.Clipboard.get(Gdk.SELECTION_CLIPBOARD) locations = [] for filename in self.selected_filenames: locations.append(surrogate_escape(filename)) text = str(os.linesep).join(locations) clipboard.set_text(text, -1) clipboard.store() def on_menu_save_activate(self, widget): """Show a save dialog and possibly write the results to a file.""" filename = self.get_save_dialog( surrogate_escape(self.selected_filenames[0])) if filename: try: # Try to save the file. copy2(self.selected_filenames[0], filename) except Exception as msg: # If the file save fails, throw an error. logger.debug('Exception encountered while saving %s.' + '\n Exception: %s', filename, msg) self.get_error_dialog(_('\"%s\" could not be saved.') % os.path.basename(filename), str(msg)) def delete_file(self, filename): try: # Delete the file. if not os.path.exists(filename): return True elif os.path.isdir(filename): rmtree(filename) else: os.remove(filename) return True except Exception as msg: # If the file cannot be deleted, throw an error. logger.debug('Exception encountered while deleting %s.' + '\n Exception: %s', filename, msg) self.get_error_dialog(_("\"%s\" could not be deleted.") % os.path.basename(filename), str(msg)) return False def remove_filenames_from_treeview(self, filenames): removed = [] model = self.treeview.get_model().get_model().get_model() treeiter = model.get_iter_first() while treeiter is not None: nextiter = model.iter_next(treeiter) row = model[treeiter] found = os.path.join(row[3], row[1]) if found in filenames: model.remove(treeiter) removed.append(found) if len(removed) == len(filenames): return True treeiter = nextiter return False def on_menu_delete_activate(self, widget): """Show a delete dialog and remove the file if accepted.""" filenames = [] if self.get_delete_dialog(self.selected_filenames): delete = self.selected_filenames delete.sort() delete.reverse() for filename in delete: if self.delete_file(filename): filenames.append(filename) self.remove_filenames_from_treeview(filenames) self.refilter() def get_save_dialog(self, filename): """Show the Save As FileChooserDialog. Return the filename, or None if cancelled.""" basename = os.path.basename(filename) dialog = Gtk.FileChooserDialog(title=_('Save "%s" as…') % basename, transient_for=self, action=Gtk.FileChooserAction.SAVE) dialog.add_buttons(Gtk.STOCK_CANCEL, Gtk.ResponseType.REJECT, Gtk.STOCK_SAVE, Gtk.ResponseType.ACCEPT) dialog.set_default_response(Gtk.ResponseType.REJECT) dialog.set_current_name(basename.replace('�', '_')) dialog.set_do_overwrite_confirmation(True) response = dialog.run() save_as = dialog.get_filename() dialog.destroy() if response == Gtk.ResponseType.ACCEPT: return save_as return None def get_error_dialog(self, primary, secondary): """Show an error dialog with the specified message.""" dialog_text = "%s\n\n%s" % (escape(primary), escape(secondary)) dialog = Gtk.MessageDialog(transient_for=self, modal=True, destroy_with_parent=True, message_type=Gtk.MessageType.ERROR, buttons=Gtk.ButtonsType.OK, text="") dialog.set_markup(dialog_text) dialog.set_default_response(Gtk.ResponseType.OK) dialog.run() dialog.destroy() def get_delete_dialog(self, filenames): """Show a delete confirmation dialog. Return True if delete wanted.""" if len(filenames) == 1: primary = _("Are you sure that you want to \n" "permanently delete \"%s\"?") % \ escape(os.path.basename(filenames[0])) else: primary = _("Are you sure that you want to \n" "permanently delete the %i selected files?") % \ len(filenames) secondary = _("If you delete a file, it is permanently lost.") dialog_text = "%s\n\n%s" % (primary, secondary) dialog = Gtk.MessageDialog(transient_for=self, modal=True, destroy_with_parent=True, message_type=Gtk.MessageType.QUESTION, buttons=Gtk.ButtonsType.NONE, text="") dialog.set_markup(surrogate_escape(dialog_text)) dialog.add_buttons(Gtk.STOCK_CANCEL, Gtk.ResponseType.NO, Gtk.STOCK_DELETE, Gtk.ResponseType.YES) dialog.set_default_response(Gtk.ResponseType.NO) response = dialog.run() dialog.destroy() return response == Gtk.ResponseType.YES def setup_small_view(self): """Prepare the list view in the results pane.""" for column in self.treeview.get_columns(): self.treeview.remove_column(column) self.treeview.append_column(self.new_column(_('Filename'), 1, 'icon', 1)) self.treeview.append_column(self.new_column(_('Size'), 2, 'filesize')) self.treeview.append_column(self.new_column(_('Location'), 3, 'ellipsize')) self.treeview.append_column(self.new_column(_('Modified'), 4, 'date', 1)) self.icon_size = Gtk.IconSize.MENU def setup_large_view(self): """Prepare the extended list view in the results pane.""" for column in self.treeview.get_columns(): self.treeview.remove_column(column) # Make the Preview Column cell = Gtk.CellRendererPixbuf() column = Gtk.TreeViewColumn(_('Preview'), cell) self.treeview.append_column(column) column.set_cell_data_func(cell, self.preview_cell_data_func, None) # Make the Details Column cell = Gtk.CellRendererText() cell.set_property("ellipsize", Pango.EllipsizeMode.END) column = Gtk.TreeViewColumn(_("Details"), cell, markup=1) column.set_sort_column_id(1) column.set_resizable(True) column.set_expand(True) column.set_cell_data_func(cell, self.thumbnail_cell_data_func, None) self.treeview.append_column(column) self.icon_size = Gtk.IconSize.DIALOG def on_treeview_list_toggled(self, widget): """Switch to the details view.""" if widget.get_active(): self.show_thumbnail = False if self.options.icons_large: self.setup_large_view() else: self.setup_small_view() def on_treeview_thumbnails_toggled(self, widget): """Switch to the preview view.""" if widget.get_active(): self.show_thumbnail = True self.setup_large_view() # -- Treeview -- # def on_treeview_row_activated(self, treeview, path, user_data): """Catch row activations by keyboard or mouse double-click.""" # Get the filename from the row. model = treeview.get_model() file_path = self.treemodel_get_row_filename(model, path) self.selected_filenames = [file_path] # Open the selected file. self.open_file(self.selected_filenames[0]) def on_treeview_drag_begin(self, treeview, context): """Treeview DND Begin.""" if len(self.selected_filenames) > 1: treesel = treeview.get_selection() for row in self.rows: treesel.select_path(row) return True def on_treeview_drag_data_get(self, treeview, context, selection, info, time): """Treeview DND Get.""" text = str(os.linesep).join(self.selected_filenames) selection.set_text(text, -1) return True def treemodel_get_row_filename(self, model, row): """Get the filename from a specified row.""" filename = os.path.join(model[row][3], model[row][1]) return filename def treeview_get_selected_rows(self, treeview): """Get the currently selected rows from the specified treeview.""" sel = treeview.get_selection() model, rows = sel.get_selected_rows() data = [] for row in rows: data.append(self.treemodel_get_row_filename(model, row)) return (model, rows, data) def check_treeview_stats(self, treeview): if len(self.rows) == 0: return -1 model, rows, selected_filenames = \ self.treeview_get_selected_rows(treeview) for row in rows: if row not in self.rows: return 2 if self.rows != rows: return 1 return 0 def update_treeview_stats(self, treeview, event=None): if event: self.treeview_set_cursor_if_unset(treeview, int(event.x), int(event.y)) model, self.rows, self.selected_filenames = \ self.treeview_get_selected_rows(treeview) def maintain_treeview_stats(self, treeview, event=None): if len(self.selected_filenames) == 0: self.update_treeview_stats(treeview, event) elif self.check_treeview_stats(treeview) == 2: self.update_treeview_stats(treeview, event) else: treesel = treeview.get_selection() for row in self.rows: treesel.select_path(row) def on_treeview_cursor_changed(self, treeview): if "Shift" in self.keys_pressed or "Control" in self.keys_pressed: self.update_treeview_stats(treeview) def treeview_set_cursor_if_unset(self, treeview, x=0, y=0): if treeview.get_selection().count_selected_rows() < 1: self.treeview_set_cursor_at_pos(treeview, x, y) def treeview_set_cursor_at_pos(self, treeview, x, y): try: path = treeview.get_path_at_pos(int(x), int(y))[0] treeview.set_cursor(path) except TypeError: return False return True def treeview_left_click(self, treeview, event=None): self.update_treeview_stats(treeview, event) return False def treeview_middle_click(self, treeview, event=None): self.maintain_treeview_stats(treeview, event) self.treeview_set_cursor_if_unset(treeview, int(event.x), int(event.y)) for filename in self.selected_filenames: self.open_file(filename) return True def treeview_right_click(self, treeview, event=None): self.maintain_treeview_stats(treeview, event) show_save_option = len(self.selected_filenames) == 1 and not \ os.path.isdir(self.selected_filenames[0]) self.file_menu_save.set_visible(show_save_option) writeable = True for filename in self.selected_filenames: if not os.access(filename, os.W_OK): writeable = False self.file_menu_delete.set_sensitive(writeable) self.file_menu.popup(None, None, None, None, event.button, event.time) return True def treeview_alt_clicked(self, treeview, event=None): self.update_treeview_stats(treeview, event) return False def on_treeview_button_press_event(self, treeview, event): """Catch single mouse click events on the treeview and rows. Left Click: Ignore. Middle Click: Open the selected file. Right Click: Show the popup menu.""" if "Shift" in self.keys_pressed or "Control" in self.keys_pressed: handled = self.treeview_alt_clicked(treeview, event) elif event.button == 1: handled = self.treeview_left_click(treeview, event) elif event.button == 2: handled = self.treeview_middle_click(treeview, event) elif event.button == 3: handled = self.treeview_right_click(treeview, event) else: handled = False return handled def new_column(self, label, id, special=None, markup=False): """New Column function for creating TreeView columns easily.""" if special == 'icon': column = Gtk.TreeViewColumn(label) cell = Gtk.CellRendererPixbuf() column.pack_start(cell, False) column.set_cell_data_func(cell, self.preview_cell_data_func, None) cell = Gtk.CellRendererText() column.pack_start(cell, False) column.add_attribute(cell, 'text', id) else: cell = Gtk.CellRendererText() if markup: column = Gtk.TreeViewColumn(label, cell, markup=id) else: column = Gtk.TreeViewColumn(label, cell, text=id) if special == 'ellipsize': column.set_min_width(120) cell.set_property('ellipsize', Pango.EllipsizeMode.START) elif special == 'filesize': cell.set_property('xalign', 1.0) column.set_cell_data_func(cell, self.cell_data_func_filesize, id) elif special == 'date': column.set_cell_data_func(cell, self.cell_data_func_modified, id) column.set_sort_column_id(id) column.set_resizable(True) if id == 3: column.set_expand(True) return column def cell_data_func_filesize(self, column, cell_renderer, tree_model, tree_iter, id): """File size cell display function.""" if helpers.check_python_version(3, 0): size = int(tree_model.get_value(tree_iter, id)) else: size = long(tree_model.get_value(tree_iter, id)) # noqa filesize = self.format_size(size) cell_renderer.set_property('text', filesize) return def cell_data_func_modified(self, column, cell_renderer, tree_model, tree_iter, id): """Modification date cell display function.""" modification_int = int(tree_model.get_value(tree_iter, id)) modified = self.get_date_string(modification_int) cell_renderer.set_property('text', modified) return def get_date_string(self, modification_int): """Return the date string in the preferred format.""" if self.time_format is not None: modified = time.strftime(self.time_format, time.localtime(modification_int)) else: item_date = datetime.datetime.fromtimestamp(modification_int) if item_date >= self.today: modified = _("Today") elif item_date >= self.yesterday: modified = _("Yesterday") elif item_date >= self.this_week: modified = time.strftime("%A", time.localtime(modification_int)) else: modified = time.strftime("%x", time.localtime(modification_int)) return modified def results_filter_func(self, model, iter, user_data): # noqa """Filter function for search results.""" # hidden if model[iter][6]: if not self.filter_formats['hidden']: return False # exact if not self.filter_formats['fulltext']: if not model[iter][7]: if self.filter_formats['exact']: return False # modified modified = model[iter][4] if modified < self.filter_timerange[0]: return False if modified > self.filter_timerange[1]: return False # mimetype mimetype = model[iter][5] use_filters = False if self.filter_formats['folders']: use_filters = True if mimetype == 'inode/directory': return True if self.filter_formats['images']: use_filters = True if mimetype.startswith("image"): return True if self.filter_formats['music']: use_filters = True if mimetype.startswith("audio"): return True if self.filter_formats['videos']: use_filters = True if mimetype.startswith("video"): return True if self.filter_formats['documents']: use_filters = True if mimetype.startswith("text"): return True if self.filter_formats['applications']: use_filters = True if mimetype.startswith("application"): return True if self.filter_formats['other']: use_filters = True extension = os.path.splitext(model[iter][1])[1] if extension in self.filter_custom_extensions: return True if use_filters: return False return True def refilter(self): """Reload the results filter, update the statusbar to reflect count.""" try: self.results_filter.refilter() n_results = len(self.treeview.get_model()) self.show_results(n_results) except AttributeError: pass def show_results(self, count): if count == 0: self.builder.get_object("results_scrolledwindow").hide() self.builder.get_object("splash").show() self.builder.get_object( "splash_title").set_text(_("No files found.")) self.builder.get_object("splash_subtitle").set_text( _("Try making your search less specific\n" "or try another directory.")) else: self.builder.get_object("splash").hide() self.builder.get_object("results_scrolledwindow").show() if count == 1: self.statusbar_label.set_label(_("1 file found.")) else: self.statusbar_label.set_label(_("%i files found.") % count) def format_size(self, size, precision=1): """Make a file size human readable.""" if isinstance(size, str): size = int(size) suffixes = [_('bytes'), 'kB', 'MB', 'GB', 'TB'] suffixIndex = 0 if size > 1024: while size > 1024: suffixIndex += 1 size = size / 1024.0 return "%.*f %s" % (precision, size, suffixes[suffixIndex]) else: return "%i %s" % (size, suffixes[0]) def guess_mimetype(self, filename): """Guess the mimetype of the specified filename. Return a tuple containing (guess, override).""" override = None if os.path.isdir(filename): return ('inode/directory', override) extension = os.path.splitext(filename)[1] if extension in [ '.abw', '.ai', '.chrt', '.doc', '.docm', '.docx', '.dot', '.dotm', '.dotx', '.eps', '.gnumeric', '.kil', '.kpr', '.kpt', '.ksp', '.kwd', '.kwt', '.latex', '.mdb', '.mm', '.nb', '.nbp', '.odb', '.odc', '.odf', '.odm', '.odp', '.ods', '.odt', '.otg', '.oth', '.odp', '.ots', '.ott', '.pdf', '.php', '.pht', '.phtml', '.potm', '.potx', '.ppa', '.ppam', '.pps', '.ppsm', '.ppsx', '.ppt', '.pptm', '.pptx', '.ps', '.pwz', '.rtf', '.sda', '.sdc', '.sdd', '.sds', '.sdw', '.stc', '.std', '.sti', '.stw', '.sxc', '.sxd', '.sxg', '.sxi', '.sxm', '.sxw', '.wiz', '.wp5', '.wpd', '.xlam', '.xlb', '.xls', '.xlsb', '.xlsm', '.xlsx', '.xlt', '.xltm', '.xlsx', '.xml']: override = 'text/plain' elif extension in ['.cdy']: override = 'video/x-generic' elif extension in ['.odg', '.odi']: override = 'audio/x-generic' guess = mimetypes.guess_type(filename) if guess[0] is None: return ('text/plain', override) return (guess[0], override) def get_icon_pixbuf(self, name): """Return a pixbuf for the icon name from the default icon theme.""" try: # Clear the icon cache if the current size is not the cached size. if self.icon_cache_size != self.icon_size: self.icon_cache.clear() self.icon_cache_size = self.icon_size return self.icon_cache[name] except KeyError: icon_size = Gtk.icon_size_lookup(self.icon_size)[1] if self.icon_theme.has_icon(name): icon = self.icon_theme.load_icon(name, icon_size, 0) else: icon = self.icon_theme.load_icon('image-missing', icon_size, 0) self.icon_cache[name] = icon return icon def get_thumbnail(self, path, mime_type=None): """Try to fetch a thumbnail.""" thumbnails_directory = os.path.join(get_thumbnails_directory(), 'normal') uri = 'file://' + path if helpers.check_python_version(3, 0): uri = uri.encode('utf-8') md5_hash = hashlib.md5(uri).hexdigest() thumbnail_path = os.path.join( thumbnails_directory, '%s.png' % md5_hash) if os.path.isfile(thumbnail_path): return thumbnail_path if mime_type.startswith('image'): if mime_type not in ["image/x-photoshop", "image/svg+xml"]: new_thumb = self.create_thumbnail(path, thumbnail_path) if new_thumb: return thumbnail_path return self.get_file_icon(path, mime_type) def create_thumbnail(self, filename, path): """Create a thumbnail image and save it to the thumbnails directory. Return True if successful.""" try: pixbuf = GdkPixbuf.Pixbuf.new_from_file(filename) if pixbuf is None: return False pixbuf_w = pixbuf.get_width() pixbuf_h = pixbuf.get_height() if pixbuf_w < 1 or pixbuf_h < 1: return False if pixbuf_w < 128 and pixbuf_h < 128: pixbuf.savev(path, "png", [], []) return pixbuf if pixbuf_w > pixbuf_h: thumb_w = 128 thumb_h = int(pixbuf_h / (pixbuf_w / 128.0)) else: thumb_h = 128 thumb_w = int(pixbuf_w / (pixbuf_h / 128.0)) if thumb_w < 1 or thumb_h < 1: return False thumb_pixbuf = pixbuf.scale_simple( thumb_w, thumb_h, GdkPixbuf.InterpType.BILINEAR) if thumb_pixbuf is None: return False thumb_pixbuf.savev(path, "png", [], []) return True except Exception as e: print("Exception: ", e) return False def get_file_icon(self, path, mime_type=None): """Retrieve the file icon.""" if mime_type: if mime_type == 'inode/directory': return Gtk.STOCK_DIRECTORY else: mime_type = mime_type.split('/') if mime_type is not None: # Get icon from mimetype media, subtype = mime_type for icon_name in ['gnome-mime-%s-%s' % (media, subtype), 'gnome-mime-%s' % media]: if self.icon_theme.has_icon(icon_name): return icon_name return Gtk.STOCK_FILE def python_three_size_sort_func(self, model, row1, row2, user_data): """Sort function used in Python 3.""" sort_column = 2 value1 = int(model.get_value(row1, sort_column)) value2 = int(model.get_value(row2, sort_column)) if value1 < value2: return -1 elif value1 == value2: return 0 else: return 1 # -- Searching -- # def perform_query(self, keywords): # noqa """Run the search query with the specified keywords.""" self.stop_search = False # Update the interface to Search Mode self.builder.get_object("results_scrolledwindow").hide() self.builder.get_object("splash").show() self.builder.get_object("splash_title").set_text(_("Searching…")) self.builder.get_object("splash_subtitle").set_text( _("Results will be displayed as soon as they are found.")) self.builder.get_object("splash_hide").hide() show_results = False self.get_window().set_cursor(Gdk.Cursor(Gdk.CursorType.WATCH)) self.set_title(_("Searching for \"%s\"") % keywords) self.spinner.show() self.statusbar_label.set_label(_("Searching…")) self.search_in_progress = True self.refresh_search_entry() # Be thread friendly. while Gtk.events_pending(): Gtk.main_iteration() # icon, name, size, path, modified, mimetype, hidden, exact model = Gtk.ListStore(str, str, GObject.TYPE_INT64, str, float, str, bool, bool) # Initialize the results filter. self.results_filter = model.filter_new() self.results_filter.set_visible_func(self.results_filter_func) sort = Gtk.TreeModelSort(model=self.results_filter) if helpers.check_python_version(3, 0): sort.set_sort_func(2, self.python_three_size_sort_func, None) self.treeview.set_model(sort) sort.get_model().get_model().clear() self.treeview.columns_autosize() # Enable multiple-selection sel = self.treeview.get_selection() sel.set_mode(Gtk.SelectionMode.MULTIPLE) folder = self.folderchooser.get_filename() results = [] # Check if this is a fulltext query or standard query. if self.filter_formats['fulltext']: self.search_engine = CatfishSearchEngine(['fulltext']) self.search_engine.set_exact(self.filter_formats['exact']) else: self.search_engine = CatfishSearchEngine() for filename in self.search_engine.run(keywords, folder, regex=True): if not self.stop_search and isinstance(filename, str) and \ filename not in results: try: path, name = os.path.split(filename) if helpers.check_python_version(3, 0): size = int(os.path.getsize(filename)) else: size = long(os.path.getsize(filename)) # noqa modified = os.path.getmtime(filename) mimetype, override = self.guess_mimetype(filename) icon = self.get_thumbnail(filename, mimetype) if override: mimetype = override hidden = is_file_hidden(folder, filename) exact = keywords in name results.append(filename) displayed = surrogate_escape(name, True) path = surrogate_escape(path) model.append([icon, displayed, size, path, modified, mimetype, hidden, exact]) if not show_results: if len(self.treeview.get_model()) > 0: show_results = True self.builder.get_object("splash").hide() self.builder.get_object( "results_scrolledwindow").show() except OSError: # file no longer exists pass except Exception as e: logger.error("Exception encountered: ", str(e)) yield True continue # Return to Non-Search Mode. window = self.get_window() if window is not None: window.set_cursor(None) self.set_title(_('Search results for \"%s\"') % keywords) self.spinner.hide() n_results = 0 if self.treeview.get_model() is not None: n_results = len(self.treeview.get_model()) self.show_results(n_results) self.search_in_progress = False self.refresh_search_entry() self.stop_search = False yield False catfish-1.4.4/setup.py0000664000175000017500000001725513233170247016623 0ustar bluesabrebluesabre00000000000000#!/usr/bin/python3 # -*- Mode: Python; coding: utf-8; indent-tabs-mode: nil; tab-width: 4 -*- # Catfish - a versatile file searching tool # Copyright (C) 2007-2012 Christian Dywan # Copyright (C) 2012-2018 Sean Davis # # This program is free software: you can redistribute it and/or modify it # under the terms of the GNU General Public License version 2, as published # by the Free Software Foundation. # # This program is distributed in the hope that it will be useful, but # WITHOUT ANY WARRANTY; without even the implied warranties of # MERCHANTABILITY, SATISFACTORY QUALITY, 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, see . import codecs import os import shutil import sys import subprocess try: import DistUtilsExtra.auto except ImportError: sys.stderr.write("To build catfish you need " "https://launchpad.net/python-distutils-extra\n") sys.exit(1) assert DistUtilsExtra.auto.__version__ >= '2.18', \ 'needs DistUtilsExtra.auto >= 2.18' def update_config(libdir, values={}): """Update the configuration file at installation time.""" filename = os.path.join(libdir, 'catfish_lib', 'catfishconfig.py') oldvalues = {} try: fin = codecs.open(filename, 'r', encoding='utf-8') fout = codecs.open(filename + '.new', 'w', encoding='utf-8') for line in fin: fields = line.split(' = ') # Separate variable from value if fields[0] in values: oldvalues[fields[0]] = fields[1].strip() line = "%s = %s\n" % (fields[0], values[fields[0]]) fout.write(line) fout.flush() fout.close() fin.close() os.rename(fout.name, fin.name) except (OSError, IOError): sys.stderr.write("ERROR: Can't find %s" % filename) sys.exit(1) return oldvalues def move_icon_file(root, target_data, prefix): """Move the icon files to their installation prefix.""" old_icon_path = os.path.normpath( os.path.join(root, target_data, 'share', 'catfish', 'media')) old_icon_file = os.path.join(old_icon_path, 'catfish.svg') icon_path = os.path.normpath( os.path.join(root, target_data, 'share', 'icons', 'hicolor', 'scalable', 'apps')) icon_file = os.path.join(icon_path, 'catfish.svg') # Get the real paths. old_icon_file = os.path.realpath(old_icon_file) icon_file = os.path.realpath(icon_file) if not os.path.exists(old_icon_file): sys.stderr.write("ERROR: Can't find", old_icon_file) sys.exit(1) if not os.path.exists(icon_path): os.makedirs(icon_path) if old_icon_file != icon_file: print("Moving icon file: %s -> %s" % (old_icon_file, icon_file)) os.rename(old_icon_file, icon_file) # Media is now empty if len(os.listdir(old_icon_path)) == 0: print("Removing empty directory: %s" % old_icon_path) os.rmdir(old_icon_path) return icon_file def get_desktop_file(root, target_data, prefix): """Move the desktop file to its installation prefix.""" desktop_path = os.path.realpath( os.path.join(root, target_data, 'share', 'applications')) desktop_file = os.path.join(desktop_path, 'catfish.desktop') return desktop_file def update_desktop_file(filename, script_path): """Update the desktop file with prefixed paths.""" try: fin = codecs.open(filename, 'r', encoding='utf-8') fout = codecs.open(filename + '.new', 'w', encoding='utf-8') for line in fin: if 'Exec=' in line: cmd = line.split("=")[1].split(None, 1) line = "Exec=%s" % os.path.join(script_path, 'catfish') if len(cmd) > 1: line += " %s" % cmd[1].strip() # Add script arguments back line += "\n" fout.write(line) fout.flush() fout.close() fin.close() os.rename(fout.name, fin.name) except (OSError, IOError): sys.stderr.write("ERROR: Can't find %s" % filename) sys.exit(1) def get_metainfo_file(): """Prebuild the metainfo file so it can be installed.""" source = "data/metainfo/catfish.appdata.xml.in" target = "data/metainfo/catfish.appdata.xml" cmd = ["intltool-merge", "-d", "po", "--xml-style", source, target] print(" ".join(cmd)) subprocess.call(cmd) return target def cleanup_metainfo_files(root, target_data): metainfo_dir = os.path.normpath( os.path.join(root, target_data, 'share', 'catfish', 'metainfo')) if os.path.exists(metainfo_dir): shutil.rmtree(metainfo_dir) class InstallAndUpdateDataDirectory(DistUtilsExtra.auto.install_auto): """Command Class to install and update the directory.""" def run(self): """Run the setup commands.""" metainfo = get_metainfo_file() DistUtilsExtra.auto.install_auto.run(self) print(("=== Installing %s, version %s ===" % (self.distribution.get_name(), self.distribution.get_version()))) if not self.prefix: self.prefix = '' if self.root: target_data = os.path.relpath( self.install_data, self.root) + os.sep target_scripts = os.path.join(self.install_scripts, '') data_dir = os.path.join(self.prefix, 'share', 'catfish', '') script_path = os.path.join(self.prefix, 'bin') else: # --user install self.root = '' target_data = os.path.relpath(self.install_data) + os.sep target_pkgdata = os.path.join(target_data, 'share', 'catfish', '') target_scripts = os.path.join(self.install_scripts, '') # Use absolute paths target_data = os.path.realpath(target_data) target_pkgdata = os.path.realpath(target_pkgdata) target_scripts = os.path.realpath(target_scripts) data_dir = target_pkgdata script_path = target_scripts print(("Root: %s" % self.root)) print(("Prefix: %s\n" % self.prefix)) print(("Target Data: %s" % target_data)) print(("Target Scripts: %s\n" % target_scripts)) print(("Catfish Data Directory: %s" % data_dir)) values = {'__catfish_data_directory__': "'%s'" % (data_dir), '__version__': "'%s'" % self.distribution.get_version()} update_config(self.install_lib, values) desktop_file = get_desktop_file(self.root, target_data, self.prefix) print(("Desktop File: %s\n" % desktop_file)) move_icon_file(self.root, target_data, self.prefix) update_desktop_file(desktop_file, script_path) cleanup_metainfo_files(self.root, target_data) os.remove(metainfo) DistUtilsExtra.auto.setup( name='catfish', version='1.4.4', license='GPL-2+', author='Sean Davis', author_email='smd.seandavis@gmail.com', description='file searching tool configurable via the command line', long_description='Catfish is a handy file searching tool for Linux and ' 'UNIX. The interface is intentionally lightweight and ' 'simple, using only Gtk+3. You can configure it to your ' 'needs by using several command line options.', url='https://launchpad.net/catfish-search', data_files=[ ('share/man/man1', ['catfish.1']), ('share/metainfo/', ['data/metainfo/catfish.appdata.xml']) ], cmdclass={'install': InstallAndUpdateDataDirectory} ) catfish-1.4.4/bin/0000775000175000017500000000000013233171023015640 5ustar bluesabrebluesabre00000000000000catfish-1.4.4/bin/catfish0000775000175000017500000000271113233061501017207 0ustar bluesabrebluesabre00000000000000#!/usr/bin/python3 # -*- Mode: Python; coding: utf-8; indent-tabs-mode: nil; tab-width: 4 -*- # Catfish - a versatile file searching tool # Copyright (C) 2007-2012 Christian Dywan # Copyright (C) 2012-2018 Sean Davis # # This program is free software: you can redistribute it and/or modify it # under the terms of the GNU General Public License version 2, as published # by the Free Software Foundation. # # This program is distributed in the hope that it will be useful, but # WITHOUT ANY WARRANTY; without even the implied warranties of # MERCHANTABILITY, SATISFACTORY QUALITY, 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, see . import locale locale.textdomain('catfish') import sys import os import gi gi.require_version('Gtk', '3.0') from gi.repository import Gtk # Check GTK Version, minimum required is 3.10 if Gtk.check_version(3,10,0): print("Gtk version too old, version 3.10 required.") sys.exit(1) # Get project root directory (enable symlink and trunk execution) PROJECT_ROOT_DIRECTORY = os.path.abspath( os.path.dirname(os.path.dirname(os.path.realpath(sys.argv[0])))) # Add project root directory to python search path sys.path.append(PROJECT_ROOT_DIRECTORY) import catfish catfish.main() catfish-1.4.4/ChangeLog0000664000175000017500000003226413233170200016645 0ustar bluesabrebluesabre00000000000000v1.4.4: + General: - Added Keywords key to desktop file to cleanup Debian lintian warning - Added GTK to the Categories key based on desktop-file-validate recommendation - Updated appdata requirements and installation directory - Cleaned up the setup.py installer v1.4.3: + General: - Renamed window to Catfish for easier styling - Improved error handling with thumbnails - Improved search performance by excluding .cache and .gvfs when not needed - Improved locate method performance with the addition of the --basename flag - Update references of smdavis.us to bluesabre.org - Several pycodestyle improvements + Bug Fixes: - Stop all search methods when engine is stopped + Translation Updates: - Afrikaans, Brazilian Portuguese, Bulgarian, Catalan, Chinese (Traditional), Croatian, Czech, Danish, Dutch, French, Greek, Italian, Kurdish, Lithuanian, Portuguese, Serbian, Slovak, Spanish, Swedish, Turkish, Ukrainian v1.4.2: + Bug Fixes: - Fixed file timestamps being displayed as UTC instead of local time - Unmark strings that should not be translated (LP: #1562578) + Translation Updates: - Dutch, German, Finnish, French, Japanese, Lithuanian, Swedish v1.4.1: + Bug Fixes: - Fix end date calculation with custom date ranges (LP: #1514018) - Fix issues double-click activation (LP: #1523164) - Fix middle/right-click activation on startup (LP: #1547807) - Fix issues with deleted files not being removed from results - Use localtime for date range comparisons - Correctly close the application with Ctrl-C via the terminal. + Translation Updates: - French v1.4.0: + Bug Fixes: - Fix installation with Python 2 (LP: #1540211) - Install appdata again (broke in 1.3.4) + Translation Updates: - Catalan, Esperanto, French, Lithuanian, Spanish, Swedish v1.3.4: + This is a new development release, probably the last before v1.4.0 is released. + Features: - Initial polkit integration + Bug Fixes: - Fixed passwordless logic (LP: #1507765) - Fixed crash in en_US locale for non-sudoer user (LP: #1501565) - Replaced catfish launch script (LP: #1445739) - Fixed middle-click activation - Fixed issues with multiple selections (LP: #1461072, #1508918) + Translation Updates: - Bulgarian, Chinese (Simplified), Chinese (Traditional), Dutch, English (Australia), French, German, Greek, Icelandic, Lithuanian, Serbian, Swedish, Ukrainian v1.3.3: + This is a new (minor) development release. + Bug Fixes: - Hide `which` output on startup + Translation Updates: - French, Greek, Spanish v1.3.2: + This is a new (minor) development release. + Bug Fixes: - Use correct thumbnails directory based on GLib version (LP: #1495098) - Unmark icon name for translation + Translation Updates: - German, Finnish, French, Polish, Portuguese, Spanish v1.3.1: + This is a new development release. + Features: - Optional headerbars (enabled by default). Adjust the "use-headerbar" setting to change. + Bug Fixes: - Support for passwordless sudo (LP: #1395720) - Detect availability of locate, disable if unavailable (LP: #1482919) - Fix lookup of files over 2GB on 32bit installations (LP: #1442559) - Fix broken modification date filter - Set the window title to correctly display in window lists v1.3.0: + This is a new development release. + Features: - Significant UI refresh. The buggy toolbar was CSD headerbars. Sidebar was cleaned up and now more clearly indicates selected options. - Custom search dialogs were minimized, sped up, and replaced with Popover widgets. - New splash screens were added for startup and when no files are found. + Bug Fixes: - Photoshop and SVG thumbnail generation is now blacklisted since it resulted in less stability with recent library versions. - Quit on Ctrl+Q (LP: #1447045) - Add GenericName to desktop file (LP: #1476401) - Use the correct locate.db file (LP: #1480064) - Use unique GUI IDs (LP: #1389896) v1.2.2: + Fix typo in CatfishWindow.py (LP: #1372166) + Fix right-click activating previous item (LP: #1372165) + Updated translations. v1.2.1: + Fix regression introduced in 1.2.0 that prevents the application from starting (Debian: #758652) v1.2.0: + Added Search button to start search with the mouse (LP: #1300158) + Added "--start" command line flag to start searching on startup + Removed "--fileman" and "--wrapper" flags, xdg-open is sufficient + Results are now cleared when starting a new search + An InfoBar is now displayed when the locate database is out-of-date + Improved updatedb and password dialogs + Fixed searching for multiple terms (LP: #1353546) v1.0.3: + Fix external file search methods (e.g. locate) (lp: #1329801) + Improved handling for missing symbolic icons + Add AppData files (lp: #1323747) + Use LANG only when needed, disable updatedb if not in sudoers (lp: #1320777) v1.0.2: + Update to latest SudoDialog + Cleanup remaining quickly template cruft + Use LANG=C with pexpect calls for better reliable with non-english locales + Fix list logic, item selection + Fix dialog API changes v1.0.1: + Fix CVE-2014-2093 CVE-2014-2094 CVE-2014-2095 CVE-2014-2096 - Debian #739958 - Fedora #1069396 + Fix multiple-selection regression (lp: #1283726) v1.0.0: + Interface refresh, mimicking common gnome applications. + Fix executable-not-elf-or-script when debian packaging + Use "use_underline" property for SaveAs and Delete in popup menu + Fix "--thumbnail" startup option (lp: #1230245) + Remove embedded copy of pexpect (lp: #1257500) + Fix image loading issues, use icon names available in gnome-icon-theme (lp: #1258713) + Fix untranslatable strings (lp: #1261181) + Fix sidebar width (lp: #1261185) + Fix sidebar coloration (lp: #1261185) + Fix searching mounted shares (lp: 1274378) v0.8.2: + Fix PyGObject deprecation warning (lp: #1228440) + Add fallback for all symbolic icons used in the application v0.8.1: + Fix python2/3 error that prevented installation (lp 1217507) v0.8.0: + Add Folder filter + Improved encoding support + Improved Python3 support + Remember sidebar visibility and hidden files toggled (lp 1188954) + Enhanced image thumbnailer (lp 1193311) + Use pexpect and SudoDialog to replace gksu dependency (lp 1202085) v0.6.4: + Make singular files found message available. + Make Search terms placeholder text translateable (lp 1175201) + Make commandline options translateable (lp 1175204) v0.6.3: + Fix crash when directory in PATH does not exist (lp 1166079) + Fix case sensitivity in search backend (lp 1166214) + Fix infinite loop when searching for * (lp 1165727) + Updated translations v0.6.2: + Update website + Install py files instead of pyc + Fix symbolic links for build systems + Updated translations v0.6.1: + Fixed application name in Xfce4 application switcher + Fixed early pygobject API bug for init of TreeModelSort + Fixed wildcard support + Fixed theme change detection and update for sidebar + Minor code cleanup with emphasis on readability and maintainability v0.6.0: + Complete rewrite from the ground-up. + Replaced find with os.walk + Sidebar is now styled and uses symbolic icons when available. + Further interface refinements. + Improved thumbnail-loading support. + Drag'n'Drop of filenames from application. + Added delete to file popup menu. + Ability to perform operations on multiple files. + Simplified strings for easier translation. + Python version 2 or 3 can now be used. v0.4.0.3: + Added Greek translation. + Added Basque translation. + Added Japanese translation. + Added Dutch translation. + Added Brazilian Portugeuse translation. + Added Russian translation. + Added Slovak translation. + Added Serbian translation. + Added Turkish translation. + Added Ukranian translation. + Added Chinese Traditional translation. + Updated Belarusian translation. + Updated Czech translation. + Updated German translation. + Updated Spanish translation. + Updated Finnish translation. + Updated French translation. + Updated Polish translation. v0.4.0.2: + Added Russian localized comment in catfish.desktop + Fix for not running on Ubuntu live CD + Fix for using wildcards with locate + Fix for find not searching in symlinked folder + Fix for window icon name not matching .desktop file + Fix for python-xdg not being a listed requirement v0.4.0.1: + Added fix for potential crash with icon_load + Removed deprecated string from desktop file v0.4.0: + GTK+ 3.2+ port + Zeitgeist/Locate search suggestions + Revamped minimalistic interface + Fixed sorting by date + Defaults to user home folder + Search on entry activate - Removed deprecated pyGTK v0.3.2: + Use completely new logo + Correct erroneous spin button page size + Partly localize Desktop file comment + Install icon to $prefix/share/icons/hicolor + Improve uninstall make rule + Install docs to a $prefix/share/docs/catfish ? new translations: cs, fi, zh_CN v0.3.1: + use a broader default test for wrapper and filemanager + give more helpful output if a file can't be opened + fix search from folders with spaces breaking find v0.3: + stable release + fix filetype button style to force icons only - remove settings dialog again for now v0.3c: + use proper stock item constants + add settings dialog + allow for a relative path in cli option 'path' + support mailbox uris + warn when specified method is unavailable + ask before overwriting file + fix errors in on_menu_save code + show message dialog when file couldn't be saved + show message dialog when file couldn't be opened ? new translations: es v0.3b: + optimized treeview click handler + allow to open the popup menu with hotkeys + add cli option 'file-action' + allow to cancel searching with "Esc" - removed cli option 'nostat' + better module check + add cli option 'debug' + update method 'pinot' for Pinot v0.71 ? new translations: ca, fr, pl, ru v0.3a: + option to build debian package + include docs in install + open folder on middle click + add dbus-support + add method 'strigi'(dbus) + check file icon and filter in one go + add method 'pinot'(dbus) + modularize backend interface + add cli option 'nostat' v0.2.5: ? new translations: es v0.2.4: ? new translations: ca, fr, pl, ru v0.2.3: + fix search daemon not run v0.2.2: + fix cli option 'fulltext' + fix visible internal link + fix popup menu (workaround glade bug) + fix size in thumbnail and large icon mode ? new translations: da v0.2.1: + fix makefile to build translations v0.2: + stable release ? new translations: fr, pl v0.2d: + fix unknown widget-style bug - removed meta search mode + add fulltext search + respect folder for any method + display tooltips for file types + default to 'save' in save-dialog + fix format of iso-time + optimized file type filter ? new translations: fr, sv v0.2c: + simplified glade file check + localization support + add 'Save to file' to popup menu + fix error if xdg.Mime unavailable + always include hidden files in hidden folders + fix popup menu right-click + add program icon + changed build process + fix pango markup warning + optional meta search mode + fix open missing file exception ? new translations: de, it v0.2b: + cleaner build process + improved search code + swap time and path columns + ellipsize path column + use icon for status/ error + complain about unsupported wildcards + provide way to launch search daemon + fix 'opening' of status messages + show popup menu only for files + merge 'icon' and 'name' columns in default mode + fix combobox icon size + use compatible icons v0.2a: + add method 'doodle' + use HPaned to make findbar resizable + new search method ComboBox + add cli option for search method + add cli option for 'exact match' + add cli option for 'include hidden files' + more flexible find method handling + exact search for any method + search for files by type + better dependency handling + add keywords autocompletion + show keywords in statusbar + add 'Copy' to popup menu v0.1: + stable release v0.1e: + improve 'find' support + make search method entry read-only + fix sorting by size + allow wildcards in keywords + fix confusing errors for 'find' v0.1d: + check dependencies in build.py + fix opening of files in large-icons/thumbnails mode + match filename only + fix freeze when opening file manager + fix '1 file found' for no results + add option for custom file opener v0.1c: + fix enter key to start search + fix opening of files in gnome + reset the column width for every search + make list sortable + provide desktop file + optional display thumbnails of images + limit search results + replace Combo with ComboBoxEntry + auto-disable unavailable options + guess location of glade-file + provide make file + make columns resizable + fix error with unknown DESKTOP_SESSION v0.1b: + add method 'slocate' + add method 'beagle' + show number of results in statusbar + add filechooser-dialog + use local date + use small icons by default + several command line options + several minor improvements + fix 'include hidden files' + show results in realtime + improved support for desktops besides xfce + provide 'cancel' button v0.1a: + initial release catfish-1.4.4/catfish_lib/0000775000175000017500000000000013233171023017337 5ustar bluesabrebluesabre00000000000000catfish-1.4.4/catfish_lib/catfishconfig.py0000664000175000017500000000462213233170262022530 0ustar bluesabrebluesabre00000000000000#!/usr/bin/env python # -*- Mode: Python; coding: utf-8; indent-tabs-mode: nil; tab-width: 4 -*- # Catfish - a versatile file searching tool # Copyright (C) 2007-2012 Christian Dywan # Copyright (C) 2012-2018 Sean Davis # # This program is free software: you can redistribute it and/or modify it # under the terms of the GNU General Public License version 2, as published # by the Free Software Foundation. # # This program is distributed in the hope that it will be useful, but # WITHOUT ANY WARRANTY; without even the implied warranties of # MERCHANTABILITY, SATISFACTORY QUALITY, 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, see . import os __all__ = [ 'project_path_not_found', 'get_data_file', 'get_data_path', 'get_locate_db_path', ] # Where your project will look for your data (for instance, images and ui # files). By default, this is ../data, relative your trunk layout __catfish_data_directory__ = '../data/' # Location of locate.db file __locate_db_path__ = '/var/lib/mlocate/mlocate.db' __license__ = 'GPL-3+' __version__ = '1.4.4' class project_path_not_found(Exception): """Raised when we can't find the project directory.""" def get_data_file(*path_segments): """Get the full path to a data file. Returns the path to a file underneath the data directory (as defined by `get_data_path`). Equivalent to os.path.join(get_data_path(), *path_segments). """ return os.path.join(get_data_path(), *path_segments) def get_data_path(): """Retrieve catfish data path This path is by default /../data/ in trunk and /usr/share/catfish in an installed version but this path is specified at installation time. """ # Get pathname absolute or relative. path = os.path.join( os.path.dirname(__file__), __catfish_data_directory__) abs_data_path = os.path.abspath(path) if not os.path.exists(abs_data_path): raise project_path_not_found return abs_data_path def get_locate_db_path(): """Return the location of the locate.db file """ return __locate_db_path__ def get_version(): """Return the program version number.""" return __version__ catfish-1.4.4/catfish_lib/CatfishSettings.py0000664000175000017500000000617713233061444023033 0ustar bluesabrebluesabre00000000000000#!/usr/bin/env python # -*- Mode: Python; coding: utf-8; indent-tabs-mode: nil; tab-width: 4 -*- # Catfish - a versatile file searching tool # Copyright (C) 2007-2012 Christian Dywan # Copyright (C) 2012-2018 Sean Davis # # This program is free software: you can redistribute it and/or modify it # under the terms of the GNU General Public License version 2, as published # by the Free Software Foundation. # # This program is distributed in the hope that it will be useful, but # WITHOUT ANY WARRANTY; without even the implied warranties of # MERCHANTABILITY, SATISFACTORY QUALITY, 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, see . import os default_settings_file = os.path.join(os.getenv('HOME'), '.config/catfish/catfish.rc') default_settings = { 'use-headerbar': True, 'show-hidden-files': False, 'show-sidebar': False } class CatfishSettings: """CatfishSettings rc-file management.""" def __init__(self, settings_file=default_settings_file): """Initialize the CatfishSettings instance.""" try: settings_dir = os.path.dirname(settings_file) if not os.path.exists(settings_dir): os.makedirs(settings_dir) self.settings_file = settings_file except Exception: self.settings_file = None self.read() def get_setting(self, key): """Return current setting for specified key.""" if key in self.settings: return self.settings[key] else: return None def set_setting(self, key, value): """Set the value for the specified key.""" if key in self.settings: self.settings[key] = value else: pass def read(self): """Read the settings rc-file into this settings instance.""" self.settings = default_settings.copy() if os.path.isfile(self.settings_file): for line in open(self.settings_file): if not line.startswith('#'): try: prop, value = line.split('=') if prop in self.settings: if value.strip().lower() in ['true', 'false']: value = value.strip().lower() == 'true' self.settings[prop] = value except Exception: pass def write(self): """Write the current settings to the settings rc-file.""" if self.settings_file: write_file = open(self.settings_file, 'w') for key in list(self.settings.keys()): value = self.settings[key] if isinstance(value, bool): value = str(value).lower() else: value = str(value) write_file.write('%s=%s\n' % (key, value)) write_file.close() catfish-1.4.4/catfish_lib/__init__.py0000664000175000017500000000213113233061424021450 0ustar bluesabrebluesabre00000000000000#!/usr/bin/env python # -*- Mode: Python; coding: utf-8; indent-tabs-mode: nil; tab-width: 4 -*- # Catfish - a versatile file searching tool # Copyright (C) 2007-2012 Christian Dywan # Copyright (C) 2012-2018 Sean Davis # # This program is free software: you can redistribute it and/or modify it # under the terms of the GNU General Public License version 2, as published # by the Free Software Foundation. # # This program is distributed in the hope that it will be useful, but # WITHOUT ANY WARRANTY; without even the implied warranties of # MERCHANTABILITY, SATISFACTORY QUALITY, 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, see . '''facade - makes catfish_lib package easy to refactor while keeping its api constant''' from . helpers import set_up_logging # noqa from . Window import Window # noqa from . catfishconfig import get_version # noqa catfish-1.4.4/catfish_lib/Builder.py0000664000175000017500000003001313233061435021301 0ustar bluesabrebluesabre00000000000000#!/usr/bin/env python # -*- Mode: Python; coding: utf-8; indent-tabs-mode: nil; tab-width: 4 -*- # Catfish - a versatile file searching tool # Copyright (C) 2007-2012 Christian Dywan # Copyright (C) 2012-2018 Sean Davis # # This program is free software: you can redistribute it and/or modify it # under the terms of the GNU General Public License version 2, as published # by the Free Software Foundation. # # This program is distributed in the hope that it will be useful, but # WITHOUT ANY WARRANTY; without even the implied warranties of # MERCHANTABILITY, SATISFACTORY QUALITY, 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, see . '''Enhances builder connections, provides object to access glade objects''' from gi.repository import GObject, Gtk # pylint: disable=E0611 import inspect import functools import logging from xml.etree.cElementTree import ElementTree logger = logging.getLogger('catfish_lib') # this module is big so uses some conventional prefixes and postfixes # *s list, except self.widgets is a dictionary # *_dict dictionary # *name string # ele_* element in a ElementTree # pylint: disable=R0904 # the many public methods is a feature of Gtk.Builder class Builder(Gtk.Builder): ''' extra features connects glade defined handler to default_handler if necessary auto connects widget to handler with matching name or alias auto connects several widgets to a handler via multiple aliases allow handlers to lookup widget name logs every connection made, and any on_* not made ''' def __init__(self): """Initialize the GtkBuilder instance.""" Gtk.Builder.__init__(self) self.widgets = {} self.glade_handler_dict = {} self.connections = [] self._reverse_widget_dict = {} # pylint: disable=R0201 # this is a method so that a subclass of Builder can redefine it def default_handler(self, handler_name, filename, *args, **kwargs): '''helps the apprentice guru glade defined handlers that do not exist come here instead. An apprentice guru might wonder which signal does what he wants, now he can define any likely candidates in glade and notice which ones get triggered when he plays with the project. this method does not appear in Gtk.Builder''' logger.debug('''tried to call non-existent function:%s() expected in %s args:%s kwargs:%s''', handler_name, filename, args, kwargs) # pylint: enable=R0201 def get_name(self, widget): ''' allows a handler to get the name (id) of a widget this method does not appear in Gtk.Builder''' return self._reverse_widget_dict.get(widget) def add_from_file(self, filename): '''parses xml file and stores wanted details''' Gtk.Builder.add_from_file(self, filename) # extract data for the extra interfaces tree = ElementTree() tree.parse(filename) ele_widgets = tree.getiterator("object") for ele_widget in ele_widgets: name = ele_widget.attrib['id'] widget = self.get_object(name) # populate indexes - a dictionary of widgets self.widgets[name] = widget # populate a reversed dictionary self._reverse_widget_dict[widget] = name # populate connections list ele_signals = ele_widget.findall("signal") connections = [ (name, ele_signal.attrib['name'], ele_signal.attrib['handler']) for ele_signal in ele_signals] if connections: self.connections.extend(connections) ele_signals = tree.getiterator("signal") for ele_signal in ele_signals: self.glade_handler_dict.update( {ele_signal.attrib["handler"]: None}) def connect_signals(self, callback_obj): '''connect the handlers defined in glade reports successful and failed connections and logs call to missing handlers''' filename = inspect.getfile(callback_obj.__class__) callback_handler_dict = dict_from_callback_obj(callback_obj) connection_dict = {} connection_dict.update(self.glade_handler_dict) connection_dict.update(callback_handler_dict) for item in list(connection_dict.items()): if item[1] is None: # the handler is missing so reroute to default_handler handler = functools.partial( self.default_handler, item[0], filename) connection_dict[item[0]] = handler # replace the run time warning logger.warn("expected handler '%s' in %s", item[0], filename) # connect glade define handlers Gtk.Builder.connect_signals(self, connection_dict) # let's tell the user how we applied the glade design for connection in self.connections: widget_name, signal_name, handler_name = connection logger.debug("connect builder by design '%s', '%s', '%s'", widget_name, signal_name, handler_name) def get_ui(self, callback_obj=None, by_name=True): '''Creates the ui object with widgets as attributes connects signals by 2 methods this method does not appear in Gtk.Builder''' result = UiFactory(self.widgets) # Hook up any signals the user defined in glade if callback_obj is not None: # connect glade define handlers self.connect_signals(callback_obj) if by_name: auto_connect_by_name(callback_obj, self) return result def add_name_mapping(self, mapping): '''Add a mapping for use with get_named_object.''' self._mapping = mapping def get_named_object(self, name): '''Retrieve the named object from the builder.''' if self._mapping is None: return None item = self._mapping try: for segment in name.split('.'): item = item[segment] return self.get_object(item) except Exception: return None # pylint: disable=R0903 # this class deliberately does not provide any public interfaces # apart from the glade widgets class UiFactory(): ''' provides an object with attributes as glade widgets''' def __init__(self, widget_dict): """Initialize the UiFactory instance.""" self._widget_dict = widget_dict for (widget_name, widget) in list(widget_dict.items()): setattr(self, widget_name, widget) # Mangle any non-usable names (like with spaces or dashes) # into pythonic ones cannot_message = """cannot bind ui.%s, name already exists consider using a pythonic name instead of design name '%s'""" consider_message = "consider using a pythonic name instead " \ "of design name '%s'" for (widget_name, widget) in list(widget_dict.items()): pyname = make_pyname(widget_name) if pyname != widget_name: if hasattr(self, pyname): logger.debug(cannot_message, pyname, widget_name) else: logger.debug(consider_message, widget_name) setattr(self, pyname, widget) def iterator(): '''Support 'for o in self' ''' return iter(list(widget_dict.values())) setattr(self, '__iter__', iterator) def __getitem__(self, name): 'access as dictionary where name might be non-pythonic' return self._widget_dict[name] # pylint: enable=R0903 def make_pyname(name): ''' mangles non-pythonic names into pythonic ones''' pyname = '' for character in name: if (character.isalpha() or character == '_' or (pyname and character.isdigit())): pyname += character else: pyname += '_' return pyname # Until bug https://bugzilla.gnome.org/show_bug.cgi?id=652127 is fixed, we # need to reimplement inspect.getmembers. GObject introspection doesn't # play nice with it. def getmembers(obj, check): """Reimplemented inspect.getmembers function.""" members = [] for k in dir(obj): try: attr = getattr(obj, k) except Exception: continue if check(attr): members.append((k, attr)) members.sort() return members def dict_from_callback_obj(callback_obj): '''a dictionary interface to callback_obj''' methods = getmembers(callback_obj, inspect.ismethod) aliased_methods = [x[1] for x in methods if hasattr(x[1], 'aliases')] # a method may have several aliases # ~ @alias('on_btn_foo_clicked') # ~ @alias('on_tool_foo_activate') # ~ on_menu_foo_activate(): # ~ pass alias_groups = [(x.aliases, x) for x in aliased_methods] aliases = [] for item in alias_groups: for alias in item[0]: aliases.append((alias, item[1])) dict_methods = dict(methods) dict_aliases = dict(aliases) results = {} results.update(dict_methods) results.update(dict_aliases) return results def auto_connect_by_name(callback_obj, builder): '''finds handlers like on__ and connects them i.e. find widget,signal pair in builder and call widget.connect(signal, on__)''' callback_handler_dict = dict_from_callback_obj(callback_obj) for item in list(builder.widgets.items()): (widget_name, widget) = item signal_ids = [] try: widget_type = type(widget) while widget_type: signal_ids.extend(GObject.signal_list_ids(widget_type)) widget_type = GObject.type_parent(widget_type) except RuntimeError: # pylint wants a specific error pass signal_names = [GObject.signal_name(sid) for sid in signal_ids] # Now, automatically find any the user didn't specify in glade for sig in signal_names: # using convention suggested by glade sig = sig.replace("-", "_") handler_names = ["on_%s_%s" % (widget_name, sig)] # Using the convention that the top level window is not # specified in the handler name. That is use # on_destroy() instead of on_windowname_destroy() if widget is callback_obj: handler_names.append("on_%s" % sig) do_connect(item, sig, handler_names, callback_handler_dict, builder.connections) log_unconnected_functions(callback_handler_dict, builder.connections) def do_connect(item, signal_name, handler_names, callback_handler_dict, connections): '''connect this signal to an unused handler''' widget_name, widget = item for handler_name in handler_names: target = handler_name in list(callback_handler_dict.keys()) connection = (widget_name, signal_name, handler_name) duplicate = connection in connections if target and not duplicate: widget.connect(signal_name, callback_handler_dict[handler_name]) connections.append(connection) logger.debug("connect builder by name '%s','%s', '%s'", widget_name, signal_name, handler_name) def log_unconnected_functions(callback_handler_dict, connections): '''log functions like on_* that we could not connect''' connected_functions = [x[2] for x in connections] handler_names = list(callback_handler_dict.keys()) unconnected = [x for x in handler_names if x.startswith('on_')] for handler_name in connected_functions: try: unconnected.remove(handler_name) except ValueError: pass for handler_name in unconnected: logger.debug("Not connected to builder '%s'", handler_name) catfish-1.4.4/catfish_lib/AboutDialog.py0000664000175000017500000000412513233061430022105 0ustar bluesabrebluesabre00000000000000#!/usr/bin/env python # -*- Mode: Python; coding: utf-8; indent-tabs-mode: nil; tab-width: 4 -*- # Catfish - a versatile file searching tool # Copyright (C) 2007-2012 Christian Dywan # Copyright (C) 2012-2018 Sean Davis # # This program is free software: you can redistribute it and/or modify it # under the terms of the GNU General Public License version 2, as published # by the Free Software Foundation. # # This program is distributed in the hope that it will be useful, but # WITHOUT ANY WARRANTY; without even the implied warranties of # MERCHANTABILITY, SATISFACTORY QUALITY, 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, see . from gi.repository import Gtk # pylint: disable=E0611 from . helpers import get_builder from . catfishconfig import get_version class AboutDialog(Gtk.AboutDialog): """Catfish AboutDialog""" __gtype_name__ = "AboutDialog" def __new__(cls): """Special static method that's automatically called by Python when constructing a new instance of this class. Returns a fully instantiated AboutDialog object. """ builder = get_builder('AboutCatfishDialog') new_object = builder.get_object("about_catfish_dialog") new_object.finish_initializing(builder) return new_object def finish_initializing(self, builder): """Called while initializing this instance in __new__ finish_initalizing should be called after parsing the ui definition and creating a AboutDialog object with it in order to finish initializing the start of the new AboutCatfishDialog instance. Put your initialization code in here and leave __init__ undefined. """ # Get a reference to the builder and set up the signals. self.builder = builder self.ui = builder.get_ui(self) self.set_version(get_version()) catfish-1.4.4/catfish_lib/Window.py0000664000175000017500000002575513233061463021204 0ustar bluesabrebluesabre00000000000000#!/usr/bin/env python # -*- Mode: Python; coding: utf-8; indent-tabs-mode: nil; tab-width: 4 -*- # Catfish - a versatile file searching tool # Copyright (C) 2007-2012 Christian Dywan # Copyright (C) 2012-2018 Sean Davis # # This program is free software: you can redistribute it and/or modify it # under the terms of the GNU General Public License version 2, as published # by the Free Software Foundation. # # This program is distributed in the hope that it will be useful, but # WITHOUT ANY WARRANTY; without even the implied warranties of # MERCHANTABILITY, SATISFACTORY QUALITY, 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, see . from gi.repository import Gtk, Gdk # pylint: disable=E0611 import logging from locale import gettext as _ from . helpers import get_builder from catfish_lib import CatfishSettings logger = logging.getLogger('catfish_lib') # GtkBuilder Mappings __builder__ = { # Builder name "ui_file": "CatfishWindow", "window": { "main": "Catfish", "sidebar": "catfish_window_sidebar", }, # Toolbar "toolbar": { "folderchooser": "toolbar_folderchooser", "search": "toolbar_search", "view": { "list": "toolbar_view_list", "thumbs": "toolbar_view_thumbnails" }, }, # Menus "menus": { # Application (AppMenu) "application": { "menu": "application_menu", "placeholder": "toolbar_custom_appmenu", "exact": "application_menu_exact", "hidden": "application_menu_hidden", "fulltext": "application_menu_fulltext", "advanced": "application_menu_advanced", "update": "application_menu_update" }, # File Context Menu "file": { "menu": "file_menu", "save": "file_menu_save", "delete": "file_menu_delete" } }, # Locate Infobar "infobar": { "infobar": "catfish_window_infobar" }, # Sidebar "sidebar": { "modified": { "options": "sidebar_filter_custom_date_options", "icons": { "any": "sidebar_filter_modified_any_icon", "week": "sidebar_filter_modified_week_icon", "custom": "sidebar_filter_custom_date_icon", "options": "sidebar_filter_custom_date_options_icon" } }, "filetype": { "options": "sidebar_filter_custom_options", "icons": { "documents": "sidebar_filter_documents_icon", "folders": "sidebar_filter_folders_icon", "photos": "sidebar_filter_images_icon", "music": "sidebar_filter_music_icon", "videos": "sidebar_filter_videos_icon", "applications": "sidebar_filter_applications_icon", "custom": "sidebar_filter_custom_filetype_icon", "options": "sidebar_filter_custom_options_icon" } } }, # Results Window "results": { "scrolled_window": "results_scrolledwindow", "treeview": "results_treeview" }, "dialogs": { # Custom Filetypes "filetype": { "dialog": "filetype_dialog", "mimetypes": { "radio": "filetype_mimetype_radio", "box": "filetype_mimetype_box", "categories": "filetype_mimetype_categories", "types": "filetype_mimetype_types" }, "extensions": { "radio": "filetype_extension_radio", "entry": "filetype_extension_entry" } }, # Custom Date Range "date": { "dialog": "date_dialog", "start_calendar": "date_start_calendar", "end_calendar": "date_end_calendar", }, # Update Search Index "update": { "dialog": "update_dialog", "database_label": "update_dialog_database_details_label", "modified_label": "update_dialog_modified_details_label", "status_infobar": "update_dialog_infobar", "status_icon": "update_dialog_infobar_icon", "status_label": "update_dialog_infobar_label", "close_button": "update_close", "unlock_button": "update_unlock" } } } class Window(Gtk.Window): """This class is meant to be subclassed by CatfishWindow. It provides common functions and some boilerplate.""" __gtype_name__ = "Window" # To construct a new instance of this method, the following notable # methods are called in this order: # __new__(cls) # __init__(self) # finish_initializing(self, builder) # __init__(self) # # For this reason, it's recommended you leave __init__ empty and put # your initialization code in finish_initializing def __new__(cls): """Special static method that's automatically called by Python when constructing a new instance of this class. Returns a fully instantiated BaseCatfishWindow object. """ builder = get_builder(__builder__['ui_file']) builder.add_name_mapping(__builder__) new_object = builder.get_named_object("window.main") new_object.finish_initializing(builder) return new_object def finish_initializing(self, builder): """Called while initializing this instance in __new__ finish_initializing should be called after parsing the UI definition and creating a CatfishWindow object with it in order to finish initializing the start of the new CatfishWindow instance. """ # Get a reference to the builder and set up the signals. self.builder = builder self.ui = builder.get_ui(self, True) self.AboutDialog = None # class self.sidebar = builder.get_named_object("window.sidebar") # Widgets # Folder Chooser chooser = self.builder.get_named_object("toolbar.folderchooser") # Search search = self.builder.get_named_object("toolbar.search") # AppMenu button = Gtk.MenuButton() button.set_size_request(32, 32) image = Gtk.Image.new_from_icon_name("emblem-system-symbolic", Gtk.IconSize.MENU) button.set_image(image) popover = Gtk.Popover.new(button) appmenu = self.builder.get_named_object("menus.application.menu") popover.add(appmenu) button.set_popover(popover) settings = CatfishSettings.CatfishSettings() if settings.get_setting('use-headerbar'): self.setup_headerbar(chooser, search, button) else: self.setup_toolbar(chooser, search, button) search.grab_focus() self.keys_pressed = [] def setup_headerbar(self, chooser, search, button): headerbar = Gtk.HeaderBar.new() headerbar.set_show_close_button(True) headerbar.pack_start(chooser) headerbar.set_title(_("Catfish")) headerbar.set_custom_title(search) headerbar.pack_end(button) self.set_titlebar(headerbar) headerbar.show_all() def setup_toolbar(self, chooser, search, button): toolbar = Gtk.Toolbar.new() toolitem = Gtk.ToolItem.new() toolitem.add(chooser) toolitem.set_margin_right(6) toolbar.insert(toolitem, 0) toolitem = Gtk.ToolItem.new() toolitem.add(search) search.set_hexpand(True) toolitem.set_expand(True) toolitem.set_margin_right(6) toolbar.insert(toolitem, 1) toolitem = Gtk.ToolItem.new() toolitem.add(button) toolbar.insert(toolitem, 2) self.get_children()[0].pack_start(toolbar, False, False, 0) self.get_children()[0].reorder_child(toolbar, 0) toolbar.show_all() def on_mnu_about_activate(self, widget, data=None): """Display the about box for catfish.""" if self.AboutDialog is not None: about = self.AboutDialog() # pylint: disable=E1102 about.run() about.destroy() def on_destroy(self, widget, data=None): """Called when the CatfishWindow is closed.""" self.search_engine.stop() self.settings.write() Gtk.main_quit() def on_catfish_window_window_state_event(self, widget, event): """Properly handle window-manager fullscreen events.""" self.window_is_fullscreen = bool(event.new_window_state & Gdk.WindowState.FULLSCREEN) def get_keys_from_event(self, event): keys = [] keys.append(Gdk.keyval_name(event.keyval)) if event.get_state() & Gdk.ModifierType.CONTROL_MASK: keys.append("Control") if event.get_state() & Gdk.ModifierType.SHIFT_MASK: keys.append("Shift") if event.get_state() & Gdk.ModifierType.SUPER_MASK: keys.append("Super") if event.get_state() & Gdk.ModifierType.MOD1_MASK: keys.append("Alt") return keys def map_key(self, key): if key.endswith("_L"): return key.replace("_L", "") elif key.endswith("_R"): return key.replace("_R", "") return key def add_keys(self, keys): for key in keys: self.add_key(key) def add_key(self, key): if key is None: return key = self.map_key(key) if key in ["Escape"]: return if key not in self.keys_pressed: self.keys_pressed.append(key) def remove_keys(self, keys): for key in keys: if key in self.keys_pressed: self.remove_key(key) self.remove_key(key.upper()) def remove_key(self, key): if key is None: return key = self.map_key(key) try: self.keys_pressed.remove(key) except ValueError: pass def on_catfish_window_key_press_event(self, widget, event): """Handle keypresses for the Catfish window.""" keys = self.get_keys_from_event(event) self.add_keys(keys) if "Escape" in keys: self.search_engine.stop() return True if "Control" in keys and ("q" in keys or "Q" in keys): self.destroy() if 'F9' in keys: self.on_sidebar_toggle_toggled(widget) return True if 'F11' in keys: if self.window_is_fullscreen: self.unfullscreen() else: self.fullscreen() return True return False def on_catfish_window_key_release_event(self, widget, event): """Handle key releases for the Catfish window.""" keys = self.get_keys_from_event(event) self.remove_keys(keys) return False catfish-1.4.4/catfish_lib/SudoDialog.py0000664000175000017500000002733713233061456021767 0ustar bluesabrebluesabre00000000000000#!/usr/bin/env python # -*- Mode: Python; coding: utf-8; indent-tabs-mode: nil; tab-width: 4 -*- # Catfish - a versatile file searching tool # Copyright (C) 2007-2012 Christian Dywan # Copyright (C) 2012-2018 Sean Davis # # This program is free software: you can redistribute it and/or modify it # under the terms of the GNU General Public License version 2, as published # by the Free Software Foundation. # # This program is distributed in the hope that it will be useful, but # WITHOUT ANY WARRANTY; without even the implied warranties of # MERCHANTABILITY, SATISFACTORY QUALITY, 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, see . from gi.repository import Gtk, GdkPixbuf import os from locale import gettext as _ import pexpect gtk_version = (Gtk.get_major_version(), Gtk.get_minor_version(), Gtk.get_micro_version()) def check_gtk_version(major_version, minor_version, micro=0): """Return true if running gtk >= requested version""" return gtk_version >= (major_version, minor_version, micro) # Check if the LANG variable needs to be set use_env = False def check_dependencies(commands=[]): """Check for the existence of required commands, and sudo access""" # Check for required commands for command in commands: if pexpect.which(command) is None: return False # Check for sudo or pkexec if pexpect.which("pkexec") is not None: return True if pexpect.which("sudo") is None: return False # Check for LANG requirements child = env_spawn('sudo -v', 1) if child.expect([".*ssword.*", "Sorry", pexpect.EOF, pexpect.TIMEOUT]) == 3: global use_env use_env = True child.close() # Check for sudo rights child = env_spawn('sudo -v', 1) try: index = child.expect([".*ssword.*", "Sorry", pexpect.EOF, pexpect.TIMEOUT]) child.close() if index == 0 or index == 2: # User in sudoers, or already admin return True elif index == 1 or index == 3: # User not in sudoers return False except Exception: # Something else went wrong. child.close() return False def env_spawn(command, timeout): """Use pexpect.spawn, adapt for timeout and env requirements.""" if use_env: child = pexpect.spawn(command, env={"LANG": "C"}) else: child = pexpect.spawn(command) child.timeout = timeout return child def passwordless_sudo(): """Return true if no password required to use sudo.""" p = env_spawn("sudo -n true", 2) p.expect(pexpect.EOF) p.close() return p.exitstatus == 0 def prefer_pkexec(): return prefer_pkexec class SudoDialog(Gtk.Dialog): ''' Creates a new SudoDialog. This is a replacement for using gksudo which provides additional flexibility when performing sudo commands. Only used to verify password by issuing 'sudo /bin/true'. Keyword arguments: - parent: Optional parent Gtk.Window - icon: Optional icon name or path to image file. - message: Optional message to be displayed instead of the defaults. - name: Optional name to be displayed, for when message is not used. - retries: Optional maximum number of password attempts. -1 is unlimited. Signals emitted by run(): - NONE: Dialog closed. - CANCEL: Dialog cancelled. - REJECT: Password invalid. - ACCEPT: Password valid. ''' def __init__(self, title=None, parent=None, icon=None, message=None, name=None, retries=-1): """Initialize the SudoDialog.""" # initialize the dialog super(SudoDialog, self).__init__(title=title, transient_for=parent, modal=True, destroy_with_parent=True) # self.connect("show", self.on_show) if title is None: title = _("Password Required") self.set_title(title) self.set_border_width(5) # Content Area content_area = self.get_content_area() grid = Gtk.Grid.new() grid.set_row_spacing(6) grid.set_column_spacing(12) grid.set_margin_left(5) grid.set_margin_right(5) content_area.add(grid) # Icon self.dialog_icon = Gtk.Image.new_from_icon_name("dialog-password", Gtk.IconSize.DIALOG) grid.attach(self.dialog_icon, 0, 0, 1, 2) # Text self.primary_text = Gtk.Label.new("") self.primary_text.set_use_markup(True) self.primary_text.set_halign(Gtk.Align.START) self.secondary_text = Gtk.Label.new("") self.secondary_text.set_use_markup(True) self.secondary_text.set_halign(Gtk.Align.START) self.secondary_text.set_margin_top(6) grid.attach(self.primary_text, 1, 0, 1, 1) grid.attach(self.secondary_text, 1, 1, 1, 1) # Infobar self.infobar = Gtk.InfoBar.new() self.infobar.set_margin_top(12) self.infobar.set_message_type(Gtk.MessageType.WARNING) content_area = self.infobar.get_content_area() infobar_icon = Gtk.Image.new_from_icon_name("dialog-warning", Gtk.IconSize.BUTTON) label = Gtk.Label.new(_("Incorrect password... try again.")) content_area.add(infobar_icon) content_area.add(label) grid.attach(self.infobar, 0, 2, 2, 1) content_area.show_all() self.infobar.set_no_show_all(True) # Password label = Gtk.Label.new("") label.set_use_markup(True) label.set_markup("%s" % _("Password:")) label.set_halign(Gtk.Align.START) label.set_margin_top(12) self.password_entry = Gtk.Entry() self.password_entry.set_visibility(False) self.password_entry.set_activates_default(True) self.password_entry.set_margin_top(12) grid.attach(label, 0, 3, 1, 1) grid.attach(self.password_entry, 1, 3, 1, 1) # Buttons button = self.add_button(_("Cancel"), Gtk.ResponseType.CANCEL) button_box = button.get_parent() button_box.set_margin_top(24) ok_button = Gtk.Button.new_with_label(_("OK")) ok_button.connect("clicked", self.on_ok_clicked) ok_button.set_receives_default(True) ok_button.set_can_default(True) ok_button.set_sensitive(False) self.set_default(ok_button) if check_gtk_version(3, 12): button_box.pack_start(ok_button, True, True, 0) else: button_box.pack_start(ok_button, False, False, 0) self.password_entry.connect("changed", self.on_password_changed, ok_button) self.set_dialog_icon(icon) # add primary and secondary text if message: primary_text = message secondary_text = None else: primary_text = _("Enter your password to\n" "perform administrative tasks.") secondary_text = _("The application '%s' lets you\n" "modify essential parts of your system." % name) self.format_primary_text(primary_text) self.format_secondary_text(secondary_text) self.attempted_logins = 0 self.max_attempted_logins = retries def on_password_changed(self, widget, button): """Set the apply button sensitivity based on password input.""" button.set_sensitive(len(widget.get_text()) > 0) def format_primary_text(self, message_format): ''' Format the primary text widget. ''' self.primary_text.set_markup("%s" % message_format) def format_secondary_text(self, message_format): ''' Format the secondary text widget. ''' self.secondary_text.set_markup(message_format) def set_dialog_icon(self, icon=None): ''' Set the icon for the dialog. If the icon variable is an absolute path, the icon is from an image file. Otherwise, set the icon from an icon name. ''' # default icon size is dialog. icon_size = Gtk.IconSize.DIALOG if icon: if os.path.isfile(os.path.abspath(icon)): # icon is a filename, so load it into a pixbuf to an image pixbuf = GdkPixbuf.Pixbuf.new_from_file_at_size(icon, icon_size, icon_size) self.dialog_icon.set_from_pixbuf(pixbuf) self.set_icon_from_file(icon) else: # icon is an named icon, so load it directly to an image self.dialog_icon.set_from_icon_name(icon, icon_size) self.set_icon_name(icon) else: # fallback on password icon self.dialog_icon.set_from_icon_name('dialog-password', icon_size) self.set_icon_name('dialog-password') def on_show(self, widget): '''When the dialog is displayed, clear the password.''' self.set_password('') self.password_valid = False def on_ok_clicked(self, widget): ''' When the OK button is clicked, attempt to use sudo with the currently entered password. If successful, emit the response signal with ACCEPT. If unsuccessful, try again until reaching maximum attempted logins, then emit the response signal with REJECT. ''' if self.attempt_login(): self.password_valid = True self.emit("response", Gtk.ResponseType.ACCEPT) else: self.password_valid = False # Adjust the dialog for attactiveness. self.infobar.show() self.password_entry.grab_focus() if self.attempted_logins == self.max_attempted_logins: self.attempted_logins = 0 self.emit("response", Gtk.ResponseType.REJECT) def get_password(self): '''Return the currently entered password, or None if blank.''' if not self.password_valid: return None password = self.password_entry.get_text() if password == '': return None return password def set_password(self, text=None): '''Set the password entry to the defined text.''' if text is None: text = '' self.password_entry.set_text(text) self.password_valid = False def attempt_login(self): ''' Try to use sudo with the current entered password. Return True if successful. ''' # Set the pexpect variables and spawn the process. child = env_spawn('sudo /bin/true', 1) try: # Check for password prompt or program exit. child.expect([".*ssword.*", pexpect.EOF]) child.sendline(self.password_entry.get_text()) child.expect(pexpect.EOF) except pexpect.TIMEOUT: # If we timeout, that means the password was unsuccessful. pass # Close the child process if it is still open. child.close() # Exit status 0 means success, anything else is an error. if child.exitstatus == 0: self.attempted_logins = 0 return True else: self.attempted_logins += 1 return False catfish-1.4.4/catfish_lib/helpers.py0000664000175000017500000001206013233062221021351 0ustar bluesabrebluesabre00000000000000#!/usr/bin/env python # -*- Mode: Python; coding: utf-8; indent-tabs-mode: nil; tab-width: 4 -*- # Catfish - a versatile file searching tool # Copyright (C) 2007-2012 Christian Dywan # Copyright (C) 2012-2018 Sean Davis # # This program is free software: you can redistribute it and/or modify it # under the terms of the GNU General Public License version 2, as published # by the Free Software Foundation. # # This program is distributed in the hope that it will be useful, but # WITHOUT ANY WARRANTY; without even the implied warranties of # MERCHANTABILITY, SATISFACTORY QUALITY, 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, see . """Helpers for an Ubuntu application.""" import logging import os import sys import gi gi.require_version('Gtk', '3.0') # noqa from gi.repository import Gtk, GObject from . catfishconfig import get_data_file from . Builder import Builder python_version = sys.version_info[:3] gobject_version = GObject.pygobject_version gtk_version = (Gtk.get_major_version(), Gtk.get_minor_version(), Gtk.get_micro_version()) def check_python_version(major_version, minor_version, micro=0): """Return true if running python >= requested version""" return python_version >= (major_version, minor_version, micro) def check_gtk_version(major_version, minor_version, micro=0): """Return true if running gtk >= requested version""" return gtk_version >= (major_version, minor_version, micro) def check_gobject_version(major_version, minor_version, micro=0): """Return true if running gobject >= requested version""" return gobject_version >= (major_version, minor_version, micro) def get_builder(builder_file_name): """Return a fully-instantiated Gtk.Builder instance from specified ui file :param builder_file_name: The name of the builder file, without extension. Assumed to be in the 'ui' directory under the data path. """ # Look for the ui file that describes the user interface. ui_filename = get_data_file('ui', '%s.ui' % (builder_file_name,)) if not os.path.exists(ui_filename): ui_filename = None builder = Builder() builder.set_translation_domain('catfish') builder.add_from_file(ui_filename) return builder def get_media_file(media_file_name): """Return the path to the specified media file.""" media_filename = get_data_file('media', '%s' % (media_file_name,)) if os.path.exists(media_filename): return "file:///" + media_filename return None class NullHandler(logging.Handler): """NullHander class.""" def emit(self, record): """Prohibit emission of signals.""" pass def set_up_logging(opts): """Set up the logging formatter.""" # add a handler to prevent basicConfig root = logging.getLogger() null_handler = NullHandler() root.addHandler(null_handler) formatter = logging.Formatter("%(levelname)s:%(name)s: " "%(funcName)s() '%(message)s'") logger = logging.getLogger('catfish') logger_sh = logging.StreamHandler() logger_sh.setFormatter(formatter) logger.addHandler(logger_sh) search_logger = logging.getLogger('catfish_search') search_logger_sh = logging.StreamHandler() search_logger_sh.setFormatter(formatter) search_logger.addHandler(search_logger_sh) lib_logger = logging.getLogger('catfish_lib') lib_logger_sh = logging.StreamHandler() lib_logger_sh.setFormatter(formatter) lib_logger.addHandler(lib_logger_sh) # Set the logging level to show debug messages. if opts.verbose: logger.setLevel(logging.DEBUG) logger.debug('logging enabled') search_logger.setLevel(logging.DEBUG) if opts.verbose > 1: lib_logger.setLevel(logging.DEBUG) def get_help_uri(page=None): """Return the URI for the documentation.""" # help_uri from source tree - default language here = os.path.dirname(__file__) help_uri = os.path.abspath(os.path.join(here, '..', 'help', 'C')) if not os.path.exists(help_uri): # installed so use gnome help tree - user's language help_uri = 'catfish' # unspecified page is the index.page if page is not None: help_uri = '%s#%s' % (help_uri, page) return help_uri def show_uri(parent, link): """Open the specified URI.""" from gi.repository import Gtk # pylint: disable=E0611 screen = parent.get_screen() Gtk.show_uri(screen, link, Gtk.get_current_event_time()) def alias(alternative_function_name): '''see http://www.drdobbs.com/web-development/184406073#l9''' def decorator(function): '''attach alternative_function_name(s) to function''' if not hasattr(function, 'aliases'): function.aliases = [] function.aliases.append(alternative_function_name) return function return decorator catfish-1.4.4/README0000664000175000017500000000112013231757000015745 0ustar bluesabrebluesabre00000000000000Catfish is a handy file searching tool for linux and unix. The interface is intentionally lightweight and simple, using only GTK+3. You can configure it to your needs by using several command line options. Dependencies: python-gi, gksu, python-pexpect, locate | mlocate For installation instructions read INSTALL. You are encouraged to run 'catfish --help' to check out the various command line options. Please report comments, suggestions and bugs to: Christian Dywan Sean Davis Check for new versions at: www.twotoasts.de catfish-1.4.4/data/0000775000175000017500000000000013233171023016001 5ustar bluesabrebluesabre00000000000000catfish-1.4.4/data/metainfo/0000775000175000017500000000000013233171023017603 5ustar bluesabrebluesabre00000000000000catfish-1.4.4/data/metainfo/catfish.appdata.xml.in0000664000175000017500000001160413233170422023770 0ustar bluesabrebluesabre00000000000000 catfish CC0-1.0 GPL-2.0+ Catfish <_summary>Versatile file searching tool <_p> Catfish is a small, fast, and powerful file search utility. Featuring a minimal interface with an emphasis on results, it helps users find the files they need without a file manager. With powerful filters such as modification date, file type, and file contents, users will no longer be dependent on the file manager or organization skills. catfish.desktop http://screenshots.bluesabre.org/catfish/catfish.png http://screenshots.bluesabre.org/catfish/catfish-filters.png https://launchpad.net/catfish-search/ https://bugs.launchpad.net/catfish-search/ https://answers.launchpad.net/catfish-search smd.seandavis@gmail.com catfish <_p>This release features several performance improvements and numerous translation updates. <_p>This release now displays all file timestamps according to timezone instead of Universal Coordinated Time (UTC). <_p>This release fixes several bugs related to the results window. Files are once again removed from the results list when deleted. Middle- and right-click functionality has been restored. Date range filters are now applied according to timezone instead of Universal Coordinated Time (UTC). <_p>This release includes a significant interface refresh, improves search speed, and fixes several bugs. The workflow has been improved, utilizing some of the latest features of the GTK+ toolkit, including optional headerbars and popover widgets. Password handling has been improved with the integration of PolicyKit when available. <_p>This release fixes two new bugs and includes updated translations. <_p>This release fixes a regression where the application is unable to start on some systems. <_p>This release fixes a regression where multiple search terms were no longer supported. An InfoBar is now displayed when the search database is outdated, and the dialogs used to update the database have been improved. <_p>This release fixes two issues where locate would not be properly executed and improves handling of missing symbolic icons. <_p>This stable release improved the reliability of the password dialog, cleaned up unused code, and fixed potential issues with the list and item selection. <_p>This release fixed a potential security issue with program startup and fixed a regression with selecting multiple items. <_p>The first release in the 1.0.x series introduced a refreshed interface and fixed a number of long-standing bugs. Improvements to the default permissions eliminated a number of warnings when packaging for distributions. Accessibility was enhanced as all strings have been made translatable and keyboard accelerators have been improved. catfish-1.4.4/data/media/0000775000175000017500000000000013233171023017060 5ustar bluesabrebluesabre00000000000000catfish-1.4.4/data/media/catfish.svg0000664000175000017500000014545113231757000021237 0ustar bluesabrebluesabre00000000000000 image/svg+xml catfish-1.4.4/data/ui/0000775000175000017500000000000013233171023016416 5ustar bluesabrebluesabre00000000000000catfish-1.4.4/data/ui/AboutCatfishDialog.ui0000664000175000017500000000615013233061540022455 0ustar bluesabrebluesabre00000000000000 False 5 center-on-parent catfish normal Catfish 1.0.2 Copyright (C) 2007-2012 Christian Dywan <christian@twotoasts.de> Copyright (C) 2012-2018 Sean Davis <smd.seandavis@gmail.com> Catfish is a versatile file searching tool. https://launchpad.net/catfish-search Copyright (C) 2007-2012 Christian Dywan <christian@twotoasts.de> Copyright (C) 2012-2018 Sean Davis <smd.seandavis@gmail.com> This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License version 2, as published by the Free Software Foundation. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranties of MERCHANTABILITY, SATISFACTORY QUALITY, 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, see <http://www.gnu.org/licenses/>. Copyright (C) 2007-2012 Christian Dywan <christian@twotoasts.de> Copyright (C) 2012-2018 Sean Davis <smd.seandavis@gmail.com> Launchpad Translators, https://translations.launchpad.net/catfish-search Nancy Runge <nancy@twotoasts.de> catfish gpl-2-0 True False vertical 2 True False end False True end 0 catfish-1.4.4/data/ui/catfish_window.xml0000664000175000017500000000055513231757000022160 0ustar bluesabrebluesabre00000000000000 catfish-1.4.4/data/ui/about_catfish_dialog.xml0000664000175000017500000000061713231757000023301 0ustar bluesabrebluesabre00000000000000 catfish-1.4.4/data/ui/CatfishWindow.ui0000664000175000017500000022715113231757000021541 0ustar bluesabrebluesabre00000000000000 True False 16 edit-copy-symbolic True 1 True False 16 edit-delete-symbolic True True False 16 document-open-symbolic True True False 16 folder-symbolic True 1 True False 16 document-save-as-symbolic True True False _Open True False True file_menu_open_icon False Show in _File Manager True False True file_menu_open_location_icon False True False _Copy Location True False True file_menu_copy_location_icon False _Save as... True False True file_menu_save_icon False True False _Delete True False True file_menu_delete_icon False True False 6 vertical 3 True False File Extensions 0 False True 0 True True False False odt, png, txt GTK_INPUT_HINT_LOWERCASE | GTK_INPUT_HINT_NONE False True 1 folder-documents-symbolic Documents documents False True False folder-symbolic Folders folders False True False folder-pictures-symbolic Images images False True False folder-music-symbolic Music music False True False folder-videos-symbolic Videos videos False True False applications-utilities-symbolic Applications applications False True False preferences-other-symbolic Other other False True False document-open-recent-symbolic Any time any True False False document-open-recent-symbolic This week week False True False document-open-recent-symbolic Custom custom False True False True False 6 12 True False 0 none True False 3 3 True False vertical True True 2015 7 16 False True 0 True True True True False 3 True False x-office-calendar True False True 0 True False Go to Today False True 1 False True 1 True False <b>Start Date</b> True True True 0 True False 0 none True False 3 3 True False vertical True True 2015 7 16 False True 0 True True True True False 3 True False x-office-calendar True False True 0 True False Go to Today False True 1 False True 1 True False <b>End Date</b> True True True 1 False Catfish center 760 520 catfish True False vertical True False True True False 6 end Update True True True True True 0 False False 0 infobar_update False 16 True False dialog-information True False True 0 True False The search database is more than 7 days old. Update now? False True 1 False False 0 infobar_update False True 1 True True 150 True True True True never True False True False vertical True False vertical 28 True False 9 File Type 0 False True 0 True True liststore1 False False 0 False True none column 34 28 4 1 3 3 34 28 4 1 4 0 column True end 1 column document-properties-symbolic 5 True True 1 False True 0 16 1 True False end start 5 False False 1 True False vertical 28 True False 9 Modified 0 False True 0 True True liststore2 False False 0 False True none column 34 28 4 1 4 0 34 28 4 1 True 3 3 column True end 1 column document-properties-symbolic 5 True True 1 False True 2 16 1 True False end start 5 False False 3 False False True False True False vertical False True 0 True False vertical True False center center vertical 6 True False Catfish File Search center 1 False True 0 True False vertical 3 True False Enter your query above to find your files center 0 False True 0 True False center True False or click the False True 0 True False 16 emblem-system-symbolic True False True 1 True False icon for more options. False True 2 False False 1 False True 1 True True 0 True True True 400 300 True True results_liststore True True False True vertical False True 1 True True 1 True False True True 2 32 True False select-folder False False Select a Directory 28 True True True True center False edit-find-symbolic False False False False Search for files True False 16 view-list-symbolic True True False 16 folder-pictures-symbolic True True False none True True True False center center 32 32 True True False Compact List toolbar_view_list_icon 0.5 True False False True 0 32 32 True True False Thumbnails toolbar_view_thumbnails_icon 0.5 False toolbar_view_list False True 1 True True Show _Hidden Files True True False True 0 True True True Search File _Contents True True False True 0 True True True _Exact Match True True False True 0 True True True Show _Sidebar True True False True 0 True True True False True False True False view-refresh-symbolic False True 0 True False 5 _Update Search Index… True False True 1 True True False True False True False help-about-symbolic False True 0 True False 5 _About True False True 1 True False 22 dialog-password True False 5 Update Search Database False True center-on-parent True catfish dialog Catfish False vertical 2 False end gtk-cancel True True True True False True 0 Unlock True True True True True True update_unlock_icon False True 2 False True end 0 True False 5 5 6 12 True False dialog-password True 6 0 0 2 True False 24 <b>Database:</b> True 0 0 2 True False <b>Updated:</b> True 0 0 3 True False <big><b>Update Search Database</b></big> True 0 1 0 True False 6 For faster search results, the search database needs to be refreshed. This action requires administrative rights. 0 1 1 True False 24 <tt>/var/lib/mlocate/mlocate.db</tt> True True 0 1 2 True False True 0 1 3 True False False 6 end False False 0 False 16 True False dialog-information True False True 0 True False label False True 1 False False 0 0 4 2 False True 1 update_close update_unlock catfish-1.4.4/catfish.desktop.in0000664000175000017500000000056213233071654020525 0ustar bluesabrebluesabre00000000000000[Desktop Entry] _Name=Catfish File Search _GenericName=File search _Comment=Search the file system # TRANSLATORS: Search terms to find this application. Do NOT translate or localize the semicolons! The list MUST also end with a semicolon! _Keywords=files;find;locate;lookup;search; Categories=GNOME;GTK;Utility; Exec=catfish Icon=catfish Terminal=false Type=Application catfish-1.4.4/po/0000775000175000017500000000000013233171023015506 5ustar bluesabrebluesabre00000000000000catfish-1.4.4/po/pt_BR.po0000664000175000017500000004415113233061001017053 0ustar bluesabrebluesabre00000000000000# Brazilian Portuguese translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2017-05-26 12:38+0000\n" "Last-Translator: Rodrigo Zimmermann \n" "Language-Team: Brazilian Portuguese \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Pesquisador de arquivos Catfish" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Pesquisar arquivo" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Pesquisar no sistema de arquivos" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish é uma ferramenta de busca de arquivos versátil." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Abrir" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Mostrar no Gerenciador de Arquivos" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Copiar Localização" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Salvar como..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Deletar" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Extensões de Arquivo" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Documentos" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Pastas" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Imagens" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Música" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Vídeos" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Aplicativos" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Outro" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Qualquer horário" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Esta semana" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Personalizado" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Ir para Hoje" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Data Inicial" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Data Final" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Atualizar" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "A base de dados de pesquisa tem mais de 7 dias. Atualizar agora?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Tipo de Arquivo" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Modificado" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Digite sua consulta acima para buscar seus arquivos" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "ou clique no " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " ícone para mais opções." #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Selecione um diretório" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Lista compacta" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Miniaturas" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Exibir Arquivos Ocultos" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Pesquisar _Conteúdos de Arquivo" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Correspondência Correta" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Mo_strar Barra Lateral" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "_Atualizar Indice da Pesquisa" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_Sobre" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Atualizar a base de dados de pesquisa" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Desbloquear" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Base de dados:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Atualizado:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Atualizar a base de dados de pesquisa" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Para rápidos resultados de pesquisa, a base de dados precisa estar " "atualizada.\n" "Essa ação requer previlégios administrativos." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Uso: %prog [opções] caminho consulta" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "Mostrar mensagens de debug (-vv debugs catfish_lib também)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Usar icones grandes" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Usar miniaturas" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Exibir a hora no formato ISO" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Consulta exata" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Incluir arquivos ocultos" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Consultar texto completo" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" "Se o caminho e a consulta foi fornecida, iniciar a procura quando o programa " "for inicializado." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (codificação inválida)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Desconhecido" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Nunca" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "Ocorreu um erro ao atualizar a base de dados." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Falha na autenticação." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Autenticação cancelada." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Base de dados de procura atualizada com sucesso." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Atualizando..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Parar Busca" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Pesquisa em progresso...\n" "Pressione o botão cancelar ou a tecla Escape para parar." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Começar a pesquisa" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "\"%s\" não pôde ser aberto." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "\"%s\" não pôde ser salvo." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "\"%s\" não pôde ser deletado." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Salvar \"%s\" como..." #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Tem certeza que deseja \n" "deletar permanentemente \"%s\"?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Tem certeza que deseja \n" "deletar permanentemente os %i arquivos selecionados?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Se você remover um arquivo, ele será perdido permanentemente." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Nome do arquivo" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Tamanho" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Localização" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Visualização" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Detalhes" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Hoje" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Ontem" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Nenhum arquivo encontrado." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Tente fazer uma pesquisa menos específica\n" "ou tente outra pasta." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "1 arquivo encontrado." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "%i arquivos encontrados." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "bytes" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Pesquisando…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "" #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Procurando por \"%s\"" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Resultados da pesquisa para \"%s\"" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Senha necessária" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Senha incorreta... tente novamente." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Senha:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Cancelar" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "OK" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Insira sua senha para\n" "realizar tarefas administrativas." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "A aplicação '%s' permite que você\n" "modifique partes essenciais do sistema." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Ferramenta de busca de arquivos versátil" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish é um pequeno, rápido e poderoso utilitário de busca de arquivos. Com " "uma interface minimalista, com ênfase em resultados, que ajuda os usuários a " "encontrar os arquivos que necessitam sem um gerenciador de arquivos. Com " "poderosos filtros, tais como data de modificação, tipo de arquivo e conteúdo " "dos arquivos, os usuários não serão mais dependentes do gerenciador de " "arquivos ou habilidades de organização." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" "Esta versão corrige uma regressão onde vários termos de pesquisa não eram " "mais suportados. Uma barra de informações é exibida quando a base de dados " "de pesquisa está desatualizada e os diálogos usados ​​para atualizar a base " "de dados foram melhorados." #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" "Esta versão corrige duas questões em que localizar não seria executado " "corretamente e melhora a manipulação da falta ícones simbólicos." #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" "Esta versão estável melhorou a confiabilidade do diálogo de senha, limpou " "código não utilizado, e corrige possíveis problemas com a lista e seleção de " "itens." #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" "Esta versão corrigiu um problema de segurança com a inicialização do " "programa e corrige uma regressão com a seleção de vários itens." #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" "O primeiro lançamento da série 1.0.x introduziu uma interface renovada e " "corrige uma série de bugs de longa data. Melhorias para as permissões padrão " "eliminou uma série de avisos quando empacotado para as distribuições. A " "acessibilidade foi reforçada como todas as cordas foram feitas traduzível e " "aceleradores de teclado foram melhorados." #~ msgid "Last modified" #~ msgstr "Última modificação" #~ msgid "Update Search Index" #~ msgstr "Atualizar Índice de Pesquisa" #~ msgid "Done." #~ msgstr "Concluído." #~ msgid "An error occurred while updating locatedb." #~ msgstr "Ocorreu um erro durante a atualização do locatedb." #~ msgid "Clear search terms" #~ msgstr "Limpar os termos de pesquisa" #~ msgid "Enter search terms and press ENTER" #~ msgstr "Digite os termos de pesquisa e pressione ENTER" #~ msgid "Locate database updated successfully." #~ msgstr "Banco de dados de localização atualizado com sucesso." #~ msgid "Custom Time Range" #~ msgstr "Intervalo de tempo personalizado" #~ msgid "File Type" #~ msgstr "Tipo de Arquivo" #~ msgid "Modified" #~ msgstr "Modificado" #~ msgid "Select existing mimetype" #~ msgstr "Selecione mimetype existente" #~ msgid "Enter file extensions" #~ msgstr "Digite a extensão do arquivo" #~ msgid "User aborted authentication." #~ msgstr "Autenticação de usuário abortada." #~ msgid "Update Search Index" #~ msgstr "Atualizar Indice de Pesquisa" #~ msgid "Updating database…" #~ msgstr "Atualizando base de dados..." #~ msgid "_Hidden Files" #~ msgstr "_Arquivos Ocultos" #~ msgid "_Fulltext Search" #~ msgstr "_Busca Completa" #~ msgid "_Show Advanced Settings" #~ msgstr "_Mostrar Opções Avançadas" #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "Para fornecer resultados precisos, o locate da base de dados precisa " #~ "ser atualizada.\n" #~ "Isso requer privilégios de sudo (admin)." #~ msgid "Catfish could not find the default file manager." #~ msgstr "Catfish não encontrou o gerenciador de arquivos padrão." #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "Catfish não encontrou aplicativo compatível com este arquivo." #~ msgid "Custom File Type" #~ msgstr "Tipo de arquivo personalizado" catfish-1.4.4/po/be.po0000664000175000017500000003206713233061001016436 0ustar bluesabrebluesabre00000000000000# Belarusian translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2012-08-20 20:56+0000\n" "Last-Translator: Mikalai Udodau \n" "Language-Team: Belarusian \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "" #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "" #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Дакументы" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Выявы" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Музыка" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Відэа" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Праграмы" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Іншы" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Любы час" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "" #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr "" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "" #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "" #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "" #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "" #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "" #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "" #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "" #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "" #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "" #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Назва файла" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Памер" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Размяшчэнне" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Перадпрагляд" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Файлы не знойдзены." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "" #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "" #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "" #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Пошук \"%s\"" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Вынікі пошуку для \"%s\"" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "" #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" #~ msgid "Last modified" #~ msgstr "Апошнія змены" #~ msgid "Custom Time Range" #~ msgstr "Адмысловы абсяг часу" #~ msgid "Done." #~ msgstr "Скончана." #~ msgid "Clear search terms" #~ msgstr "Ачысціць умовы пошуку" #~ msgid "Enter search terms and press ENTER" #~ msgstr "Увядзіце умовы пошуку і націсніце ЎВОД" #~ msgid "Locate database updated successfully." #~ msgstr "База звестак locate паспяхова абноўлена." #~ msgid "Update Search Index" #~ msgstr "Абнавіць індэкс пошуку" #~ msgid "An error occurred while updating locatedb." #~ msgstr "Здарылася памылка падчас абнаўлення locatedb." catfish-1.4.4/po/af.po0000664000175000017500000003042213233061001016427 0ustar bluesabrebluesabre00000000000000# Afrikaans translation for catfish-search # Copyright (c) 2016 Rosetta Contributors and Canonical Ltd 2016 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2016. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2016-09-08 15:46+0000\n" "Last-Translator: kek \n" "Language-Team: Afrikaans \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "" #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "Maak oop" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "" #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Skrap" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Dokumente" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Vouers" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Prente" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Musiek" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Videos" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Programme" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Ander" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Hierdie week" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Gaan na Vandag" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Begindatum" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Einddatum" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Opdateer" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Lêer Tipe" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Aangepas" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "of druk die " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr "" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Kies 'n Vouer" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Duimnaelskets" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_Oor" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Nooit" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "" #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "" #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "" #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "" #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Besig om op te dateer..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "" #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "" #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "" #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "" #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "" #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "" #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "" #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "" #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "" #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" catfish-1.4.4/po/ku.po0000664000175000017500000003022213233061001016456 0ustar bluesabrebluesabre00000000000000# Kurdish translation for catfish-search # Copyright (c) 2017 Rosetta Contributors and Canonical Ltd 2017 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2017. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2017-01-17 09:59+0000\n" "Last-Translator: Rokar ✌ \n" "Language-Team: Kurdish \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Catfish Pela bigere" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Pela bigere" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "bigere li dosiya sîstem" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "" #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Veke" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "Cihî ji _ber bigire" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Cuda tomar bike..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Jê bibe" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "" #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr "" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "" #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "" #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "" #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "" #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "" #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "" #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "" #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "" #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "" #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "" #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "" #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "" #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "" #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "" #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" catfish-1.4.4/po/da.po0000664000175000017500000004114213233061001016426 0ustar bluesabrebluesabre00000000000000# Danish translation for catfish-search # Copyright (c) 2017 Rosetta Contributors and Canonical Ltd 2017 # This file is distributed under the same license as the catfish-search package. # scootergrisen, 2017. msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2017-07-20 21:08+0000\n" "Last-Translator: scootergrisen \n" "Language-Team: x\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" "Language: da\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Catfish-filsøgning" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Filsøgning" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Søg i filsystemet" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish er et alsidigt filsøgningsværktøj." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Åbn" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Vis i _filhåndtering" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Kopiér placering" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Gem som..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Slet" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Filendelser" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Dokumenter" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Mapper" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Billeder" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Musik" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Videoer" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Programmer" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Andet" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Enhver tid" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Denne uge" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Brugerdefineret" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Gå til dagen i dag" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Startdato" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Slutdato" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Opdater" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "Søgedatabasen er mere end 7 dage gammel. Opdater nu?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Filtype" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Ændret" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Indtast din forespørgsel ovenfor for at finde dine filer" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "eller klik på " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " -ikonet for flere valgmuligheder." #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Vælg en mappe" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Kompakt liste" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Miniaturer" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Vis _skjulte filer" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Søg i fil_indehold" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Præcist match" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Vis _sidebjælke" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "_Opdater søgeindeks…" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_Om" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Opdater søgedatabase" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Lås op" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Database:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Opdateret:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Opdater søgedatabase" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "For at få hurtigere søgeresultater skal søgedatabasen genopfriskes.\n" "Denne handling kræver administratorrettigheder." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Anvendelse: %prog [tilvalg] sti forespørgsel" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "Vis fejlretningsmeddelelser (-vv fejlretter også catfish_lib)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Brug store ikoner" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Brug miniaturer" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Vis tid i ISO-format" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Udfør præcist match" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Inkluder skjulte filer" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Udfør fuldtekstssøgning" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" "Hvis sti og forespørgsel gives, så start søgning når programmet vises." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (ugyldig kodning)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Ukendt" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Aldrig" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "Der opstod en fejl under opdatering af databasen." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Autentifikation mislykkedes." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Autentifikation annulleret." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Søgedatabase blev opdateret." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Opdaterer..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Stop søgning" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Igangværende søgning...\n" "Tryk på Annuller-knappen eller Escape-tasten for at stoppe." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Begynd søgning" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "\"%s\" kunne ikke åbnes." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "\"%s\" kunne ikke gemmes." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "\"%s\" kunne ikke slettes." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Gem \"%s\" som…" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Er du sikker på, at du vil \n" "slette \"%s\" permanent?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Er du sikker på, at du vil \n" "slette de %i valgte filer permanent?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Hvis du sletter en fil er den tabt permanent." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Filnavn" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Størrelse" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Placering" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Forhåndsvisning" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Detaljer" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "I dag" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "I går" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Ingen filer fundet." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Prøv at gøre din søgning mindre specifik\n" "eller prøv en anden mappe." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "1 fil fundet." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "%i filer fundet." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "byte" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Søger…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Resultater vil blive vist så snart de findes." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Søger efter \"%s\"" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Søgeresultater for \"%s\"" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Adgangskode krævet" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Forkert adgangskode... prøv igen." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Adgangskode:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Annuller" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "OK" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Indtast din adgangskode for at\n" "udføre administrative opgaver." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "Programmet '%s' lader dig\n" "ændre essentielle dele af dit system." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Alsidigt filsøgningsværktøj" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish er et lille, hurtigt og kraftfuldt filsøgningsværktøj. Med en " "minimal grænseflade med vægt på resultater hjælper den brugere med at finde " "de filer de har brug for uden en filhåndtering. Med kraftfulde filtre såsom " "ændringsdato, filtype og filindhold, behøver brugere ikke længere at være " "afhængig af filhåndteringen eller organiseringsværdigheder." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" "Denne udgivelse viser nu alle fil-tidsstempler i henhold til tidszone i " "stedet for Universal Coordinated Time (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" "Denne udgivelse retter adskillige fejl i forbindelse med resultater-vinduet. " "Filer fjernes nu igen fra resultatslisten når de slettes. Mellem- og " "højreklik er tilbage. Datoområdefiltre anvendes nu i henhold til tidszone i " "stedet for Universal Coordinated Time (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" "Denne udgivelse inkluderer en betydelig genopfriskning af grænsefladen, " "forbedre søgehastighed og rettelse af adskillige fejl. Arbejdsgangen er " "blevet forbedret, som gør brug af nogen af de seneste faciliteter i GTK+-" "toolkittet, inklusiv valgfrie headerlinjer og popover-widgets. " "Adgangskodehåndtering er blevet forbedret med integreringen af PolicyKit når " "det er tilgængeligt." #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" "Denne udgivelse retter to fejl og inkluderer opdaterede oversættelser." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "Denne udgivelse retter en regression hvor programmet ikke er i stand til at " "starte på nogle systemer." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" "Denne udgivelse retter en regression hvor flere søgetermer ikke længere var " "understøttet. En infolinje vises nu når søgedatabasen er forældet og " "dialogerne som bruges til at opdatere databasen er blevet forbedret." #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" "Denne udgivelse retter to problemer hvor lokaliser ikke korrekt ville " "eksekvere og forbedrer handling af manglende symbolske ikoner." #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" "Denne stabile udgivelse forbedrede pålideligheden af adgangskode-dialogen, " "ryddede op i ubrugt kode og rettede potentielle problemer med listen og valg " "af punkt." #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" "Denne udgivelse rettede et potentielt sikkerhedsproblem med programopstart " "og retteede en regression med valg af flere punkter." #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" "Den første udgivelse i 1.0.x-serien introducerede en genopfrisket " "grænseflade og rettede et antal fejl som har været der i lang tid. " "Forbedringer til standardtilladelser eliminerer et antal advarsler ved " "pakning af distributioner. Tilgængelighed blev forbedret eftersom alle " "strenge nu kan oversættes og tastaturgenveje er blevet forbedret." catfish-1.4.4/po/lt.po0000664000175000017500000004624713233061001016474 0ustar bluesabrebluesabre00000000000000# Lithuanian translation for catfish-search # Copyright (c) 2015 Rosetta Contributors and Canonical Ltd 2015 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2015. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2017-07-08 13:34+0000\n" "Last-Translator: Moo \n" "Language-Team: Lithuanian \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Catfish failų paieška" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Failų paieška" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Atlikti paiešką failų sistemoje" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish yra universalus failų paieškos įrankis." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Atverti" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Rodyti _failų tvarkytuvėje" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Kopijuoti vietą" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "Į_rašyti kaip..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Ištrinti" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Failo prievardžiai" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Dokumentai" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Aplankai" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Paveikslai" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Muzika" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Vaizdo įrašai" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Programos" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Kita" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Bet kada" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Šią savaitę" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Pasirinktinai" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Pereiti į šiandieną" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Pradžios data" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Pabaigos data" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Atnaujinti" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" "Paieškos duomenų bazei yra daugiau kaip 7 dienos. Atnaujinti ją dabar?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Failo tipas" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Keista" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Norėdami rasti savo failus, viršuje įrašykite užklausą" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "arba spustelėkite " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " piktogramą, kad pamatytumėte daugiau parinkčių." #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Pasirinkite Katalogą" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Glaudintas sąrašas" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Miniatiūros" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Rodyti _paslėptus failus" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Ieškoti failų _turinį" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "Tiksli _atitiktis" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Rodyti šoninę _juostą" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "Atnaujinti paieškos _indeksą..." #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "Api_e" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Atnaujinti Paieškos Duomenų Bazę" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Atrakinti" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Duomenų bazė:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Atnaujinta:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Paieškos Duomenų Bazės Atnaujinimas" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Siekiant greitesnių paieškos rezultatų, paieškos duomenų bazė\n" "turi būti įkelta iš naujo.\n" "Šis veiksmas reikalauja administratoriaus teisių." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Naudojimas: %prog [parinktys] kelias užklausa" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "Rodyti derinimo pranešimus (-vv taip pat derina catfish_lib)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Naudoti dideles piktogramas" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Naudoti miniatiūras" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Rodyti laiką ISO formatu" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Atlikti tikslią atitiktį" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Įtraukti paslėptus failus" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Atlikti pilno teksto paiešką" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" "Jei yra pateiktas kelias ir užklausa, pradėti paiešką, kai programa yra " "rodoma." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (neteisinga koduotė)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Nežinoma" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Niekada" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "Atnaujinant duomenų bazę, įvyko klaida." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Nepavyko nustatyti tapatybės." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Tapatybės nustatymas atšauktas." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Paieškos duomenų bazė sėkmingai atnaujinta." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Atnaujinama..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Stabdyti paiešką" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Paieška yra vykdoma...\n" "Norėdami sustabdyti, spauskite atšaukimo arba Escape mygtuką." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Pradėti paiešką" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "Nepavyko atverti \"%s\"." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "Nepavyko įrašyti \"%s\"." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "Nepavyko ištrinti \"%s\"." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Įrašyti \"%s\" kaip…" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Ar tikrai norite negrįžtamai \n" "ištrinti \"%s\"?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Ar tikrai norite negrįžtamai ištrinti \n" "%i pasirinktus failus?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Jeigu ištrinsite failą, jis bus negrįžtamai prarastas." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Failo pavadinimas" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Dydis" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Vieta" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Peržiūra" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Išsamesnė informacija" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Šiandien" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Vakar" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Failų nerasta." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Pabandykite vykdyti ne tokią konkrečią paiešką\n" "arba pabandykite kitą katalogą." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "Rastas 1 failas." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "Rasta %i failų." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "baitų" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Ieškoma..." #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Rezultatai bus rodomi iš karto, kai tik bus rasti." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Ieškoma \"%s\"" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "\"%s\" paieškos rezultatai" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Reikalingas Slaptažodis" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Neteisingas slaptažodis... bandykite dar kartą." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Slaptažodis:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Atsisakyti" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "Gerai" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Įveskite savo slaptažodį,\n" "kad galėtumėte atlikti \n" "administratoriaus užduotis." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "Programa '%s' leidžia jums\n" "modifikuoti svarbiausias jūsų sistemos dalis." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Universalus failų paieškos įrankis" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish yra maža, greita ir galinga failų paieškos paslaugų programa. " "Minimalios sąsajos, kurioje visas dėmesys sutelkiamas į rezultatus, dėka, " "programa padeda naudotojams, be failų tvarkytuvės pagalbos, rasti ieškomus " "failus. Galingų filtrų, tokių kaip keitimo data, failo tipas ir failo " "turinys, dėka, naudotojai daugiau nebus priklausomi nuo failų tvarkytuvės ar " "organizuotumo įgūdžių." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" "Dabar, šioje laidoje visos failų laiko žymės yra rodomos atitinkamai pagal " "laiko juostą, o ne suderintąjį pasaulinį laiką (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" "Ši laida ištaiso kelias klaidas, susijusias su rezultatų langu. Failai ir " "vėl, juos ištrinus, yra pašalinami iš rezultatų sąrašo. Buvo atkurtas " "vidurinio ir dešiniojo pelės mygtuko funkcionalumas. Datos rėžio filtrai " "dabar yra pritaikomi pagal laiko juostą, o ne pagal suderintąjį pasaulinį " "laiką (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" "Šioje laidoje yra pastebimai atnaujinta sąsaja, pagerintas paieškos greitis " "bei ištaisytos kelios klaidos. Buvo patobulinta darbo eiga, panaudojant kai " "kurias naujausias GTK+ įrankinės ypatybes, įskaitant neprivalomas antraščių " "juostas bei iššokančius valdiklius. Buvo patobulintas slaptažodžių " "apdorojimas su PolicyKit integravimu, kai tai yra prieinama." #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" "Šioje laidoje ištaisomos dvi naujos klaidos ir yra atnaujinami vertimai." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "Šioje laidoje yra ištaisyta regresija, dėl kurios kai kuriose sistemose buvo " "neįmanoma paleisti programos." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" "Šioje laidoje yra ištaisoma regresija, dėl kurios keli paieškos terminai " "būdavo nebepalaikomi. Dabar, kai paieškos duomenų bazė yra pasenusi, yra " "rodoma informacinė juosta, o taip pat yra patobulinti duomenų bazės " "atnaujinimo dialogai." #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" "Šioje laidoje yra ištaisoma regresija, kuomet nebuvo tinkamai vykdomas " "vietos nustatymas, o taip pat patobulinamas trūkstamų simbolinių piktogramų " "apdorojimas." #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" "Ši stabili laida pagerino slaptažodžio dialogo patikimumą, buvo išvalytas " "nebenaudojamas kodas ir ištaisytos potencialios, su sąrašo ir elemento " "pasirinkimu susijusios, klaidos." #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" "Šioje laidoje ištaisyta potenciali saugumo problema, susijusi su programos " "paleidimu, o taip pat ištaisyta, su kelių elementų pasirinkimu susijusi, " "regresija." #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" "Pirma laida 1.0.x serijoje pristatė atnaujintą sąsają ir daugelį ištaisytų " "ilgai trukusių problemų. Numatytųjų leidimų patobulinimai pašalino daugybę " "įspėjimų, atsirandančių pakavimo distribucijoms metu." #~ msgid "File Type" #~ msgstr "Failo tipas" #~ msgid "Modified" #~ msgstr "Keista" #~ msgid "Custom File Type" #~ msgstr "Pasirinktinis failo tipas" #~ msgid "_Fulltext Search" #~ msgstr "P_ilno teksto paieška" #~ msgid "_Hidden Files" #~ msgstr "_Paslėpti failai" #~ msgid "_Show Advanced Settings" #~ msgstr "_Rodyti išplėstinius nustatymus" #~ msgid "Custom Time Range" #~ msgstr "Pasirinktinis laiko rėžis" #~ msgid "Done." #~ msgstr "Atlikta." #~ msgid "An error occurred while updating locatedb." #~ msgstr "Atnaujinant locatedb, įvyko klaida." #~ msgid "User aborted authentication." #~ msgstr "Naudotojas nutraukė tapatybės nustatymą." #~ msgid "Clear search terms" #~ msgstr "Išvalyti paieškos užklausas" #~ msgid "Enter search terms and press ENTER" #~ msgstr "Įveskite paieškos užklausas ir spauskite ENTER" #~ msgid "Last modified" #~ msgstr "Paskutinis keitimas" #~ msgid "Updating database…" #~ msgstr "Atnaujinama duomenų bazė..." #~ msgid "Update Search Index" #~ msgstr "Atnaujinti paieškos indeksą" #~ msgid "Locate database updated successfully." #~ msgstr "Locate duomenų bazė sėkmingai atnaujinta." #~ msgid "Update Search Index" #~ msgstr "Paieškos Indekso Atnaujinimas" #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "Norint pateikti tikslesnius rezultatus, privalo būti iš naujo įkelta " #~ "locate duomenų bazė.\n" #~ "Tai reikalauja sudo (administratoriaus) teisių." #~ msgid "Catfish could not find the default file manager." #~ msgstr "Catfish nepavyko rasti numatytosios failų tvarkytuvės." #~ msgid "Enter file extensions" #~ msgstr "Įveskite failų prievardžius" #~ msgid "Select existing mimetype" #~ msgstr "Pasirinkite esamus MIME tipus" #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "Catfish nepavyko rasti numatytosios atvėrimo programos." catfish-1.4.4/po/pl.po0000664000175000017500000004362013233061001016460 0ustar bluesabrebluesabre00000000000000# Polish translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # Piotr Sokół , 2012, 2013, 2014. # msgid "" msgstr "" "Project-Id-Version: catfish-search 1.0.2\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2015-09-14 16:12+0000\n" "Last-Translator: Piotr Strębski \n" "Language-Team: polski <>\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Wyszukiwarka plików Catfish" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Wyszukiwanie plików" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Przeszukuje zawartość systemu plików" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Umożliwia kompleksowe wyszukiwanie plików." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Otwórz" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Wyświetl w _menedżerze plików" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "S_kopiuj położenie" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Zapisz jako..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Usuń" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Rozszerzenia plików" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Dokumenty" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Katalogi" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Obrazy" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Muzyka" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Filmy" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Programy" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Inne" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Kiedykolwiek" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "W tym tygodniu" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Własny" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Przejdź do bieżącej daty" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Data początkowa" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Data końcowa" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Aktualizuj" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "Baza danych wyszukiwania ma ponad 7 dni. Czy ją zaktualizować?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Rodzaj pliku" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Zmodyfikowano" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Wpisz powyżej swoje zapytanie, aby odnaleźć określone pliki" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "lub kliknij na " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " ikonę, aby wyświetlić więcej opcji." #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Wybór katalogu" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Wyświetla wyniki na zwartej liście" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Wyświetla wyniki jako miniatury" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Wyświetlanie _ukrytych plików" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Przeszukuj _zawartość plików" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Dokładne dopasowanie" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Pokaż pa_sek boczny" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "Z_aktualizuj indeks wyszukiwania…" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_O programie" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Aktualizacja bazy danych wyszukiwania" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Odblokuj" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Baza danych:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Zaktualizowano:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Aktualizacja bazy danych wyszukiwania" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Celem uzyskania szybszych wyników wyszukiwania należy odświeżyć bazę danych " "wyszukiwania.\n" "To działanie wymaga uprawnień administratora." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Użycie: %prog [opcje] ścieżka zapytanie" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "" "Wypisuje komunikaty diagnozowania błędów (opcje -vv uwzględnia również " "catfish_lib)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Używa dużych ikon" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Używa miniatur" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Wypisuje czas w formacie ISO" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Przeprowadza dokładne dopasowanie" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Uwzględnia pliki ukryte" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Wyszukuje pełny tekst" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" "Jeśli podano ścieżkę i zapytanie, wyszukiwanie rozpoczyna się gdy program " "jest wyświetlony." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (nieprawidłowe kodowanie)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Nieznane" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Nigdy" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "Wystąpił błąd podczas aktualizacji bazy danych." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Nieudane uwierzytelnianie." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Anulowano uwierzytelnianie." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Baza danych wyszukiwania została pomyślnie zaktualizowana." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Aktualizowanie..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Zatrzymaj wyszukiwanie" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Wyszukiwanie w toku...\n" "Naciśnij przycisk Anuluj, lub klawisz Escape, aby przerwać." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Rozpocznij wyszukiwanie" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "Nie można otworzyć „%s”." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "Nie można zapisać „%s”." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "Nie można usunąć „%s”." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Zapisz „%s” jako…" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Czy na pewno chcesz \n" "trwale usunąć „%s”?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Czy na pewno chcesz \n" "trwale usunąć %i zaznaczonych plików?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Plik zostanie nieodwracalnie usunięty." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Nazwa pliku" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Rozmiar" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Położenie" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Podgląd" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Szczegóły" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Dzisiaj" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Wczoraj" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Nie odnaleziono plików." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Spróbuj mniej dookreślić swoje wyszukiwanie\n" "lub spróbuj przeszukać inny katalog." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "Odnaleziono 1 plik." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "Odnaleziono %i plików." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "bajtów" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Wyszukiwanie…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Wyniki zostaną wyświetlone, jak tylko zostaną odnalezione." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Wyszukiwanie wyrażenia „%s”" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Wyniki wyszukiwania wyrażenia „%s”" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Wymagane hasło" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Nieprawidłowe hasło. Proszę spróbować ponownie." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Hasło:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Anuluj" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "OK" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Proszę wprowadzić hasło, aby\n" "wykonać zadania administracyjne." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "Program „%s” pozwala na\n" "modyfikowanie istotnych elementów systemu." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Wszechstronne narzędzie wyszukiwania plików" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish jest małą, szybką, ale potężną wyszukiwarką plików. Dysponując " "minimalistycznym interfejsem i stawiając nacisk na wyniki, pomaga " "użytkownikom znaleźć pliki, których ci potrzebują nie korzystając z " "menadżera plików. Wraz z potężnymi filtrami wyszukiwania, takimi jak data, " "rodzaj pliku oraz jego zawartość, użytkownicy nie będą dłużej skazani na " "bycie zależnym od menadżera plików oraz umiejętności organizacyjnych." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "To wydanie poprawia dwa nowe błędy i zawiera aktualizację tłumaczeń." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "To wydanie naprawia regresję, w wyniku której na niektórych systemach " "program nie był w stanie się uruchomić." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" "To wydanie naprawia błąd, w wyniku którego nie były obsługiwane wielokrotne " "warunki wyszukiwania. Wyświetlany jest pasek informacyjny, gdy przeszukiwana " "baza danych jest przedawniona. Ulepszono także okna dialogowe wykorzystywane " "do aktualizowania bazy danych." #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" "To wydanie naprawia dwa przypadki, w których nie były poprawnie ustawiane " "położenia, i ulepsza obsługę brakujących ikon symbolicznych." #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" #~ msgid "Last modified" #~ msgstr "Czas modyfikacji" #~ msgid "Custom Time Range" #~ msgstr "Własny zakres czasu" #~ msgid "Clear search terms" #~ msgstr "Czyści kryteria wyszukiwania" #~ msgid "Enter search terms and press ENTER" #~ msgstr "Wyszukuje wyrażenie po wciśnięciu klawisza ENTER" #~ msgid "Done." #~ msgstr "Zakończono." #~ msgid "An error occurred while updating locatedb." #~ msgstr "Wystąpił błąd podczas uaktualniania bazy nazw plików." #~ msgid "Modified" #~ msgstr "Czas modyfikacji" #~ msgid "File Type" #~ msgstr "Typ pliku" #~ msgid "Custom File Type" #~ msgstr "Własny typ pliku" #~ msgid "Select existing mimetype" #~ msgstr "Wybranie istniejącego typu mime" #~ msgid "Enter file extensions" #~ msgstr "Wprowadzenie rozszerzenia pliku" #~ msgid "Update Search Index" #~ msgstr "Uaktualnianie indeksu wyszukiwania" #~ msgid "Update Search Index" #~ msgstr "Uaktualnianie indeksu wyszukiwania" #~ msgid "Updating database…" #~ msgstr "Uaktualnianie bazy danych…" #~ msgid "User aborted authentication." #~ msgstr "Użytkownik anulował uwierzytelnianie." #~ msgid "_Hidden Files" #~ msgstr "_Ukryte pliki" #~ msgid "Catfish could not find the default file manager." #~ msgstr "Catfish nie może odnaleźć domyślnego menedżera plików." #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "" #~ "Catfish nie może odnaleźć domyślonego otwierającego programu pośredniczącego." #~ msgid "_Fulltext Search" #~ msgstr "Wyszukiwanie p_ełnego tekstu" #~ msgid "_Show Advanced Settings" #~ msgstr "Ustawienia _zaawansowane" #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "Aby zapewnić trafne wyniki wyszukiwania, należy uaktualnić bazę danych " #~ "wyszukiwania.\n" #~ "Do tego celu wymagane są uprawnienia administratora." #~ msgid "Locate database updated successfully." #~ msgstr "Uaktualniono bazę nazw plików." catfish-1.4.4/po/el.po0000664000175000017500000005606613233061001016455 0ustar bluesabrebluesabre00000000000000# Greek translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2016-06-13 00:57+0000\n" "Last-Translator: Michael Misirlis \n" "Language-Team: Greek \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" "Language: el\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Αναζήτηση αρχείων Catfish" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Αναζήτηση αρχείου" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Αναζήτηση στο σύστημα αρχείων" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish είναι ένα ευέλικτο εργαλείο αναζήτησης αρχείων." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "Άν_οιγμα" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Εμ_φάνιση στον Διαχειριστή Αρχείων" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "Αντιγρα_φή Τοποθεσίας" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "Αποθήκευ_ση ως..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Διαγραφή" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Επεκτάσεις Αρχείων" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Έγγραφα" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Φάκελοι" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Εικόνες" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Μουσική" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Βίντεο" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Εφαρμογές" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Άλλο" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Οποιαδήποτε ώρα" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Αυτήν την εβδομάδα" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Προσαρμοσμένη" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Μετάβαση στο σήμερα" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Αρχική ημερομηνία" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Τελική ημερομηνία" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Ανανέωση" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" "Η βάση δεδομένων αναζήτησης είναι παλαιότερη από 7 ημέρες. Να ανανεωθεί τώρα;" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Τύπος Αρχείου" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Τροποποιήθηκε" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Δώστε την αναζήτησή σας παραπάνω για να βρείτε τα αρχεία σας" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "ή κάντε κλικ στο " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " εικονίδιο για περισσότερες επιλογές." #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Επιλογή ενός καταλόγου" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Συμπαγής λίστα" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Μικρογραφίες" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Εμφάνισ_η Κρυφών Αρχείων" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Αναζήτηση στα Περιεχόμενα Αρ_χείου" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "Ακριβές ταίριασμα" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Εμφάνι_ση Πλευρικής Μπάρας" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "_Ενημέρωση αναζήτησης ευρετηρίου ..." #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_Περί" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Ανανέωση Βάσης Δεδομένων Αναζήτησης" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Ξεκλείδωμα" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Βάση Δεδομένων:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Ανανεώθηκε:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Ανανέωση Βάσης Δεδομένων Αναζήτησης" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Για γρηγορότερα αποτελέσματα, η βάση δεδομένων αναζήτησης πρέπει να " "ανανεωθεί.\n" "Αυτή η λειτουργία απαιτεί δικαιώματα διαχειριστή." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Χρήση: %πρόγραμμα [επιλογές] διαδρομές αναζήτηση" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "" "Εμφάνιση μηνυμάτων αποσφαλμάτωσης (με -vv εμφανίζονται και μηνύματα για " "catfish_lib)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Χρήση μεγάλων εικονιδίων" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Χρήση μικρογραφιών" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Εμφάνιση ώρας σε μορφή ISO" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Εκτέλεση ακριβής αντιστοιχίας" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Να συμπεριλαμβάνονται κρυφά αρχεία" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Εκτέλεση αναζήτησης πλήρους κειμένου" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" "Εάν έχουν δοθεί διαδρομή και αναζήτηση, έναρξη της αναζήτησης μόλις " "εμφανιστεί η εφαρμογή." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (άκυρη κωδικοποίηση)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Άγνωστο" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Ποτέ" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "Εμφανίστηκε λάθος κατά την ανανέωση της βάσης δεδομένων." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Η ταυτοποίηση απέτυχε." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Η ταυτοποίηση ακυρώθηκε." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Η βάση δεδομένων αναζήτησης ανανεώθηκε με επιτυχία." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Ενημέρωση..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Διακοπή Αναζήτησης" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Αναζήτηση σε εξέλιξη...\n" "Διακοπή πατήστε το κουμπί ακύρωσης ή το πλήκτρο Escape." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Έναρξη Αναζήτησης" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "Αδυναμία ανοίγματος \"%s\"." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "Αδυναμία αποθήκευσης \"%s\"." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "Αδυναμία διαγραφής \"%s\"." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Αποθήκευση \"%s\" ως..." #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Είστε σίγουροι ότι θέλετε να \n" "διαγράψετε μόνιμα το \"%s\";" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Είστε σίγουροι ότι θέλετε να \n" "διαγράψετε μόνιμα τα %i επιλεγμένα αρχεία;" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Εάν διαγράψετε ένα αρχείο, χάνεται μόνιμα." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Όνομα αρχείου" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Μέγεθος" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Τοποθεσία" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Προεπισκόπιση" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Λεπτομέρειες" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Σήμερα" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Εχθές" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Δεν βρέθηκαν αρχεία." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Δοκιμάστε να κάνετε την αναζήτησή σας πιο γενική\n" "ή δοκιμάστε έναν άλλο φάκελο." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "Βρέθηκε 1 αρχείο." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "Βρέθηκαν %i αρχεία." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "bytes" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Αναζήτηση…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Τα αποτελέσματα θα εμφανίζονται αμέσως μόλις βρίσκονται." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Αναζήτηση για \"%s\"" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Αποτελέσματα αναζήτησης για \"%s\"" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Απαιτείται Κωδικός" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Λάθος κωδικός... δοκιμάστε ξανά" #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Κωδικός:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Ακύρωση" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "ΟΚ" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Δώστε τον κωδικό σας για να\n" "γίνουν εργασίες διαχείρισης." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "Η εφαρμογή '%s' σας επιτρέπει να\n" "αλλάξετε βασικά μέρη του συστήματός σας." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Ευέλικτο εργαλείο αναζήτησης αρχείων" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Το Catfish είναι ένα μικρό, γρήγορο και ισχυρό πρόγραμμα αναζήτησης αρχείων. " "Έχοντας ελάχιστη διεπαφή και με έμφαση στα αποτελέσματα, βοηθά τους χρήστες " "να βρουν τα αρχεία που χρειάζονται χωρίς έναν διαχειριστή αρχείων. Με ισχυρά " "φίλτρα, όπως η ημερομηνία τροποποίησης, ο τύπος αρχείου, και τα περιεχόμενα " "του αρχείου, οι χρήστες δεν θα εξαρτώνται πλέον από τον διαχειριστή αρχείων " "ή από τις οργανωτικές τους ικανότητες." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" "Αυτή η έκδοση πλέον εμφανίζει όλες τις ημερομηνίες αρχείων με βάση τη ζώνη " "και όχι βάση Συγχρονισμένου Παγκόσμιου Χρόνου (UTC)" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" "Αυτή η έκδοση διορθώνει αρκετά σφάλματα σχετικά με το παράθυρο " "αποτελεσμάτων. Τα αρχεία και πάλι αφαιρούνται από τα αποτελέσματα όταν " "σβήνονται. Η λειτουργικότητα του μεσαίου και του δεξιού κλικ έχει επανέλθει. " "Τα φίλτρα εύρους ημερομηνίας εφαρμόζονται πλέον με βάση τη ζώνη και όχι βάση " "Συγχρονισμένου Παγκόσμιου Χρόνου (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" "Αυτή η έκδοση περιλαμβάνει σημαντική ανανέωση της διεπαφής, βελτιώνει την " "ταχύτητα αναζήτησης, και διορθώνει αρκετά σφάλματα. Η ροή εργασίας έχει " "βελτιωθεί, χρησιμοποιώντας μερικά από τα τελευταία χαρακτηριστικά του GTK+, " "όπως προαιρετικές μπάρες εργαλείων και γραφικά στοιχεία που εμφανίζονται με " "κλικ. Η διαχείριση διαχείριση κωδικών έχει βελτιωθεί με την ενσωμάτωση του " "PolicyKit, όπου είναι διαθέσιμο." #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" "Αυτή η έκδοση διορθώνει δύο νέα σφάλματα και περιλαμβάνει ενημερωμένες " "μεταφράσεις." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "Αυτή η έκδοση διορθώνει ένα σφάλμα που επανεμφανίστηκε, όπου η εφαρμογή δεν " "είναι σε θέση να ξεκινήσει σε ορισμένα συστήματα." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" "Αυτή η έκδοση διορθώνει ένα σφάλμα που επανεμφανίστηκε όπου πολλαπλοί όροι " "αναζήτησης δεν υποστηρίζονταν πλέον. Μια γραμμή πληροφοριών εμφανίζεται " "πλέον όταν η βάση δεδομένων αναζήτησης είναι ξεπερασμένη, και έχουν " "βελτιωθεί τα παράθυρα διαλόγου που χρησιμοποιούνται για την ενημέρωση της " "βάσης δεδομένων." #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" "Αυτή η έκδοση διορθώνει δύο ζητήματα όπου το πρόγραμμα locate δεν μπορούσε " "να εκτελεστεί σωστά και βελτιώνει τη διαχείριση συμβολικών εικονιδίων που " "λείπουν." #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" "Αυτή η σταθερή έκδοση βελτιώσει την αξιοπιστία του παράθυρου διαλόγου " "κωδικού πρόσβασης, καθαρίζει αχρησιμοποίητο κώδικα, και διορθώνει πιθανά " "ζητήματα με την επιλογή λίστας και στοιχείων." #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" "Αυτή η έκδοση διορθώνει ένα πιθανό ζήτημα ασφάλειας με την εκκίνηση του " "προγράμματος και διορθώνει ένα σφάλμα που επανεμφανίστηκε σε σχέση με την " "επιλογή πολλών στοιχείων." #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" "Η πρώτη έκδοση της σειράς 1.0.x εισήγαγε μία ανανεωμένη διεπαφή και διόρθωσε " "πολλά σφάλματα που υπήρχαν πολύ καιρό. Οι βελτιώσεις στα προεπιλεγμένα " "δικαιώματα εξάλειψαν μια σειρά από προειδοποιήσεις όταν το πρόγραμμα " "συσκευαζόταν για διανομές. Ενισχύθηκε η προσβασιμότητα καθώς όλα τα κείμενα " "έχουν γίνει μεταφράσιμα και έχουν βελτιωθεί οι συντομεύσεις πληκτρολογίου." #~ msgid "Custom Time Range" #~ msgstr "Προσαρμοσμένο εύρος χρόνου" #~ msgid "Done." #~ msgstr "Ολοκληρώθηκε." #~ msgid "Clear search terms" #~ msgstr "Απαλοιφή όρων αναζήτησης" #~ msgid "Enter search terms and press ENTER" #~ msgstr "Εισάγετε τους όρους αναζήτησης και πιέστε το πλήκτρο ENTER" #~ msgid "Last modified" #~ msgstr "Τελευταία τροποποίηση" #~ msgid "Update Search Index" #~ msgstr "Ενημέρωση ευρετηρίου αναζήτησης" #~ msgid "An error occurred while updating locatedb." #~ msgstr "" #~ "Παρουσιάστηκε σφάλμα κατά την ενημέρωση της βάσης δεδομένων εντοπισμού." #~ msgid "Locate database updated successfully." #~ msgstr "Η βάση δεδομένων εντοπισμού ενημερώθηκε με επιτυχία." #~ msgid "_Show Advanced Settings" #~ msgstr "_Εμφάνιση ρυθμίσεων για προχωρημένους" #~ msgid "_Fulltext Search" #~ msgstr "_Αναζήτηση πλήρους κειμένου" #~ msgid "_Hidden Files" #~ msgstr "_Κρυφά αρχεία" #~ msgid "Modified" #~ msgstr "τροποποιημένο" #~ msgid "File Type" #~ msgstr "Τύπος Αρχείου" catfish-1.4.4/po/zh_CN.po0000664000175000017500000003654613233061001017057 0ustar bluesabrebluesabre00000000000000msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2016-01-05 14:15+0000\n" "Last-Translator: aerowolf \n" "Language-Team: Chinese (Simplified) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" "Language: zh_CN\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Catfish 文件搜索" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "文件搜索" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "搜索文件系统" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish 是一款多功能的文件搜索工具。" #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "打开(&O)" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "在文件管理器中打开(&F)" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "复制文件位置(&C)" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "另存为(&S)" #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "删除(&D)" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "文件扩展名" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt,png,txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "文档" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "文件夹" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "图片" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "音乐" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "视频" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "应用程序" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "其他" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "任何时间" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "本周" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "自定义" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "转到今天" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "开始日期" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "结束日期" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "更新" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "搜索数据库已超过7天,是否现在更新?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "文件类型" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "修改时间" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "在上面输入您要查找的文件" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "或者点击 " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " 图标以查看选项" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "选择一个目录" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "紧凑列表" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "缩略图" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "显示隐藏文件(&H)" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "搜索文件内容(&H)" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "完全匹配(&E)" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "显示侧边栏(&S)" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "更新搜索索引(&U)..." #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "关于(&A)" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "更新搜索数据库" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "解锁" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "数据库:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "更新:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "更新搜索数据库" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "为了获得更快的搜索结果,搜索数据库需要被刷新。\n" "此操作需要管理员权限。" #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "语法:%prog [选项] 路径 查询内容" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "显示调试信息 (-vv debugs catfish_lib also)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "使用大图标" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "使用缩略图" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "以 ISO 格式显示时间" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "执行精确匹配" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "包含隐藏文件" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "执行全文检索" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "如果提供了路径和查找内容,则启动应用时开始搜索。" #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (无效的编码)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "未知" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "从不" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "在更新数据库时发生错误。" #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "认证失败。" #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "认证取消。" #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "搜索数据库更新成功。" #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "正在更新..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "停止搜索" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "搜索进行中...\n" "点击取消按钮或按Esc键可以停止。" #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "开始搜索" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "无法打开 \"%s\"。" #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "无法保存 \"%s\"。" #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "无法删除 \"%s\"。" #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "将 \"%s\" 另存为..." #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "您确定要永久删除\n" "\"%s\"?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "您确定要删除选中的文件%i吗?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "如果您删除该文件,它会永久丢失。" #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "文件名" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "大小" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "位置" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "预览" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "详细信息" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "今天" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "昨天" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "没有找到文件。" #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "尝试少指定一些搜索关键词\n" "或者尝试其它目录。" #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "找到1个文件。" #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "找到 %i 个文件。" #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "字节" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "搜索中..." #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "" #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "正在搜索 \"%s\"" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "\"%s\" 的搜索结果" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "需要密码:" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "密码不正确......再试一次。" #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "密码:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "取消" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "确定" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "请输入密码以便 \n" "执行管理员权限。" #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "应用程序 '%s' 想要修改\n" "系统的关键部分。" #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "多功能文件搜索工具" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish是一款小巧、快速、强大的文件搜索工具。特别设置一个突出显示搜索结果的小界面,可以帮助用户不必使用文件管理器就可以找到想要的文件。诸如修改日期" "、文件类型和文件内容等强大的过滤功能,用户则不必依赖文件管理器或者其它文件管理技能。" #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "本版本修复了两处新的缺陷同时完善了翻译情况" #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" #~ msgid "Custom Time Range" #~ msgstr "自定义时间范围" #~ msgid "Custom File Type" #~ msgstr "自定义文件类型" #~ msgid "Select existing mimetype" #~ msgstr "选择已有的 mimetype" #~ msgid "Enter file extensions" #~ msgstr "输入文件扩展名" #~ msgid "_Hidden Files" #~ msgstr "隐藏文件(_H)" #~ msgid "_Fulltext Search" #~ msgstr "全文搜索(_F)" #~ msgid "_Show Advanced Settings" #~ msgstr "显示高级设置(_S)" #~ msgid "Modified" #~ msgstr "修改时间" #~ msgid "File Type" #~ msgstr "文件类型" #~ msgid "Enter search terms and press ENTER" #~ msgstr "输入要搜寻的东西并按「Enter」" #~ msgid "Locate database updated successfully." #~ msgstr "数据库更新成功。" #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "为了提供准确结果,要更新 locate 的数据库。\n" #~ "这需要 sudo (系统管理员) 权限。" #~ msgid "Updating database…" #~ msgstr "正在更新数据库..." catfish-1.4.4/po/ja.po0000664000175000017500000004610613233061001016441 0ustar bluesabrebluesabre00000000000000# Japanese translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2016-03-19 08:05+0000\n" "Last-Translator: Ikuya Awashiro \n" "Language-Team: Japanese \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Catfish ファイル検索" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "ファイル検索" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "ファイルシステムを検索" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfishは多目的のファイル検索ツールです。" #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "開く(_O)" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "ファイルマネージャーで開く(_F)" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "位置のコピー(_C)" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "別名で保存(_S)..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "削除(_D)" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "ファイル拡張子" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "文書" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "フォルダー" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "画像" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "音楽" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "動画" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "アプリケーション" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "その他" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "時刻指定なし" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "今週" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "カスタム" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "今日へ移動" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "開始日" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "終了日" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "アップデート" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "検索データベースは7日以上更新されていません。今すぐアップデートしますか?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "ファイル形式" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "修正日" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "検索したい語を上部の検索欄に入力するか、" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "あるいは " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " アイコンをクリックしてオプションを指定してください。" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "フォルダーを選択" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "一覧" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "サムネイル" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "隠しファイルの表示 (_H)" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "ファイルの内容を検索(_C)" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "完全一致(_E)" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "サイドバーの表示(_S)" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "検索インデックスの更新(_U)" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "このアプリケーションについて(_A)" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "検索データベースのアップデート" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "ロックの解除" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "データベース:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "アップデート:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "検索データベースのアップデート" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "検索結果を速く表示するために、検索データベースを更新する必要があります。\n" "このためには管理者権限が必要です。" #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Usage: %prog [オプション] パス 検索クエリ" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "デバッグメッセージを表示(-vv catfish_libもデバッグ)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "大きいアイコンを使う" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "サムネイルを使う" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "ISO形式で時間を表示する" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "完全一致検索" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "隠しファイルを含める" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "全文検索" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "パスと検索クエリが指定されているならば、プログラムが表示された時に検索を開始します。" #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (無効なエンコーディング)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "不明" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "しない" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "データベースのアップデート中にエラーが発生しました。" #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "認証に失敗しました。" #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "認証はキャンセルされました。" #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "検索データベースはアップデートされました。" #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "アップデート中..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "検索を停止" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "検索中...\n" "中止するにはキャンセルボタンをクリックするかEscキーを押してください。" #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "検索を開始" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "\"%s\" を開けませんでした。" #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "\"%s\" は保存されていません。" #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "\"%s\" は削除できません。" #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "\"%s\" を別名で保存" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "本当に \"%s\"\n" " を恒久的に削除しても良いですか?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "本当に %i つのファイル\n" "を恒久的に削除しても良いですか?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "削除されたファイルは二度と復元できません。" #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "ファイル名" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "サイズ" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "位置" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "プレビュー" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "詳細" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "今日" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "昨日" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "ファイルが一つも見つかりません。" #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "検索語を減らすか、\n" "ほかのフォルダーを検索してください。" #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "1つのファイルを発見。" #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "%i つのファイルを発見。" #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "bytes" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "検索中…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "結果は発見し次第表示されます。" #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "\"%s\" を検索中" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "\"%s\" の検索結果" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "パスワードが必要です" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "パスワードが正しくありません... 再入力してください。" #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "パスワード:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "キャンセル" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "OK" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "管理者権限が必要な操作を実行するため\n" "パスワードを入力してください。" #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "アプリケーション '%s' はシステムの\n" "主要な部分を修正しました。" #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "多機能なファイル検索ツール" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfishは軽量で速いにもかかわらず強力なファイル検索ユーティリティーです。インターフェースは検索結果に重点を起いた最小限な構成となっており、ユーザー" "がファイルマネージャーを使わずにフィルを見つけることを助けます。ファイルの変更日、ファイルタイプ、ファイルの内容といった強力なフィルターがあることによって" "、ユーザーはファイルマネージャーやファイルの整理スキルに頼る必要がなくなります。" #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" "このリリースでは複数のキーワードでの検索ができなくなっていた問題を解決しました。検索データベースが古くなると情報バーが表示されるようにもなり、データベース" "のアップデートについてのダイアログも改善されました。" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" "この安定版のリリースでは、パスワードダイアログの信頼性を改善し、未使用のコードを削除し、リスト選択とアイテム選択に関する潜在的な問題を修正しました。" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "このリリースでは、起動時の潜在的なセキュリティの問題を修正しました。また、複数項目の選択に関する問題についても修正しました。" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" "1.0.xシリーズの最初のリリースでは、インターフェースを刷新し、長年あったバグを修正しました。デフォルトのパーミッションを改善したことでディストリビュー" "ション用のパッケージングの際に出る警告が減りました。アクセシビリティも強化され、すべての文字列が翻訳可能となり、キーボードショートカットも改善されました。" #~ msgid "Done." #~ msgstr "完了" #~ msgid "_Show Advanced Settings" #~ msgstr "詳細設定(_S)" #~ msgid "_Fulltext Search" #~ msgstr "全文検索(_F)" #~ msgid "_Hidden Files" #~ msgstr "隠しファイル(_H)" #~ msgid "Modified" #~ msgstr "変更日時" #~ msgid "Enter search terms and press ENTER" #~ msgstr "語句を入れてEnterを押して下さい" #~ msgid "File Type" #~ msgstr "ファイルタイプ" #~ msgid "Custom File Type" #~ msgstr "カスタムファイルタイプ" #~ msgid "Custom Time Range" #~ msgstr "期間指定" #~ msgid "Enter file extensions" #~ msgstr "拡張子を入力" #~ msgid "Select existing mimetype" #~ msgstr "既存のMIMEタイプを選択" #~ msgid "Update Search Index" #~ msgstr "検索インデックスの更新" #~ msgid "Update Search Index" #~ msgstr "検索インデックスの更新" #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "正確な結果を提供するために位置データベースを更新する必要があります。\n" #~ "これはsudo(管理者権限)が必要です。" #~ msgid "Updating database…" #~ msgstr "データベースを更新しています..." #~ msgid "User aborted authentication." #~ msgstr "ユーザーが認証を中止しました。" #~ msgid "An error occurred while updating locatedb." #~ msgstr "位置データベースをアップデート中にエラーが発生しました。" #~ msgid "Clear search terms" #~ msgstr "検索語句をクリア" #~ msgid "Locate database updated successfully." #~ msgstr "位置データベースの更新が完了しました。" #~ msgid "Last modified" #~ msgstr "最終更新日時" #~ msgid "Catfish could not find the default file manager." #~ msgstr "Catfishにはデフォルトのファイルマネージャーが発見できません。" #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "Catfishにはデフォルトのオープンラッパーが発見できません。" catfish-1.4.4/po/si.po0000664000175000017500000004430313233061001016457 0ustar bluesabrebluesabre00000000000000# Sinhalese translation for catfish-search # Copyright (c) 2014 Rosetta Contributors and Canonical Ltd 2014 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2014. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2014-06-15 17:26+0000\n" "Last-Translator: Poorni \n" "Language-Team: Sinhalese \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "කැට් ෆිෂ් ලිපි ගොනු සෙවීම" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "ලිපි ගොනු පද්ධතිය සෙවීම" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "කැට් ෆිෂ්, විවිධ ලිපි ගොනු සෙවීමේ උපකරණයකි" #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "විවෘත කරන්න (_O)" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "ලිපිගොනු කළමනාකරු තුල පෙන්වන්න" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_ස්ථානය පිටපත්කරන්න" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "වගේ සුරකින්න" #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "කපා ඉවත් කරන්න" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "ලියකියවිලි" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "පත්‍රිකා" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "පින්තූර" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "සංගීතය" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "වීඩියෝ" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "යෙදුම්" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "වෙනත්" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "ඕනෑම වේලාවක" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "මේ සතිය" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "භාවිතය" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "අද දිනයට යන්න" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "ආරම්භක දිනය" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "අවසාන දිනය" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "කැට් ෆිෂ්" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "වෙනස් කළ" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "" #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr "" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "නාමාවලියක් තෝරා ගැනීම" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "ගිවිසුම් ලේඛනය" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "සංක්ෂිප්තයන්" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "නිවැරදි ගැලපීම" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "යාවත්කාලීන දර්ශක සෙවීම" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "පිළිබඳ" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "අගුළු හරින්න" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "පරිගණක නිදොස් කිරීමේ පණිවුඩ පෙන්වන්න" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "විශාල සංකේතයන් පාවිච්චි කරන්න" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "සංක්ෂිප්තයන් භාවිතා කරන්න" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "කාලය ISO ප්‍රමිති ආකෘතියෙන් පෙන්වන්න" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "නිවැරදිම ගැලපිම ඉටු කරන්න" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "සැඟවුණු ලිපිගොනු ඇතුලත් කරන්න" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "පූර්ණ වගන්ති සෙවුම් කරන්න" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (අවලංගු කේතීකරණයකි)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "" #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "සත්‍ය බවට සහතික කිරීම අසාර්ථකයි." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "" #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "" #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "" #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "සෙවීම නවතන්න" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "\"%s\" විවෘත කල නොහැක" #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "\"%s\" ප්‍රමාණයක් සුරැකුම් කල නොහැක" #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "\"%s\" කැ ප්‍රමාණයක් විනාශ කල නොහැක" #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "\"%s\" ලෙස සුරකින්න" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "මෙම \"%s\" සදහටම විනාශ කල යුතු බව ඔබට විශ්වාසද?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "මෙම තෝරාගත් ලිපි ගොනු %i සදහටම විනාශ කල යුතු බව ඔබට විශ්වාසද?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "ඔබ ලිපි ගොනුවක් විනාශ කල හොත්, එය සදහටම නැති වේ." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "ලිපි ගොනු නාමය" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "ප්‍රමාණය" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "පිහිටීම" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "පූර්ව දර්ශණය" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "විස්තර" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "අද" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "ඊයේ" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "ලිපිගොනු ආරම්භ කර නැත" #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "1 වන ලිපිගොනුව ආරම්භ කරන්න" #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "%i ලිපිගොනුව ආරම්භ කරන්න" #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "බයිට" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "සොයමින් පවතී" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "" #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "\"%s\" සෙවීම සදහා" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "\"%s\" සදහා ප්‍රතිඵල සොයයි" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "" #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" #~ msgid "Done." #~ msgstr "නිම කළා." #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "කැට් ෆිෂ් හට අනාවරණය ලිපි ගොනුවක් සොයා ගත නොහැක" #~ msgid "User aborted authentication." #~ msgstr "භාවිතා කරන්නා විසින් අවසර දීම නැවැත් විය" #~ msgid "Clear search terms" #~ msgstr "සෙවීම් නියමයන් ඉවත් කරන්න" #~ msgid "Last modified" #~ msgstr "අවසාන වෙනස් කළ දිනය" #~ msgid "_Hidden Files" #~ msgstr "සැඟවු ලිපි ගොනු" #~ msgid "_Fulltext Search" #~ msgstr "සම්පුර්ණ අකුරු සෙවීම" #~ msgid "_Show Advanced Settings" #~ msgstr "උසස් පසුතල පෙන්වීම" #~ msgid "Enter search terms and press ENTER" #~ msgstr "සෙවීම් නියම ඇතුලත් කරන්න සහ \"ඇතුලත් කිරීම\" ඔබන්න" #~ msgid "File Type" #~ msgstr "ලිපිගොනු වර්ගය" #~ msgid "Custom Time Range" #~ msgstr "භාවිත කාල පරාසය" #~ msgid "Custom File Type" #~ msgstr "ලිපිගොනු වර්ග භාවිතය" #~ msgid "Update Search Index" #~ msgstr "සෙවුම් දර්ශකය යාවත්කාලීන කිරීම" #~ msgid "Enter file extensions" #~ msgstr "ලිපිගොනු දීර්ඝ කිරීම් ඇතුලත් කිරීම" #~ msgid "Select existing mimetype" #~ msgstr "පවතින අනුකාර වර්ග තෝරා ගැනීම" #~ msgid "Update Search Index" #~ msgstr "සෙවුම් දර්ශකය යාවත්කාලීන කිරීම/b>" #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "නිවැරදි ප්‍රතිඑල සැපයීමට locate පරිගණක දත්ත ගබඩාව නැවත ප්‍රාණවත් " #~ "කිරීම අවශ්‍යය වේ. sudo (පරිපාලක) අයිතීන් මෙයට අවශ්‍ය වේ." #~ msgid "An error occurred while updating locatedb." #~ msgstr "ස්ථාන ගත කල පරිගණක දත්ත ගබඩාව යාවත්කාලීන කරන අතරතුර වරදක් සිදු වි ඇත" #~ msgid "Locate database updated successfully." #~ msgstr "පරිගණක දත්ත ගබඩාව සාර්ථක ලෙස යාවත්කාලීන කිරීම පිහිටු වන්න" #~ msgid "Catfish could not find the default file manager." #~ msgstr "කැට් ෆිෂ් මෘදුකාංගයට අමතර ගොනු කළමනාකරණය සොයා ගත නොහැක" #~ msgid "Modified" #~ msgstr "විකරණය කළ" #~ msgid "Updating database…" #~ msgstr "දත්ත ගබඩාව යාවත්කාලීන කිරීම" catfish-1.4.4/po/hu.po0000664000175000017500000003650213233061001016462 0ustar bluesabrebluesabre00000000000000# Ukrainian translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # # FIRST AUTHOR , 2013. # Gabor Kelemen , 2013. msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2015-10-19 11:35+0000\n" "Last-Translator: rezso \n" "Language-Team: Ukrainian \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" "Language: uk\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Catfish fájlkereső" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Fájlkeresés" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Keresés a fájlrendszerben" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "A Catfish egy rugalmas fájlkereső eszköz." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Megnyitás" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Megjelenítés a _fájlkezelőben" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "Hely _másolása" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "Menté_s másként..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Törlés" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Fájlkiterjesztések" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Dokumentumok" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Mappák" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Képek" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Zene" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Videók" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Alkalmazások" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Egyéb" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Bármikor" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Ezen a héten" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Egyéni" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Ugrás a mai naphoz" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Kezdő dátum" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Záró dátum" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Frissítés" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Fájl típus" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Módosítva" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "" #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr "" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Könyvtár kiválasztása" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Kompakt lista" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Előnézeti képek" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "_Rejtett fájlok megjelenítése" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Pontos egyezés" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "_Keresési index frissítése" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_Névjegy" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Feloldás" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "" "Hibakereső üzenetek megjelenítése (a -vv a catfish_lib hibaüzeneteit is " "megjeleníti)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Soha" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "" #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "A hitelesítés meghiúsult." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "" #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "" #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Frissítés..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Keresés leállítása" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "„%s” nem nyitható meg." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "„%s” nem menthető." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "„%s” nem törölhető." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "„%s” mentése másként…" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Biztos, hogy véglegesen törölni szeretné \n" "a(z) „%s” fájlt?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Biztos, hogy véglegesen törölni szeretné\n" "a kijelölt %i fájlt?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Ha töröl egy fájlt, az véglegesen elvész." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Fájlnév" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Méret" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Hely" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Előnézet" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Részletek" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Ma" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Tegnap" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Nem találhatók fájlok." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "" #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "%i fájl található." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "bájt" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Keresés…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "" #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "„%s” keresése" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Találatok erre: „%s”" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Jelszó szükséges" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "" #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Jelszó:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Mégsem" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "OK" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" #~ msgid "_Hidden Files" #~ msgstr "_Rejtett fájlok" #~ msgid "_Fulltext Search" #~ msgstr "_Teljes szöveges keresés" #~ msgid "_Show Advanced Settings" #~ msgstr "_Speciális beállítások megjelenítése" #~ msgid "Enter search terms and press ENTER" #~ msgstr "Adja meg a keresési kifejezéseket, majd nyomja meg az Entert" #~ msgid "Modified" #~ msgstr "Módosítás" #~ msgid "File Type" #~ msgstr "Fájltípus" #~ msgid "Custom Time Range" #~ msgstr "Egyéni időintervallum" #~ msgid "Custom File Type" #~ msgstr "Egyéni fájltípus" #~ msgid "Select existing mimetype" #~ msgstr "Létező MIME-típus kiválasztása" #~ msgid "Enter file extensions" #~ msgstr "Adja meg a fájlkiterjesztéseket" #~ msgid "Update Search Index" #~ msgstr "Keresési index frissítése" #~ msgid "Update Search Index" #~ msgstr "Keresési index frissítése" #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "Pontos eredmények érdekében frissíteni kell a locate adatbázist.\n" #~ "Ehhez rendszergazdai jogok szükségesek." #~ msgid "Updating database…" #~ msgstr "Adatbázis frissítése…" #~ msgid "Done." #~ msgstr "Kész." #~ msgid "Last modified" #~ msgstr "Utolsó módosítás" #~ msgid "Locate database updated successfully." #~ msgstr "A locate adatbázis sikeresen frissült." #~ msgid "An error occurred while updating locatedb." #~ msgstr "Hiba történt a locatedb frissítése közben." #~ msgid "User aborted authentication." #~ msgstr "A felhasználó megszakította a hitelesítést." #~ msgid "Clear search terms" #~ msgstr "Keresési kifejezések törlése" #~ msgid "Catfish could not find the default file manager." #~ msgstr "A Catfish nem találja az alapértelmezett fájlkezelőt." #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "" #~ "A Catfish nem találja az alapértelmezett alkalmazást a fájl megnyitásához." catfish-1.4.4/po/tr.po0000664000175000017500000004140713233061001016473 0ustar bluesabrebluesabre00000000000000# Turkish translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2018-01-19 15:34+0000\n" "Last-Translator: Ali Orhun Akkirman \n" "Language-Team: Turkish \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Catfish Dosya Arama" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Dosya arama" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Dosya sistemini ara" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish çok yönlü bir dosya arama aracıdır." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Aç" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "_Dosya Yöneticisinde Göster" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "Konumu _Kopyala" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Farklı kaydet..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Sil" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Dosya Uzantıları" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Belgeler" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Dizinler" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Görseller" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Müzik" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Videolar" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Uygulamalar" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Diğer" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Herhangi bir zaman" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Bu hafta" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Özel" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Bugüne Git" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Başlangıç Tarihi" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Bitiş Tarihi" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Kedibalığı" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Güncelle" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "Arama veritabanı 7 günden daha eski. Şimdi güncellensin mi?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Dosya Tipi" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Değiştirildi" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Dosyalarınızı aramak için sorgunuzu yukarıya girin" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "ya da daha fazla seçenek için " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " simgesine tıklayın." #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Bir Dizin Seçin" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Kompakt Liste" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Küçük resimler" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "_Gizli Dosyaları Göster" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Dosya İçeriklerini Ara" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Tam Eşleşme" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Kenar Çubuğunu Göster" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "_Arama İndeksini Güncelle" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_Hakkında" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Arama Veritabanını Güncelle" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Kilidi Aç" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Veritabanı:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Güncellendi:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Arama Veritabanını Güncelle" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Aramaların daha hızlı sonuçlanması için veritabanının yenilenmesi gerekir.\n" "Bu eylem yönetici yetkileri gerektirir." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Kullanım şekli: %prog [options] path query" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "Hata ayıklama iletilerini göster (-vv debugs catfish_lib also)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Büyük simgeler kullan" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Küçük resimler kullan" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Zamanı ISO biçiminde göster" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Tam eşleşme uygula" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Gizli dosyaları içer" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Tam metin araması uygula" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" "Yol ve sorgu sağlanırsa, uygulama görüntülendiğinde aramaya başlayın." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (geçersiz kodlama)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Bilinmeyen" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Hiçbir zaman" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "Veritabanı güncellenirken bir hata oluştu." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Doğrulamala başarısız oldu." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Doğrulama iptal edildi." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Arama veritabanı başarıyla güncellendi." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Güncelleniyor..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Aramayı Durdur" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "Arama yapılıyor..." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Aramayı başlat" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "\"%s\" açılamadı." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "\"%s\" kaydedilemedi." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "\"%s\" silinemedi." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "%s 'i Farklı Kaydet" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "%s dosyasını kalıcı olarak silmek \n" "istediğinizden emin misiniz?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "%i seçili dosyayı kalıcı olarak silmek \n" "istediğinizden emin misiniz?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Bir dosya silerseniz, kalıcı olarak kaybedilir." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Dosya Adı" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Boyut" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Konum" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Önizleme" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Detaylar" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Bugün" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Dün" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Hiç dosya bulunamadı." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Aramanızı daha az özel yapmayı deneyin\n" "veya farklı dizin deneyin." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "1 dosya bulundu." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "%i dosya bulundu." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "bayt" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Aranıyor..." #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Sonuçlar bulunduğu anda gösterilecek." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "\"%s\" aranıyor" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "\"%s\" için arama sonuçları" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Parola Gerekiyor" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Yanlış parola... yeniden deneyin." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Parola:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "İptal" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "Tamam" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Şifrenizi girin\n" "idari görevleri yerine getirmek için." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "'%s' uygulaması size izin veriyor\n" "sisteminizin önemli parçalarını değiştirebilmek için." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Çok yönlü dosya arama aracı" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" "Bu sürüm şimdi Evrensel Eşgüdümlı Zaman (UTC) yerine saat dilimine göre tüm " "dosya zaman damgalarını görüntüler." #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" "Bu sürüm, iki yeni hatayı düzeltir ve güncellenmiş çevirileri içerir." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "Bu sürüm, uygulamanın bazı sistemlerde başlatılamadığı gerilemeyi düzeltir." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" "Bu sürüm, locate'ın düzgün yürütülmeyeceği ve eksik simgesel simgelerin " "işlenmesini geliştirdiği iki sorunu giderir." #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" #~ msgid "Last modified" #~ msgstr "Son değiştirilme" #~ msgid "Update Search Index" #~ msgstr "Arama indeksine güncelleyin" #~ msgid "Custom Time Range" #~ msgstr "Özel Zaman Aralığı" #~ msgid "Done." #~ msgstr "Bitti." #~ msgid "An error occurred while updating locatedb." #~ msgstr "Bulunan veritabanı güncellenirken bir hata oluştu." #~ msgid "Clear search terms" #~ msgstr "Arama terimlerini temizle" #~ msgid "Enter search terms and press ENTER" #~ msgstr "Arama terimlerini girin ve ENTER'e basın." #~ msgid "Locate database updated successfully." #~ msgstr "Bulunan veritabanı başarıyla güncellendi." #~ msgid "_Fulltext Search" #~ msgstr "_Tam Metin Arama" #~ msgid "_Hidden Files" #~ msgstr "_Gizli Dosyalar" #~ msgid "_Show Advanced Settings" #~ msgstr "Ge_lişmiş Ayarları Göster" #~ msgid "File Type" #~ msgstr "Dosya Türü" #~ msgid "Modified" #~ msgstr "Değiştirilmiş" #~ msgid "Custom File Type" #~ msgstr "Özel Dosya Tipi" #~ msgid "Select existing mimetype" #~ msgstr "Var olan mime türünü seçiniz" #~ msgid "Enter file extensions" #~ msgstr "Dosya uzantılarını giriniz" #~ msgid "Update Search Index" #~ msgstr "Arama İndeksini Güncelle" #~ msgid "Updating database…" #~ msgstr "Veritabanı güncelleniyor..." #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "Doğru arama sonuçları sağlamak için, konum veritabanı tazelenmeli.\n" #~ "Bu sudo (yönetici) yetkisi gerektirir." #~ msgid "User aborted authentication." #~ msgstr "Kullanıcı kimlik doğrulamayı iptal etti." #~ msgid "Catfish could not find the default file manager." #~ msgstr "Catfish varsayılan dosya yöneticisini bulamadı." #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "Catfish dosyayı açacak varsayılan uygulamayı bulamıyor." catfish-1.4.4/po/eu.po0000664000175000017500000003037413233061001016460 0ustar bluesabrebluesabre00000000000000# Basque translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2013-01-11 19:52+0000\n" "Last-Translator: Asier Iturralde Sarasola \n" "Language-Team: Basque \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "" #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "" #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Dokumentuak" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Irudiak" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Musika" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Bideoak" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Aplikazioak" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "" #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr "" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "" #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "" #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "" #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "" #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "" #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "" #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "" #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "" #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "" #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Fitxategi-izena" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Tamaina" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Kokapena" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Aurrebista" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Ez da fitxategirik aurkitu." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "" #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "" #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "" #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "" #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" #~ msgid "Last modified" #~ msgstr "Azken aldaketa" #~ msgid "Done." #~ msgstr "Eginda." catfish-1.4.4/po/ru.po0000664000175000017500000004671013233061001016476 0ustar bluesabrebluesabre00000000000000# Russian translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2015-08-24 08:51+0000\n" "Last-Translator: Rodion R. \n" "Language-Team: Russian \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Поиск файлов Catfish" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Поиск файлов" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Поиск по файловой системе" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish — универсальный инструмент для поиска файлов." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Открыть" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Показать в _файловом менеджере" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Копировать адрес" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Сохранить как..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Удалить" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Расширения файлов" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Документы" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Папки" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Изображения" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Музыка" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Видео" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Приложения" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Другое" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Любое время" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Эта неделя" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Указать период" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Сегодня" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Начальная дата" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Конечная дата" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Обновить" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "Поисковая база данных старше 7 дней. Обновить?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Тип файла" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Изменён" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Введите запрос выше, чтобы найти файлы" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "или щёлкните " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " значок дополнительных опций." #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Выберите каталог" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Список" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Миниатюры" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Показать _скрытые файлы" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Искать по _содержимому файла" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Точное совпадение" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Показать _боковую панель" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "Обновить поисковый _индекс…" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_О программе" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Обновить поисковую базу данных" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Разблокировать" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "База данных:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Обновлено:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Обновление поисковой базы данных" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Для ускорения результатов, поисковая база данных должна быть обновлена.\n" "Действие требует прав администратора." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Использование: %prog [опции] путь запрос" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "Показывать сообщения отладки (-vv также отлаживает catfish_lib)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Использовать большие значки" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Использовать эскизы" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Отображать время в формате ISO" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Точное совпадение" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Искать в скрытых файлах" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Выполнять полнотекстовый поиск" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "Если путь и запрос указаны, начинать поиск при открытии приложения." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (неверная кодировка)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Неизвестно" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Никогда" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "Ошибка при обновлении базы данных." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Ошибка авторизации." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Аутентификация отменена." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Поисковая база данных успешно обновлена." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Обновление..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Остановить Поиск" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Поиск...\n" "Нажмите «Отмена» или клавишу Escape, чтобы остановить процесс." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Начать поиск" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "\"%s\" невозможно открыть." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "«%s» не может быть сохранён." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "«%s» не может быть удалён." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Сохранить «%s» как…" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Вы уверены, что хотите \n" "безвозвратно удалить «%s»?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Вы уверены, что хотите \n" "безвозвратно удалить %i выделенных файла (-ов)?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Если вы удалите файл, он будет безвозвратно утерян." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Имя файла" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Размер" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Местонахождение" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Предпросмотр" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Детали" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Cегодня" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Вчера" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Файлы не найдены." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Попробуйте задать не столь определённый запрос\n" "или поищите в другом каталоге." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "Найден 1 файл." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "Найдено файлов: %i." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "байт" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Поиск…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Результат отобразится, как только будет получен." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Поиск «%s»" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Результаты поиска «%s»" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Требуется пароль" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Неверный пароль... Попробуйте ещё раз." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Пароль:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Отмена" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "ОК" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Введите ваш пароль для выполнения\n" "административных задач." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "Приложение '%s' позволяет вам\n" "изменять важные части системы." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Гибкий инструмент поиска файлов" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish — это небольшая, быстрая и мощная программа поиска файлов. " "Минималистичный интерфейс, заточенный на результат, помогает пользователям " "находить нужные файлы. С такими мощными фильтрами, как: дата изменения, тип " "и содержимое файла пользователь более не зависит от файлового менеджера и " "организационных навыков." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" "Этот релиз исправляет пару новых ошибок и включает обновлённый перевод." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "Этот релиз исправляет регрессию с невозможностью запуска приложения на " "некоторых системах." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" #~ msgid "Last modified" #~ msgstr "Последнее изменение" #~ msgid "Custom Time Range" #~ msgstr "Выберите период времени" #~ msgid "Update Search Index" #~ msgstr "Обновить поисковый индекс" #~ msgid "Done." #~ msgstr "Готово." #~ msgid "Clear search terms" #~ msgstr "Очистить поисковый запрос" #~ msgid "Enter search terms and press ENTER" #~ msgstr "Введите поисковый запрос и нажмите ENTER" #~ msgid "Locate database updated successfully." #~ msgstr "База данных locate успешно обновлена." #~ msgid "An error occurred while updating locatedb." #~ msgstr "Возникла ошибка при обновлении locatedb." #~ msgid "_Fulltext Search" #~ msgstr "_Полнотекстовый поиск" #~ msgid "_Hidden Files" #~ msgstr "_Скрытые файлы" #~ msgid "_Show Advanced Settings" #~ msgstr "Показать _расширенные настройки" #~ msgid "File Type" #~ msgstr "Тип файла" #~ msgid "Modified" #~ msgstr "Изменён" #~ msgid "Custom File Type" #~ msgstr "Выберите тип файла" #~ msgid "Enter file extensions" #~ msgstr "Введите расширение файла" #~ msgid "Select existing mimetype" #~ msgstr "Выберите существующий MIME-тип" #~ msgid "Update Search Index" #~ msgstr "Обновлениe поискового индекса" #~ msgid "Updating database…" #~ msgstr "Обновление базы данных…" #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "База данных locate нуждается в обновлении, чтобы обеспечить точные " #~ "результаты.\n" #~ "Необходимы права администратора (sudo)." #~ msgid "User aborted authentication." #~ msgstr "Пользователь прервал авторизацию." #~ msgid "Catfish could not find the default file manager." #~ msgstr "Catfish не нашёл файловый менеджер по умолчанию." #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "Catfish не нашёл приложение, открывающее файл по умолчанию." catfish-1.4.4/po/ml.po0000664000175000017500000003051213233061001016451 0ustar bluesabrebluesabre00000000000000# Malayalam translation for catfish-search # Copyright (c) 2014 Rosetta Contributors and Canonical Ltd 2014 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2014. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2014-10-02 09:46+0000\n" "Last-Translator: ST Alfas \n" "Language-Team: Malayalam \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "ഫയല്‍ സിസ്റ്റത്തില്‍ തിരയുക" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "" #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_തുറക്കൂ" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_വിലാസം പകര്‍ത്തുക" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "" #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_നീക്കം ചെയ്യൂ" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "ഇന്നത്തെ തീയതി" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "ക്യാറ്റ്ഫിഷ്" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "" #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr "" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_കുറിച്ച്" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "" #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "" #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "" #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "" #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "" #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "" #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "" #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "" #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "" #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "" #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "" #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "" #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "" #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "" #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" catfish-1.4.4/po/is.po0000664000175000017500000003565513233061001016471 0ustar bluesabrebluesabre00000000000000# Icelandic translation for catfish-search # Copyright (c) 2015 Rosetta Contributors and Canonical Ltd 2015 # This file is distributed under the same license as the catfish-search package. # # FIRST AUTHOR , 2015. # Sveinn í Felli , 2015. msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2015-12-16 16:54+0000\n" "Last-Translator: Sveinn í Felli \n" "Language-Team: Icelandic \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" "Language: is\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Catfish Skráaleit" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Skráaleit" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Leita í skráakerfi" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish er fjölhæft tól til leitar að skrám." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Opna" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "_Birta í skráastjóra" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Afrita staðsetningu" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "Vi_sta sem..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Eyða" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Skráaendingar" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Skjöl" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Möppur" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Myndir" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Tónlist" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Myndskeið" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Forrit" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Annað" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Hvenær sem er" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Í þessari viku" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Sérsniðið" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Fara á daginn í dag" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Upphafsdagur" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Lokadagur" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Uppfæra" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "Leitargagnagrunnurinn er meira en 7 daga gamall. Uppfæra núna?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Skráartegund" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Breytt" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Settu inn fyrirspurnina þína hér fyrir ofan" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "eða smelltu á " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " táknið fyrir fleiri valkosti." #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Veldu möppu" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Samþjappaður listi" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Smámyndir" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Sýna _faldar skrár" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Leita í _efni skráa" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "Ná_kvæm samsvörun" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "_Birta hliðarspjald" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "_Uppfæra leitaryfirlit…" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_Um forritið" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Uppfæra leitargagnagrunn" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Aflæsa" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Gagnagrunnur:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Uppfært:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Uppfæra leitargagnagrunn" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Til að fá hraðvirkari leitarniðurstöður þarf að endurlesa leitargagnagrunn.\n" "Þessi aðgerð krefst kerfisstjórnunarheimilda." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Notkun: %prog [rofar] slóð fyrirspurn" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "Birta aflúsunarmeldingar (-vv aflúsar einnig catfish_lib)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Nota stórar táknmyndir" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Nota smámyndir" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Birta tíma á ISO-sniði" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Framkvæma nákvæma samsvörun" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Hafa með faldar skrár" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Leita í öllum texta" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "Ef slóð og fyrirspurn eru gefnar, hefst leit þegar forrit er birt." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (ógild stafatafla)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Óþekkt" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Aldrei" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "Villa átti sér stað við uppfærslu á gagnagrunninum." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Auðkenning tókst ekki." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Hætt við auðkenningu" #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Uppfærslu leitargagnagrunns lokið" #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Uppfæri..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Stöðva leit" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Leit í gangi....\n" "Ýttu á 'Hætta við' eða Escape-lykilinn til að stöðva." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Hefja leit" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "Ekki var hægt að opna \"%s\"." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "Ekki tókst að vista \"%s\"." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "Ekki var hægt að eyða \"%s\"." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Vista \"%s\" sem…" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Ertu viss um að þú viljir\n" "endanlega eyða \"%s\"?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Ertu viss að þú viljir eyða\n" "endanlega %i völdum skrám?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Ef þú eyðir skrá, verður hún aldrei aðgengileg aftur." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Skráarheiti" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Stærð" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Staðsetning" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Forskoðun" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Nánar" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Í dag" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Í gær" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Engar skrár fundust." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Reyndu að gera leitina minna sértæka\n" "eða prófaðu að leita í annarri möppu." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "1 skrá fannst." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "%i skrár fundust." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "bæti" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Leita..." #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Niðurstöður verða birtar eftir því sem þær finnast." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Leita að \"%s\"" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Leitarniðurstöður fyrir „%s“" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Lykilorð nauðsynlegt" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Rangt lykilorð... Reyndu aftur." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Lykilorð:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Hætta við" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "Í lagi" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Sláðu inn lykilorðið þitt til þess að\n" "framkvæma kerfisstjórnunarverk." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "Forritið ‚%s‘ leyfir þér að breyta\n" "mikilvægum hlutum kerfisins þíns." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Fjölhæft tól til leitar að skrám" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish er lítið, hraðvirkt og öflugt leitarverkfæri. Með lágmarksviðmóti " "sem leggur áherslu á leitarniðurstöðurnar, getur það hjálpað notendum að " "finna skrár án þess að nota skráastjóra. Með öflugum síum á borð við " "breytingadagsetningu, skráategund og innihald skráa, þurfa notendur ekki að " "reiða sig eins mikið á skráastjóra eða skipulagshæfileika sína." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" catfish-1.4.4/po/eo.po0000664000175000017500000003132113233061001016443 0ustar bluesabrebluesabre00000000000000# Esperanto translation for catfish-search # Copyright (c) 2016 Rosetta Contributors and Canonical Ltd 2016 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2016. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2016-02-05 09:48+0000\n" "Last-Translator: Robin van der Vliet \n" "Language-Team: Esperanto \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Dosierserĉilo Catfish" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Dosierserĉilo" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Serĉi la dosiersistemon" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish estas kapabla ilon por dosierserĉo." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Malfermi" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Kopii lokon" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "Kon_servi kiel..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Forigi" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Dosiersufiksoj" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Dokumentoj" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Dosierujoj" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Bildoj" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Muziko" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Videoj" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Aplikaĵoj" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Aliaj" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Iri al hodiaŭ" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Ĝisdatigi" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Dosiertipo" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Ŝanĝita" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "" #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr "" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Elektu dosierujon" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Montri _kaŝitajn dosierojn" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_Pri" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Malŝlosi" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Datumbazo:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Nekonata" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Neniam" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "" #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Aŭtentokontrolo malsukcesis." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "" #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "" #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "" #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "" #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "" #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "" #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Konservi \"%s\" kiel…" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Se vi forigas dosieron, ĝi estas definitive perdata." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Dosiernomo" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Grandeco" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Loko" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Antaŭrigardo" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Detaloj" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Hodiaŭ" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Hieraŭ" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "" #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "1 dosiero trovita." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "%i dosieroj trovitaj." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "oktetoj" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Serĉado…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "" #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Pasvorto bezonata" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Pasvorto malkorekta… Provu denove." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Pasvorto:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Nuligi" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "Bone" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" catfish-1.4.4/po/fr.po0000664000175000017500000004763013233061001016461 0ustar bluesabrebluesabre00000000000000# French translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2017-01-07 16:18+0000\n" "Last-Translator: Charles Monzat \n" "Language-Team: French \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Recherche de fichiers Catfish" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Recherche de fichiers" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Rechercher dans le système de fichiers" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish est un outil polyvalent de recherche de fichiers." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Ouvrir" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Afficher dans le _Gestionnaire de fichiers" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Copier l'emplacement" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Enregistrer sous..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Supprimer" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Extensions de fichier" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Documents" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Dossiers" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Images" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Musique" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Vidéos" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Applications" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Autre" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Date indifférente" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Cette semaine" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Personnalisée" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Aller à aujourd'hui" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Date de début" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Date de fin" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Mise à jour" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" "La base des données de recherche date de plus de 7 jours. La mettre à jour " "maintenant ?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Type de fichier" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Date de modification" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Pour trouver vos fichiers, entrez votre recherche ci-dessus" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "ou cliquez sur l'icône " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " pour plus d'options." #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Sélectionner un répertoire" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Liste compacte" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Miniatures" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Afficher les fic_hiers masqués" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Rechercher dans le contenu des dossiers" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Expression exacte" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Afficher la _barre latérale" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "_Mettre à jour l'index de recherche..." #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "À _propos" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Mettre à jour la base des données de recherche" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Déverrouiller" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Base de données :" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Mis à jour :" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Mettre à jour la base des données de recherche" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Pour des résultats de recherche plus rapides, la base des données de " "recherche a besoin d'être actualisée.\n" "Cette action nécessite les droits administrateurs." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Utilisation : %prog [options] path query" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "Afficher les messages de débogage (dont -vv debugs catfish_lib)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Utiliser de grandes icônes" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Utiliser des miniatures" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Afficher le temps au format ISO" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Expression exacte" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Inclure les fichiers masqués" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Rechercher plein texte" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" "Si le chemin et la requête sont fournis, commencer à chercher lorsque " "l'application est affichée." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (encodage non valide)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Inconnu" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Jamais" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "" "Une erreur s'est produite lors de la mise à jour de la base de données." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "L'authentification a échoué." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Authentification annulée." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Base de données de recherche mise à jour avec succès." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Mise à jour..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Arrêter la recherche" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "La recherche est en cours...\n" "Appuyer sur le bouton Annuler ou la touche Echap pour arrêter." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Commencer la recherche" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "Impossible d'ouvrir « %s »." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "Impossible d'enregistrer « %s »." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "Impossible de supprimer « %s »." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Enregistrer « %s » sous..." #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Êtes-vous sûr de vouloir \n" "supprimer définitivement « %s » ?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Êtes-vous sûr de vouloir \n" "supprimer définitivement les %i fichiers sélectionnés ?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Si vous supprimez un fichier, il sera perdu définitivement." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Nom de fichier" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Taille" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Emplacement" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Aperçu" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Détails" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Aujourd’hui" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Hier" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Aucun fichier trouvé." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Essayez d'effectuer une recherche moins précise\n" "ou cherchez dans un autre répertoire." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "1 fichier trouvé." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "%i fichiers trouvés." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "octets" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Recherche..." #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Les résultats seront affichés dès que possible." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Recherche de « %s »" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Résultats de la recherche pour « %s »" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Mot de passe requis" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Mot de passe incorrect... Veuillez réessayer." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Mot de passe :" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Annuler" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "OK" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Saisissez votre mot de passe pour\n" "effectuer des tâches administratives." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "L’application « %s » vous permet de modifier\n" "des éléments essentiels de votre système." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Outil de recherche de fichiers polyvalents." #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish est un petit utilitaire de recherche de fichiers, rapide et " "puissant. Doté d'une interface minimaliste orientée résultats, il aide " "l'utilisateur à trouver les fichiers dont il a besoin sans gestionnaire de " "fichiers. Avec des filtres puissants tels que la date de modification, le " "type de fichier ou son contenu, l'utilisateur n'est plus dépendant d'un " "gestionnaire de fichiers ou de ses capacités d'organisation." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" "Cette version affiche maintenant tous les horodatages de fichiers en " "fonction du fuseau horaire au lieu du temps universel coordonné (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" "Cette version corrige plusieurs bogues relatifs à la fenêtre des résultats. " "Les fichiers sont encore une fois enlevés de la liste des résultats quand " "ils sont supprimés. Les fonctionnalités \"clic du milieu/clic droit\" ont " "été restaurées. Les filtres d'intervalle de date sont maintenant appliqués " "selon le fuseau horaire (timezone), à la place du temps universel coordonné " "(UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" "Cette version inclut un rafraîchissement important de l'interface, une " "amélioration de la vitesse de recherche et corrige plusieurs bogues. Le flux " "de travail a été amélioré en utilisant quelques-unes des dernières " "fonctionnalités de la boîte à outils GTK+, incluant des barres d'en-tête " "optionnelles et des widgets. La gestion du mot de passe a été améliorée avec " "l'intégration de PolicyKit lorsque disponible." #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" "Cette version corrige deux nouveaux bogues et comporte des mises à jour de " "traductions." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "Cette version corrige une régression qui empêchait l'application de démarrer " "sur certains systèmes." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" "Cette version corrige une régression où plusieurs termes de recherche " "n'étaient plus pris en charge. Une barre d'informations s'affiche désormais " "lorsque la base des données recherchées n'est pas à jour. De plus, la boîte " "de dialogue de mise à jour de la base de données a été améliorée." #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" "Cette version corrige deux problèmes où la localisation n'était pas exécutée " "correctement et améliore la gestion des icônes symboliques manquantes." #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" "Cette version stable a amélioré la fiabilité de la boîte de dialogue du mot " "de passe, nettoyé le code inutilisé, et corrige les problèmes potentiels " "lors de la sélection des listes et des items." #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" "Cette version a corrigé une faille de sécurité potentielle sur le programme " "de démarrage ainsi qu'une régression avec la sélection multiples d'items ." #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" "La première version de la série 1.0.x a introduit une nouvelle interface et " "a corrigé un certain nombre de bogues de longue date. Les améliorations " "apportées aux autorisations par défaut ont supprimé un certain nombre " "d'avertissements lors de l'empaquetage pour les distributions. " "L'accessibilité a été renforcée, toutes les chaînes ont été rendues " "traduisibles et les raccourcis clavier ont été améliorés." #~ msgid "Last modified" #~ msgstr "Dernière modification" #~ msgid "Done." #~ msgstr "Terminé." #~ msgid "Locate database updated successfully." #~ msgstr "La base de données locate a été mise à jour." #~ msgid "Clear search terms" #~ msgstr "Effacer les termes de recherche" #~ msgid "File Type" #~ msgstr "Type de fichier" #~ msgid "_Fulltext Search" #~ msgstr "_Recherche plein texte" #~ msgid "Modified" #~ msgstr "Modifié" #~ msgid "Custom File Type" #~ msgstr "Type de fichier personnalisé" #~ msgid "Custom Time Range" #~ msgstr "Période personnalisée" #~ msgid "Enter file extensions" #~ msgstr "Entrer les extensions de fichiers" #~ msgid "Select existing mimetype" #~ msgstr "Sélectionner un type MIME existant" #~ msgid "Updating database…" #~ msgstr "Mise à jour de la base de données..." #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "Pour obtenir des résultats précis, la base de données locate doit " #~ "être rafraîchie.\n" #~ "Ceci nécessite les droits administrateur." #~ msgid "User aborted authentication." #~ msgstr "Authentification annulée par l'utilisateur." #~ msgid "Catfish could not find the default file manager." #~ msgstr "Catfish n'a pas trouvé le gestionnaire de fichiers par défaut." #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "Catfish n'a pas trouvé l'application par défaut." #~ msgid "_Hidden Files" #~ msgstr "_Fichiers cachés" #~ msgid "Enter search terms and press ENTER" #~ msgstr "Entrez les termes recherchés et appuyez sur ENTRÉE" #~ msgid "Update Search Index" #~ msgstr "Mettre à jour l'index de recherche" #~ msgid "Update Search Index" #~ msgstr "Mettre à jour l'index de recherche" #~ msgid "An error occurred while updating locatedb." #~ msgstr "Erreur lors de la mise à jour de locatedb." #~ msgid "_Show Advanced Settings" #~ msgstr "_Afficher les réglages avancés" catfish-1.4.4/po/fi.po0000664000175000017500000004371613233061001016451 0ustar bluesabrebluesabre00000000000000# Finnish translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2016-03-22 11:59+0000\n" "Last-Translator: Jouni \"rautamiekka\" Järvinen \n" "Language-Team: Finnish \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" "Language: fi\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Catfish-tiedostohaku" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Tiedostojen haku" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Hae tiedostojärjestelmästä" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish on monipuolinen tiedostonhakutyökalu." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Avaa" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "_Näytä tiedostoselaimessa" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "Kopioi _sijainti" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Tallenna nimellä..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Poista tiedosto" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Tiedostopäätteet" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Asiakirjat" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Kansiot" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Kuvat" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Musiikki" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Videot" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Sovellukset" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Muu" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Koska tahansa" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Tällä viikolla" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Mukautettu" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Siirry tähän päivään" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Aloituspäivä" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Päättymispäivä" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Päivitä" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "Hakutietokanta on yli 7 päivää vanha. Päivitetäänkö se nyt?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Tiedostotyyppi" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Muokattu" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Syötä hakusi yllä olevaan kenttään löytääksesi tiedostot" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "tai napsauta " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " -kuvaketta saadaksesi lisätietoja." #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Valitse kansio" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Tiivis luettelo" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Pikkukuvat" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Näytä _piilotiedostot" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Hae _tiedostojen sisällöistä" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Tarkka osuma" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Näytä _sivupalkki" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "Päivitä _hakuindeksi" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_Tietoja" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Päivitä hakutietokanta" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Avaa lukitus" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Tietokanta:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Päivitetty:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Päivitä hakutietokanta" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Jotta voit saada nopeampia hakutuloksia, hakutietokanta pitää päivittää.\n" "Tämä toimito vaatii pääkäyttäjän oikeudet." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Käyttö: %prog [valinnat] polku kysely" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "" "Näytä virheilmoitukset (-vv näyttää myös catfish_libin virheilmoitukset)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Käytä suuria kuvakkeita" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Käytä esikatselua" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Näytä aika ISO-muodossa" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Suorita tarkka haku" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Sisällytä piilotiedostot" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Suorita kokotekstihaku" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" "Jos polku ja kysely on syötetty, aloita hakeminen kun sovellus näytetään." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (virheellinen merkistökoodaus)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Tuntematon" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Ei koskaan" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "Tietokantaa päivittäessä tapahtui virhe." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Tunnistus epäonnistui." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Todennus keskeytetty." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Hakutietokanta päivitettiin onnistuneesti." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Päivitetään..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Keskeytä haku" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Haku käynnissä...\n" "Paina peruutuspainiketta tai Escape-näppäintä keskeyttääksesi." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Aloita haku" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "Tiedostoa \"%s\" ei voitu avata." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "Tiedostoa \"%s\" ei voitu tallentaa." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "Tiedostoa \"%s\" ei voitu poistaa." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Tallenna \"%s\" nimellä..." #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Haluatko varmasti poistaa \n" "kohteen \"%s\" pysyvästi?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Haluatko varmasti poistaa \n" "%i tiedostoa pysyvästi?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Jos poistat tiedoston, sitä ei voi palauttaa." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Tiedoston nimi" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Koko" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Sijainti" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Esikatselu" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Tiedot" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Tänään" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Eilen" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Tiedostoja ei löytynyt." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Yritä tehdä haustasi vähemmän yksityiskohtainen\n" "tai yritä toista hakemistoa." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "Löydettiin 1 tiedosto." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "Löydettiin %i tiedostoa." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "tavua" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Haetaan…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Tulokset näytetään heti kun niitä löydetään." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Etsitään \"%s\"" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Hakutulokset haulle \"%s\"" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Salasana vaaditaan" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Väärä salasana... yritä uudelleen." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Salasana:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Peruuta" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "OK" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Syötä salasanasi\n" "suorittaaksesi ylläpidollisia toimia." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "Sovellus '%s' sallii sinun\n" "muokata järjestelmäsi olennaisia osia." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Monipuolinen tiedostonhakutyökalu" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish on pieni, nopea ja tehokas tiedostonhakutyökalu. Sen minimaalinen " "käyttöliittymä painottuu hakutuloksiin ja auttaa käyttäjiä löytämään " "tarvitsemansa tiedostot ilman tiedostonhallintasovellusta. Tehokkaiden " "suodattimien (kuten muokkauspäivämäärä, tiedostotyyppi ja tiedoston sisältö) " "ansiosta käyttäjät eivät tule olemaan enää riippuvaisia " "tiedostonhallintasovelluksesta tai omista organisointitaidoistaan." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" "Tämä julkaisu korjaa kaksi uutta bugia ja sisältää päivitetyt käännökset." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "Tämä julkaisu korjaa regression joka esti sovelluksen käynnistymisen " "joillain järjestelmillä." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" "Tämä julkaisu korjaa regression jossa monen hakusanan käyttöä ei enää " "tuettu. Tietopalkki näytetään nyt kun hakutietokanta on vanhentunut, ja " "tietokannan päivitysikkunoita parannettiin." #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" "Tämä julkaisu korjaa kaksi ongelmaa jossa locate:a ei suoritettu oikein ja " "parantaa puuttuvien symboolisten kuvakkeiden käsittelyä." #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" "Tämä vakaa julkaisu parantaa salasanaikkunan luotettavuutta, poistettu " "käyttämätöntä koodia, ja mahdolliset ongelmat listan ja kohteiden valinnassa " "korjattu." #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" "Tämä julkaisuu korjaa mahdollisen turvaongelman ohjelman käynnistyksessä ja " "korjaa regression useiden kohteiden valinnassa." #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" "Ensimmäinen julkaisu 1.0.x-sarjassa toi piristetyn käyttöliittymän ja " "korjasi monta pitkäaikaista bugia. Parannukset oletuslupiin poistivat monta " "varoitusta kun sovellusta pakattiin jakeluihin. Helppokäyttöisyys parani " "koska kaikki merkkijonot ovat käännettävissä ja näppäimistökiihdyttäjät " "parannettiin." #~ msgid "Last modified" #~ msgstr "Viimeksi muokattu" #~ msgid "Custom Time Range" #~ msgstr "Mukautettu aikaväli" #~ msgid "Update Search Index" #~ msgstr "Päivitä hakuindeksi" #~ msgid "Done." #~ msgstr "Valmis." #~ msgid "Clear search terms" #~ msgstr "Tyhjennä hakusanat" #~ msgid "Enter search terms and press ENTER" #~ msgstr "Syötä hakusanat ja paina ENTER" #~ msgid "File Type" #~ msgstr "Tiedostotyyppi" #~ msgid "Custom File Type" #~ msgstr "Mukautettu tiedostotyyppi" #~ msgid "Enter file extensions" #~ msgstr "Syötä tiedostotunnisteet" #~ msgid "Select existing mimetype" #~ msgstr "Valitse olemassa oleva MIME-tyyppi" #~ msgid "Update Search Index" #~ msgstr "Päivitä hakuindeksi" #~ msgid "User aborted authentication." #~ msgstr "Käyttäjä keskeytti tunnistuksen." #~ msgid "Updating database…" #~ msgstr "Päivitetään tietokantaa..." #~ msgid "_Fulltext Search" #~ msgstr "_Kokotekstihaku" #~ msgid "_Hidden Files" #~ msgstr "_Piilotiedostot" #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "Catfish ei löytänyt oletusohjelmaa tiedoston avaamiseen." #~ msgid "Catfish could not find the default file manager." #~ msgstr "Catfish ei löytänyt oletustiedostoselainta." #~ msgid "_Show Advanced Settings" #~ msgstr "Näytä _lisäasetukset" #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "Saadaksesi täsmällisiä tuloksia, locate-tietokanta pitää päivittää.\n" #~ "Tämä vaatii ylläpitäjän sudo-oikeudet." #~ msgid "An error occurred while updating locatedb." #~ msgstr "Virhe päivitettäessä locate-tietokantaa." #~ msgid "Locate database updated successfully." #~ msgstr "Locate-tietokanta päivitettiin onnistuneesti." catfish-1.4.4/po/id.po0000664000175000017500000003107513233061001016442 0ustar bluesabrebluesabre00000000000000# Indonesian translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2013-03-17 01:40+0000\n" "Last-Translator: Viko Adi Rahmawan \n" "Language-Team: Indonesian \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Catfish si pencari berkas" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Cari berkas-berkas sistem" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "" #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Tampilkan di Pengelola Berkas" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Salin Lokasi" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "" #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Dokumen" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Gambar" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Musik" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Video" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Aplikasi" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Lainnya" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Pekan ini" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Hari Ini" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Mulai" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Hingga" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "" #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr "" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Pilih Direktori" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Persis Sama" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "" #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "" #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "" #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "" #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "" #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "" #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "" #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "" #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "" #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "" #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "" #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "" #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "" #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "" #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" #~ msgid "_Fulltext Search" #~ msgstr "Dalam Berkas _Teks" #~ msgid "_Hidden Files" #~ msgstr "Berkas Ter_sembunyi" #~ msgid "_Show Advanced Settings" #~ msgstr "Tamplikan Pengaturan _Lanjutan" #~ msgid "File Type" #~ msgstr "Tipe Berkas" #~ msgid "Enter file extensions" #~ msgstr "Masukkan ekstensi berkas" catfish-1.4.4/po/hr.po0000664000175000017500000003235313233061001016457 0ustar bluesabrebluesabre00000000000000# Croatian translation for catfish-search # Copyright (c) 2015 Rosetta Contributors and Canonical Ltd 2015 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2015. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2017-10-29 08:20+0000\n" "Last-Translator: zvacet \n" "Language-Team: Croatian \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Catfish pretraživanje datoteka" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Pretraži datotečni sustav" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "" #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Pokaži u _upravitelju datotekama" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Spremi kao..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Bilo kada" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "" #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr "" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Potpuno podudaranje" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Baza podataka:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Ažurirano:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Koristi velike ikone" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Prikaži vrijeme u ISO formatu" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Uključi skrivene datoteke" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "Došlo je do greške prilikom ažuriranja baze podataka" #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "" #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "" #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "" #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "" #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Započni pretragu" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "" #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "\"%s\" nije moguće spremiti." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "\"%s\" nije moguće izbrisati." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Spremi \"%s\" kao…" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Jeste li sigurni da želite \n" "trajno izbrisati \"%s\"?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Jeste li sigurni da želite \n" "trajno izbrisati %i odabrane datoteke?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "" #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "NIjedna datoteka nije pronađena." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "1 datoteka je nađena." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "%i datoteka je nađeno." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "" #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Neispravna lozinaka... pokušajte ponovno." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Unesite vašu lozinku\n" "da biste izvršili administrativne zadatke." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "Program '%s' vam dopušta\n" "izmjenu bitnih dijelova vašega sustava." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" #~ msgid "Custom File Type" #~ msgstr "Prilagođeni tip datoteke" #~ msgid "Enter file extensions" #~ msgstr "Unesite ekstenziju datoteke" #~ msgid "_Hidden Files" #~ msgstr "_Skrivene datoteke" #~ msgid "_Show Advanced Settings" #~ msgstr "_Pokaži napredne postavke" #~ msgid "File Type" #~ msgstr "Vrsta datoteke" #~ msgid "Modified" #~ msgstr "Izmjenjeno" catfish-1.4.4/po/ar.po0000664000175000017500000003273013233061001016447 0ustar bluesabrebluesabre00000000000000# Arabic translation for catfish-search # Copyright (c) 2015 Rosetta Contributors and Canonical Ltd 2015 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2015. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2015-08-22 01:55+0000\n" "Last-Translator: سند <0sanad0@gmail.com>\n" "Language-Team: Arabic \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "" #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "ا_فتح" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "إظهار ف_ي مدير الملفات" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "ا_نسخ الموقع" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_حفظ باسم..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "ا_حذف" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "امتدادات الملف" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "المستندات" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "المجلدات" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "الصور" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "الموسيقى" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "فيديو" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "التطبيقات" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "أخرى" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "أي وقت" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "هذا الأسبوع" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "مخصّص" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "اذهب إلى اليوم الحالي" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "تاريخ البدء" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "تاريخ الإنتهاء" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "تحديث" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "نوع الملف" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "مُعدّل" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "" #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr "" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "اختر دليل" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "الصور المصغرة" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "أظهر الملفات ال_مخفيّة" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "ت_طابق نام" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "عرض ال_شريط الجانبي" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "ع_ن" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "إلغاء التأمين" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "قاعدة البيانات:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "تحديث:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "تحديث قاعدة بيانات البحث" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "للحصول على نتائج أسرع، تحتاج قاعدة بيانات البحث إلى تحديث.\n" "يتطلب هذا الإجراء حقوق إدارية." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "استخدام ايقونات كبيرة" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "استخدام ايقونات صغيرة" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "مجهول" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "أبداً لا" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "" #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "فشل الاستيثاق." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "" #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "" #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "يُحدّث..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "إيقاف البحث" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "تغذّر فتح \"%s\"." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "تعذر حفظ\"%s\"" #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "تعذر حذف \"%s\"" #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "حفظ كـ \"%s\"" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "إذا خذفت الملف، سيحذف بصفة نهائية." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "اسم الملف" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "الحجم" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "الموقع" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "معاينة" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "التفاصيل" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "اليوم" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "أمس" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "لم يتم العثور على ملفات" #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "" #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "" #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "بايتات" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "يبحث…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "" #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "يبحث عن \"%s\"" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "نتائج البحث عن \"%s\"" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "كلمة مرور مطلوبة" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "" #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "كلمة السر:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "إلغاء" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "حسناً" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" catfish-1.4.4/po/POTFILES.in0000664000175000017500000000237013233075075017277 0ustar bluesabrebluesabre00000000000000### BEGIN LICENSE # Copyright (C) 2007-2012 Christian Dywan # Copyright (C) 2012-2018 Sean Davis # This program is free software: you can redistribute it and/or modify it # under the terms of the GNU General Public License version 2, as published # by the Free Software Foundation. # # This program is distributed in the hope that it will be useful, but # WITHOUT ANY WARRANTY; without even the implied warranties of # MERCHANTABILITY, SATISFACTORY QUALITY, 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, see . ### END LICENSE # Desktop File catfish.desktop.in # Glade Files [type: gettext/glade]data/ui/AboutCatfishDialog.ui [type: gettext/glade]data/ui/CatfishWindow.ui # Python Files catfish/__init__.py catfish/CatfishWindow.py catfish/CatfishSearchEngine.py catfish/AboutCatfishDialog.py catfish_lib/Builder.py catfish_lib/catfishconfig.py catfish_lib/AboutDialog.py catfish_lib/__init__.py catfish_lib/helpers.py catfish_lib/Window.py catfish_lib/SudoDialog.py # XML Files [type: gettext/xml]data/metainfo/catfish.appdata.xml.in catfish-1.4.4/po/sv.po0000664000175000017500000004134113233061001016473 0ustar bluesabrebluesabre00000000000000# Swedish translation for catfish-search # Copyright (c) 2015 Rosetta Contributors and Canonical Ltd 2015 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2015. # Translators: # Påvel Nicklasson, 2015 # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2017-04-03 19:40+0000\n" "Last-Translator: Påvel Nicklasson \n" "Language-Team: Swedish \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" "Language: sv\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Catfish filsökning" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Filsökning" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Sök i filsystemet" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish är ett mångsidigt sökverktyg." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Öppna" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Visa i _filhanterare" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Kopiera plats" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Spara som..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Ta bort" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Filändelser" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Dokument" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Mappar" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Bilder" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Musik" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Filmer" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Program" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Annat" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "När som helst" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Den här veckan" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Anpassad" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Gå till idag" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Startdatum" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Slutdatum" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Uppdatera" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "Sökdatabasen är mer än 7 dagar gammal. Uppdatera nu?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Filtyp" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Ändrad" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Ange din sökning ovan för att hitta dina filer" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "eller klicka på " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " ikonen för fler alternativ." #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Välj en katalog" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Kompakt lista" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Miniatyrbilder" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Visa _dolda filer" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Sök fil_innehåll" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Exakt matchning" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Visa _sidopanel" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "_Uppdatera sökindex..." #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_Om" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Uppdatera sökdatabas" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Lås upp" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Databas:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Uppdaterad:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Uppdatera sökdatabas" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Sökdatabasen behöver förnyas för snabbare sökresultat.\n" "Denna åtgärd kräver administrativa rättigheter." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Användning: %prog [alternativ] sökväg fråga" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "Visa felsökningsmeddelanden (-vv debugs catfish_lib also)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Använd stora ikoner" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Använd miniatyrbilder" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Visa tid i ISO-format" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Utför exakt matchning" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Inkludera dolda filer" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Utför fulltextsökning" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "Om sökväg och fråga tillhandahålls, börja sök då programmet visas." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (ogiltig kodning)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Okänd" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Aldrig" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "Ett fel inträffade då databasen uppdaterades." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Autentisering misslyckades." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Autentisering avbröts." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Sökdatabas uppdaterades." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Uppdateras..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Stoppa sökning" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Sökning pågår...\n" "Klicka på avbrytknappen eller Esc-tangenten för att stoppa." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Börja sökning" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "Det gick inte att öppna \"%s\"." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "Det gick inte att spara \"%s\"." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "Det gick inte att ta bort \"%s\"." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Spara \"%s\" som..." #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Är du säker på att du vill \n" "ta bort \"%s\" permanent?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Är du säker på att du vill \n" "ta bort de %i markerade filerna permanent?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Om du tar bort en fil, är den permanent borta." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Filnamn" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Storlek" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Plats" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Förhandsvisning" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Detaljer" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Idag" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Igår" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Inga filer hittades." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Försök gör dina sökningar mindre specificerade\n" "eller försök med en annan katalog." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "1 fil hittad." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "%i filer hittade." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "bits" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Söker..." #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Resultat kommer att visas direkt då de hittas." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Söker efter \"%s\"" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Sökresultat för \"%s\"" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Lösenord krävs" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Felaktigt lösenord... försök igen." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Lösenord:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Avbryt" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "OK" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Ange ditt lösenord för att\n" "utföra administrativa uppgifter." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "Programmet '%s' tillåter dig att\n" "ändra grundläggande delar av sitt system." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Mångsidigt sökverktyg" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish är ett litet, snabbt och kraftfullt filsökverktyg. Med ett minimalt " "gränssnitt med betoning på resultat, hjälper det användare att hitta de " "filer som de behöver utan en filhanterare. Med kraftfulla filter som " "ändringsdatum, filtyp och filinnehåll, är användare inte längre beroende av " "filhanteraren eller organisationsförmåga." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" "Denna version visar nu alla filtidsstämplar efter tidszon istället för " "Universal Coordinated Time (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" "Denna version rättar till flera fel relaterade till resultatfönstret. Filer " "undantas återigen från resultatlistan när de är borttagna. Mitten- och " "högerklicksfunktionalitet har blivit återställd. Datumintervallsfilter " "tillämpas nu enligt tidszon istället för Universal Coordinated Time (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" "Denna version inkluderar omfattande gränssnittsuppdateringar, förbättrad " "sökhastighet, och rättar till flera fel. Arbetsflödet har förbättrats, genom " "att använda några av de senaste funktionerna i GTK+ verktygslådan, " "inkluderande valfria rubrikrader och popover widgets. Lösenordshantering har " "förbättrats med integrationen av PolicyKit då detta är tillgängligt." #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" "Denna version rättar till två nya fel och innehåller uppdaterade " "översättningar." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "Denna version ordnar en regression som gjorde att programmet inte gick att " "starta på en del system." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" "Denna version ordnar en regression som gjorde att flera söktermer inte " "längre stöddes. En Inforad visas nu då sökdatabasen är föråldrad, och " "dialogerna som används för att uppdatera databasen har förbättrats." #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" "Denna version ordnar två problem då lokalisering inte gjordes på rätt sätt " "och förbättrar hantering av saknade symboliska ikoner." #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" "Denna stabila version förbättrade lösenordsdialogens tillförlitlighet, " "rensade upp oanvänd kod, och ordnade eventuella problem med list- och " "objektmarkering." #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" "Denna version ordnade ett möjligt säkerhetsproblem med programstart och " "ordnade en regression med markering av flera objekt." #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" "Den första versionen i 1.0.x serien introducerar ett uppdaterat gränssnitt " "och rättar till ett antal gamla fel. Förbättringar av standardbehörigheterna " "eliminerade ett antal varningar vid paketering för distributioner. " "Tillgängligheten förbättrades i och med att alla strängar har gjorts " "översättningsbara och tangentbordsgenvägar har förbättrats." catfish-1.4.4/po/bg.po0000664000175000017500000004665713233061001016452 0ustar bluesabrebluesabre00000000000000# Bulgarian translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2016-08-24 10:35+0000\n" "Last-Translator: cybercop \n" "Language-Team: Bulgarian \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Търсене на файлове Catfish" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Търсене на файлове" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Търсене във файловата система" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish е универсален инструмент за търсене на файлове." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Отвори" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Покажи във Файлов мениджър" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Копирай местоположението" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Запази като..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Изтриване" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Файлови разширения" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Документи" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Папки" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Изображения" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Музика" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Видеозаписи" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Приложения" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Друго" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "По всяко време" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Тази седмица" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Потребителски" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Днес" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Начална дата" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Крайна дата" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Обновяване" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" "Базата за търсене не е актуализирана повече от 7 дни. Актуализиране сега ?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Тип файл" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Променен" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Въведете вашето запитване по- горе за да намерите търсените файлове" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "или кликнете на " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " Икона за повече опции" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Изберете директория" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Компактен списък" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Миниатюри" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Показване на _скритите файлове" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Търсене в _съдържанието на файл" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Точно съвпадение" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Покажи страничната лента" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "Обнови _индекса за търсене…" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "Относно" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Актуализиране на базата от данни" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Отключване" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "База с данни:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Обновена:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Актуализиране на базата с данни" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "За по- бързо търсене е необходимо да бъде актуализирана базата с данни.\n" "Това действие изисква администраторски права." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Употреба: %напредък [options] път заявка" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "Покажи доклад за грешка (-vv debugs catfish_lib also)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Използвай големи икони" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Използвай умалени изображения" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Покажи времето в ISO формат" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Извършва се проверка за съвпадение" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Включване на скритите файлове" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Протича търсене за пълен текст" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" "Ако пътят и заявката са зададени, стартирайте търсенето, когато приложението " "се появи." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (невалидна кодировка)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Непознато" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Никога" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "Възникна грешка при актуализирането на базата с данни." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Идентификацията е неуспешна." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Идентификацията е отменена" #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Базата с данни е актуализирана успешно." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Актуализиране…" #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Спиране на търсенето" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Извършва се търсене.\n" "Натиснете бутона за затваряне или клавиша Escape за да го спрете." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Започни търсене" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "\"%s\" не може да се отвори." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "«%s» не може да се съхрани." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "«%s» не може да се изтрие." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Съхрани «%s» като…" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Сигурен ли сте, че искате да\n" "изтрите завинаги \"%s\"?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Сигурен ли сте, че искате да\n" "изтриете завинаги %i избрани файла?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Ако изтриете файла, той ще е безвъзвратно изгубен." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Име на файла" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Размер на файла" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Местоположение" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Преглед" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Детайли" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Днес" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Вчера" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Не са открити файлове." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Опитайте търсене с по- малко подробности\n" "или потърсете в друга директория." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "Открит е един файл." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "Открити са %i файла." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "байта" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Търсене…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Резултатите ще бъдат показани скоро или, когато бъдат открити." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Търсене за \"%s\"" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Резултати от търсенето за \"%s\"" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Изисква се парола" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Неправилна парола... опитайте отново." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Парола:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Отказ" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "ОК" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Въведете Вашата парола за да\n" "извършите действието с администраторски права" #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "Програмата '%s' ви позволява\n" "да променяте основни части от вашата система." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Гъвкав инструмент за търсене на файлове" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish е малък, бърз и мощен инструмент за търсене на файлове. Отличаващ " "се с минимален интерфейс и с акцент върху резултатите, той помага на " "потребителите да намират файловете, от които се нуждаят, без файлов " "мениджър. С мощни филтри, като например, търсене по дата на промяна, тип " "файл и съдържание на файла, потребителите вече няма да бъдат зависими от " "файловия мениджър или организационни умения." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" "Тази версия вече показва всички файлови времеви отпечатъци според часовата " "зона вместо универсално координирано време (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" "Тази версия поправя две нови грешки и включва актуализиране на преводите." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" #~ msgid "_Fulltext Search" #~ msgstr "_Полнотекстно търсене" #~ msgid "_Hidden Files" #~ msgstr "_Скрити файлове" #~ msgid "Modified" #~ msgstr "Променен" #~ msgid "File Type" #~ msgstr "Вид на файла" #~ msgid "Custom File Type" #~ msgstr "Изберете вида на файла" #~ msgid "Custom Time Range" #~ msgstr "Изберете времеви период" #~ msgid "Enter file extensions" #~ msgstr "Въведете разширението на файла" #~ msgid "Done." #~ msgstr "Готово." #~ msgid "Update Search Index" #~ msgstr "Обнови индекса за търсене" #~ msgid "Update Search Index" #~ msgstr "Обновяване на индекса за търсене" #~ msgid "Updating database…" #~ msgstr "Обновяване на базата данни..." #~ msgid "Last modified" #~ msgstr "Последна промяна" #~ msgid "An error occurred while updating locatedb." #~ msgstr "Възникна грешка при обновяването на базата данни с локалите" #~ msgid "Locate database updated successfully." #~ msgstr "Базата данни с локалите е обновена успешно" #~ msgid "Clear search terms" #~ msgstr "Изчисти условията за търсене" #~ msgid "Catfish could not find the default file manager." #~ msgstr "Catfish не може да намери файловият мениджър по подразбиране" #~ msgid "Select existing mimetype" #~ msgstr "Изберете съществуващ MIME тип" #~ msgid "_Show Advanced Settings" #~ msgstr "Покажи _разширените настройки" catfish-1.4.4/po/pt.po0000664000175000017500000004664513233061001016502 0ustar bluesabrebluesabre00000000000000# Portuguese translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2016-04-04 15:54+0000\n" "Last-Translator: David Pires \n" "Language-Team: Portuguese \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Pesquisador de ficheiros Catfish" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Pesquisa de ficheiros" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Pesquisar o sistema de ficheiros" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish é uma ferramenta versátil de pesquisa de ficheiros." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Abrir" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Mostrar no _Gestor de ficheiros" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Copiar localização" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Guardar como..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Apagar" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Extensões de Ficheiros" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Documentos" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Pastas" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Imagens" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Musica" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Vídeos" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Aplicações" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Outros" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Em qualquer altura" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Esta semana" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Personalizado" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Ir para Hoje" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Data inicial" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "b>Data final" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Atualizar" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "A base de dados de pesquisa tem mais de 7 dias. Atualizar agora?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Tipo de Ficheiro" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Modificado" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Digite acima a sua consulta para encontrar os seus ficheiros" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "ou clique em " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " ícone para mais opções." #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Selecione um diretório" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Lista Compacta" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Miniaturas" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Mostrar _Ficheiros Ocultos" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "_Conteúdo da pesquisa de ficheiro" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Correspondência exata" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Mostrar _Barra lateral" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "_Atualizar índice de pesquisa ..." #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_Sobre" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Atualizar base de dados de pesquisa" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Desbloquear" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Base de dados:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Atualizada:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "big>Atualizar a Base de Dados de Pesquisa" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Para resultados de pesquisa mais rápidos, a base de dados de pesquisa " "precisa de ser atualizada.\n" "Esta ação requer privilégios administrativos." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Uso: %prog [opções] consulta de caminho" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "Mostrar mensagens de depuração (-vv debugs catfish_lib também)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Usar ícones grandes" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Usar miniaturas" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Exibir hora no formato ISO" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Executar correspondência exata" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Incluir ficheiros ocultos" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Executar pesquisa de texto completo" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" "Se o caminho e consulta forem fornecidos, começar a pesquisar quando a " "aplicação for exibida." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (codificação inválida)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Desconhecido" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Nunca" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "Ocorreu um erro durante a atualização da base de dados." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Falha na autenticação." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Autenticação cancelada." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Base de dados de pesquisa atualizada com sucesso." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "A actualizar..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Parar pesquisa" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Pesquisa em progresso ...\n" "Pressione o botão Cancelar ou a tecla Esc para parar." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Iniciar Pesquisa" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "\"%s\" não pôde ser aberto." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "\"%s\" não pôde ser guardado." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "\"%s\" não pôde ser eliminado." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Guardar \"%s\" como..." #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Tem a certeza que deseja \n" "eliminar permanentemente \"%s\"?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Tem a certeza que deseja \n" "eliminar permanentemente os %i ficheiros selecionados?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Se eliminar um ficheiro, ele será permanentemente perdido." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Nome do ficheiro" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Tamanho" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Localização" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Pré-visualização" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Detalhes" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Hoje" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Ontem" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Nenhum ficheiro encontrado." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Torne a sua pesquisa menos específica\n" "ou tente outro diretório." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "1 ficheiro encontrado." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "%i ficheiros encontrados." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "bytes" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "A pesquisar..." #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Os resultados serão exibidos assim que forem encontrados." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Pesquisar por \"%s\"" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Resultados da pesquisa por \"%s\"" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Necessário senha" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Senha incorreta... tente novamente." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Senha:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Cancelar" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "OK" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Inserir a sua senha para\n" "executar tarefas administrativas." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "A aplicação '%s' permite-lhe\n" "modificar partes essenciais do seu sistema." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Instrumento de pesquisa de ficheiros versátil" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "O Catfish é um pequeno, rápido, e poderoso utilitário de pesquisa de " "ficheiros. Com uma interface minimalista e com ênfase nos resultados, o que " "ajuda os utilizadores a encontrar os ficheiros que necessitam sem um gestor " "de ficheiros. Com poderosos filtros tal como data de modificação, tipo de " "ficheiro e conteúdo dos ficheiros, os utilizadoress não serão mais " "dependentes do gestor de ficheiros ou de habilidades de organização." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" "Esta versão exibe agora todas as datas de ficheiros de acordo com o fuso " "horário, em vez de Tempo Universal Coordenado (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" "Esta versão corrige vários bugs relacionados com a janela de resultados. Os " "ficheiros são outra vez removidos da lista de resultados quando excluídos. " "As funcionalidades de clique com o botão direito e o botão central do rato " "foram restauradas. Os filtros de intervalos de data são agora aplicados de " "acordo com o fuso horário em vez de Tempo Universal Coordenado (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" "Esta versão inclui uma atualização significativa da interface, melhora a " "velocidade de pesquisa e corrige vários bugs. O fluxo de trabalho foi " "melhorado, utilizando alguns dos mais recentes recursos do kit de " "ferramentas GTK+, incluindo barras opcionais de cabeçalho e widgets popover. " "O tratamento da senha foi melhorado com a integração do PolicyKit, quando " "disponível." #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "Esta versão corrige dois erros novos e inclui traduções atualizadas." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "Esta versão corrige uma regressão em que a aplicação é incapaz de iniciar em " "alguns sistemas." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" "Esta versão corrige uma regressão onde vários termos de pesquisa não eram " "mais suportados. Uma barra de informações é agora exibida quando a base de " "dados de pesquisa está desatualizada, e os diálogos utilizados para a " "atualização da base de dados foram melhorados." #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" "Esta versão corrige duas problemas em que o localizar não seria executado " "corretamente e melhora a manipulação da falta de ícones simbólicos." #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" "Esta versão estável melhorou a confiabilidade do diálogo de senha, limpou " "código não utilizado e fixa potenciais problemas com a lista e seleção de " "itens." #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" "Esta versão corrigiu um problema de segurança com a inicialização do " "programa e fixa uma regressão com a seleção de vários itens." #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" "O primeiro lançamento da série 1.0.x introduziu uma interface renovada e " "fixa um número de erros de longa data. Melhorias para as permissões padrão " "eliminaram uma série de avisos quando construindo pacotes para " "distribuições. A acessibilidade foi reforçada e todas as sequências de " "caracteres foram tornadas traduzíveis e os aceleradores de teclado foram " "melhorados." #~ msgid "_Fulltext Search" #~ msgstr "_Pesquisa de texto completo" #~ msgid "_Hidden Files" #~ msgstr "_Ficheiros ocultos" #~ msgid "_Show Advanced Settings" #~ msgstr "_Mostrar configurações avançadas" #~ msgid "Modified" #~ msgstr "Modificado" #~ msgid "Enter search terms and press ENTER" #~ msgstr "Insira os termos de pesquisa e pressione ENTER" #~ msgid "File Type" #~ msgstr "Tipo de ficheiro" #~ msgid "Custom File Type" #~ msgstr "Tipo de ficheiro personalizado" #~ msgid "Custom Time Range" #~ msgstr "Intervalo de tempo personalizado" #~ msgid "Select existing mimetype" #~ msgstr "Selecione mimetype existente" #~ msgid "Enter file extensions" #~ msgstr "Insira as extensões do ficheiro" #~ msgid "Done." #~ msgstr "Concluído" #~ msgid "Update Search Index" #~ msgstr "Atualizar índice de pesquisa" #~ msgid "Update Search Index" #~ msgstr "Atualizar índice de pesquisa" #~ msgid "Updating database…" #~ msgstr "Atualização da base de dados ..." #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "Para fornecer resultados precisos, a base de dados locate precisa ser " #~ "atualizada.\n" #~ "Isso requer privilégios de sudo (administrador)." #~ msgid "User aborted authentication." #~ msgstr "Autenticação abortada pelo utilizador." #~ msgid "Clear search terms" #~ msgstr "Limpar termos de pesquisa" #~ msgid "An error occurred while updating locatedb." #~ msgstr "Ocorreu um erro durante a atualização de locatedb." #~ msgid "Locate database updated successfully." #~ msgstr "Base de dados locate actualizada com sucesso." #~ msgid "Last modified" #~ msgstr "Última modificação" #~ msgid "Catfish could not find the default file manager." #~ msgstr "Catfish não conseguiu encontrar o gestor de ficheiros predefinido." #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "" #~ "Catfish não conseguiu encontrar a aplicação compatível com este ficheiro." catfish-1.4.4/po/lv.po0000664000175000017500000003626713233061001016477 0ustar bluesabrebluesabre00000000000000# Latvian translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # # FIRST AUTHOR , 2013. # Rūdolfs Mazurs , 2013. msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2013-06-22 10:48+0000\n" "Last-Translator: Rūdolfs Mazurs \n" "Language-Team: Latvian \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" "Language: lv\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Catfish datņu meklēšana" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Meklēt datņu sistēmā" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish ir universāls datņu meklēšanas rīks." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Rādīt _datņu pārvaldniekā" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Kopēt atrašanās vietu" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "" #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Dokumenti" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Attēli" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Mūzika" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Video" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Lietotnes" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Citi" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Jebkurā laikā" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Šajā nedēļā" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Pielāgots" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Iet uz šodienu" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Sākuma datums" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Beigu datums" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "" #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr "" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Izvēlieties direktoriju" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "Atbilst pr_ecīzi" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "Atja_unināt meklēšanas indeksu…" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Atbloķēt" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "Rādīt atkļūdošanas ziņojumus (-vv arī atkļūdo catfish_lib)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Lietot lielas ikonas" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Lietot sīktēlus" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Rādīt laiku ISO formātā" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Meklēt precīzas sakritības" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Iekļaut slēptās datnes" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Veikt pilna teksta meklēšanu" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "" #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Autentificēšanās neveiksmīga." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "" #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "" #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "" #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Apturēt meklēšanu" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "Neizdevās atvērt “%s”." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "Neizdevās saglabāt “%s”" #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "Neizdevās izdzēst “%s”" #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Saglabāt “%s” kā…" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Vai tiešām vēlaties\n" "neatgriezeniski dzēst “%s”?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Vai tiešām vēlaties neatgriezeniski \n" "dzēst %i izvēlētās datnes?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Ja izdzēsīsiet datni, tā tiks neatgriezeniski zaudēta." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Datnes nosaukums" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Izmērs" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Vieta" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Priekšskatīt" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Nav atrastu datņu." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "Atrasta viena datne." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "Atrastas %i datnes." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Meklē…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "" #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Meklē “%s”" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "“%s” meklēšanas rezultāti" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "" #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" #~ msgid "_Hidden Files" #~ msgstr "_Slēptās datnes" #~ msgid "_Fulltext Search" #~ msgstr "_Pilna teksta meklēšana" #~ msgid "_Show Advanced Settings" #~ msgstr "Rādīt paplašināto_s iestatījumus" #~ msgid "Enter search terms and press ENTER" #~ msgstr "Ievadiet meklēšanas tekstu un spiediet ENTER" #~ msgid "Modified" #~ msgstr "Mainīts" #~ msgid "File Type" #~ msgstr "Datnes tips" #~ msgid "Custom Time Range" #~ msgstr "Pielāgots laika intervāls" #~ msgid "Custom File Type" #~ msgstr "Pielāgots datņu tips" #~ msgid "Select existing mimetype" #~ msgstr "Izvēlieties esošu mime tipu" #~ msgid "Enter file extensions" #~ msgstr "Ievadiet datnes paplašinājumu" #~ msgid "Update Search Index" #~ msgstr "Atjaunināt meklēšanas indeksu" #~ msgid "Update Search Index" #~ msgstr "Atjaunināt meklēšanas indeksu" #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "Lai dotu aktuālus rezultātus, ir jāatjaunina locate datubāze.\n" #~ "Tam ir vajadzīgas sudo (administratora) tiesības." #~ msgid "Updating database…" #~ msgstr "Atjaunina datubāzi…" #~ msgid "Done." #~ msgstr "Pabeigts." #~ msgid "Last modified" #~ msgstr "Pēdējo reizi mainīta" #~ msgid "Locate database updated successfully." #~ msgstr "Locate datubāze ir veiksmīgi atjaunināta." #~ msgid "An error occurred while updating locatedb." #~ msgstr "Gadījās kļūda, atjaunojot locatedb." #~ msgid "User aborted authentication." #~ msgstr "Lietotājs apturēja autentificēšanos." #~ msgid "Clear search terms" #~ msgstr "Attīrīt meklēšanas tekstu" #~ msgid "Catfish could not find the default file manager." #~ msgstr "Catfish nevarēja atrast noklusējuma datņu pārvaldnieku." #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "Catfish nevarēja atrast noklusējuma atvēršanas ietinumu." catfish-1.4.4/po/zh_TW.po0000664000175000017500000003671613233061001017110 0ustar bluesabrebluesabre00000000000000# Chinese (Traditional) translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2016-04-23 08:56+0000\n" "Last-Translator: Hsiu-Ming Chang \n" "Language-Team: Chinese (Traditional) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Catfish 檔案搜尋" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "檔案搜尋" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "搜尋檔案系統" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish 是多功能的檔案搜尋工具。" #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "開啟(_O)" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "在檔案管理員顯示(_F)" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "複製位置(_C)" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "另存新檔(_S)" #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "刪除(_D)" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "檔案副檔名" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "文件" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "資料夾" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "圖片" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "音樂" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "影片" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "應用程式" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "其他" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "任何時間" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "本週" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "自訂" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "移至今天" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "開始日期" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "結束日期" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "更新" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "檔案類型" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "修改日期" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "在上面輸入你的查詢來尋找檔案" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "或點擊 " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " 圖示以顯示更多選項。" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "選取目錄" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "縮圖" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "顯示隱藏檔(_H)" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "搜尋檔案內容(_C)" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "完全符合(_E)" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "顯示側邊欄" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "更新搜尋索引(_U)…" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "關於(_A)" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "更新搜尋資料庫" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "解除鎖定" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "資料庫:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "更新時間:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "更新搜尋資料庫" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "顯示除錯訊息(使用 -vv 同時為 catfish_lib 除錯)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "使用大圖示" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "使用縮圖" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "以 ISO 格式顯示時間" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "需要完全符合" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "包含隱藏檔案" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "進行全文搜尋" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (編碼無效)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "未知" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "更新資料庫時發生錯誤。" #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "未能核對身分。" #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "" #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "搜尋資料庫更新成功。" #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "更新中…" #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "停止尋找。" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "搜尋中...\n" "按取消鍵或 Esc 鍵停止。" #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "開始搜尋" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "無法開啟「%s」。" #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "無法儲存「%s」。" #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "無法删除「%s」。" #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "將「%s」另存為..." #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "真的要\n" "永久删除「%s」嗎?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "真的要\n" "永久删除所選取的 %i 個檔案嗎?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "如果將檔案刪除,其會永遠消失。" #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "檔案名稱" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "大小" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "位置" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "預覽" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "詳細資料" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "今天" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "昨天" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "找不到檔案。" #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "找到 1 個檔案。" #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "找到 %i 個檔案。" #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "bytes" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "搜尋中…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "" #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "正在搜尋「%s」" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "搜尋「%s」的結果" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "需要密碼" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "密碼錯誤...請重試。" #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "密碼:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "取消" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "確定" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "多功能的檔案搜尋工具" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" #~ msgid "Update Search Index" #~ msgstr "更新搜尋索引" #~ msgid "An error occurred while updating locatedb." #~ msgstr "更新 locatedb 時發生錯誤。" #~ msgid "Locate database updated successfully." #~ msgstr "成功更新 locate 資料庫。" #~ msgid "File Type" #~ msgstr "檔案類型" #~ msgid "Done." #~ msgstr "完成。" #~ msgid "Last modified" #~ msgstr "最後修改時間" #~ msgid "_Fulltext Search" #~ msgstr "全文搜尋(_F)" #~ msgid "_Hidden Files" #~ msgstr "隱藏檔案(_H)" #~ msgid "_Show Advanced Settings" #~ msgstr "顯示進階設定(_S)" #~ msgid "Modified" #~ msgstr "最後修改時間" #~ msgid "Enter search terms and press ENTER" #~ msgstr "輸入要搜尋的東西並按「Enter」" #~ msgid "Custom File Type" #~ msgstr "自訂檔案類别" #~ msgid "Custom Time Range" #~ msgstr "自訂時間範圍" #~ msgid "Enter file extensions" #~ msgstr "輸入檔案延伸檔名" #~ msgid "Select existing mimetype" #~ msgstr "選取現有MIME類型" #~ msgid "Update Search Index" #~ msgstr "更新搜尋索引" #~ msgid "Updating database…" #~ msgstr "正在更新資料庫..." #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "Catfish 找不到檔案預設的處理程式。" #~ msgid "User aborted authentication." #~ msgstr "使用者放棄核對身分。" #~ msgid "Clear search terms" #~ msgstr "清除要搜尋的東西" #~ msgid "Catfish could not find the default file manager." #~ msgstr "Catfish 找不到預設的檔案管理員。" #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "要重新整理搜尋程式 locate 的資料庫才能提供準確结果。\n" #~ "這需要 sudo (系统管理員) 權限。" catfish-1.4.4/po/de.po0000664000175000017500000004463613233061001016445 0ustar bluesabrebluesabre00000000000000# German translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2016-03-25 03:16+0000\n" "Last-Translator: Tobias Bannert \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Catfish-Dateisuche" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Dateisuche" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Dateisystem durchsuchen" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish ist ein vielseitiges Programm zur Dateisuche" #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Öffnen" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "In _Dateiverwaltung anzeigen" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "Ort _kopieren" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Speichern unter …" #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Entfernen" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Dateierweiterungen" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Dokumente" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Ordner" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Bilder" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Musik" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Videos" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Anwendungen" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Andere" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Beliebige Zeit" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Diese Woche" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Angepasst" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Zum heutigen Tag gehen" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Anfangsdatum" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Enddatum" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Aktualisieren" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "Die Suchdatenbank ist älter als 7 Tage. Jetzt aktualisieren?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Dateityp" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Verändert" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Bitte oben Ihre Abfrage eingeben, um Ihre Dateien zu finden" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "oder auf das " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " Symbol für mehr Optionen klicken." #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Verzeichnis auswählen" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Kompakte Liste" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Vorschaubilder" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "_Verborgene Dateien anzeigen" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "_Dateiinhalte suchen" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Genaue Übereinstimmung" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Seitenleiste _anzeigen" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "_Suchindex aktualisieren …" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_Info" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Suchdatenbank aktualisieren" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Entsprerren" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Datenbank:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Aktualisiert:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Suchdatenbank aktualisieren" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Für schnellere Suchergebnisse, muss die Suchdatenbank aufgefrischt werden.\n" "Dieser Vorgang benötigt Systemverwalterrechte." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Nutzung: %prog [Optionen] Pfad Suchbegriff" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "Fehlerdiagnosenachrichten anzeigen (-vv debugs catfish_lib also)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Große Symbole verwenden" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Vorschaubilder verwenden" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Zeit im ISO-Format anzeigen" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Exakte Suche" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Verborgene Dateien einbeziehen" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Volltextsuche" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" "Wenn Pfad und Abfrage übergeben werden, beginnt die Suche beim Programmstart." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (ungültige Kodierung)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Unbekannt" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Niemals" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "Beim Aktualisieren der Datenbank ist ein Fehler aufgetreten." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Legitimierung fehlgeschlagen." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Legitimierung abgebrochen." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Die Suchdatenbank wurde erfolgreich aktualisiert." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Aktualisierung wird durchgeführt …" #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Suche beenden" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Suchvorgang läuft …\n" "Abbrechen klicken oder die die Escape-Taste drücken, um abzubrechen." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Suche beginnen" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "»%s« konnte nicht geöffnet werden." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "»%s« konnte nicht gespeichert werden." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "»%s« konnte nicht gelöscht werden." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "»%s« speichern unter …" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Soll »%s« wirklich dauerhaft \n" "gelöscht werden?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Sollen die %i ausgewählten Dateien wirklich \n" "dauerthaft gelöscht werden?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Wenn Sie eine Datei löschen, ist sie dauerhaft verloren." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Dateiname" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Größe" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Ort" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Vorschau" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Details" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Heute" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Gestern" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Keine Dateien gefunden." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Versuchen Sie, Ihre Suche weniger genau zu machen\n" "oder versuchen Sie ein anderes Verzeichnis." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "1 Datei gefunden." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "%i Dateien gefunden." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "Bytes" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Suche läuft …" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Ergebnisse werden angezeigt, sobald sie gefunden werden." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Nach »%s« wird gesucht" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Suchergebnisse für »%s«" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Passwort erforderlich" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Falsches Passwort … bitte erneut versuchen." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Passwort:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Abbrechen" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "OK" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Passwort eingeben, um\n" "administrative Aufgaben durchzuführen." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "Die Anwendung »%s« ermöglicht die\n" "Veränderung von wesentlichen Teilen Ihres Betriebssystems." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Vielseitiges Dateisuchwerkzeug" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish ist ein kleines, schnelles und leistungsfähiges Suchprogramm. Die " "kleine Benutzeroberfläche stellt die Suchergebnisse in den Vordergrund und " "hilft dem Benutzer, die Dateien die er sucht, zu finden, ohne eine " "Dateiverwaltung zu verwenden. Durch nützliche Filter wie etwa " "Änderungsdatum, Dateityp oder die Volltextsuche werden Benutzer unabhängiger " "von der Dateiverwaltung und ihrem Organisationstalent." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" "Diese Version behebt zwei neue Fehler und enthält aktualisierte " "Übersetzungen." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "Diese Version behebt einen Rückschritt, bei dem es der Anwendung nicht " "möglich ist, auf einigen Systemen, zu starten." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" "Diese Version behebt einen Rückschritt, wobei mehrere Suchbegriffe nicht " "mehr unterstützt wurden. Eine Infoleiste wird jetzt angezeigt, wenn die " "Suchdatenbank nicht mehr aktuell ist und die Dialoge, die verwendet werden, " "um die Datenbank zu aktualisieren, wurden verbessert." #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" "Diese Version behebt zwei Probleme, wo »locate« nicht richtig ausgeführt " "wurde und verbessert die Behandlung von fehlenden symbolischen Symbole." #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" "Diese stabile Version verbessert die Zuverlässigkeit des Passwortdialoges, " "bereinigt nicht benutzten Code und behebt mögliche Probleme mit der Liste " "und Elementauswahl." #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" "Diese Version behebt eine mögliches Sicherheitsproblem beim Programmstart " "und einen Rückschritt bei der Auswahl mehrerer Elemente." #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" "Bei der ersten Veröffentlichung in der 1.0.x-Serie erscheint mit einer " "aufgefrischten Oberfläche und behebt eine Reihe von langjährigen Fehlern. " "Verbesserungen der Standardberechtigungen beseitigt eine Reihe von " "Warnungen, während der Paketierung für Distributionen. Die Barrierefreiheit " "wurde verbessert, da alle Seiten übersetzbar gemacht wurden und Tastenkürzel " "verbessert wurden." #~ msgid "Last modified" #~ msgstr "Zuletzt geändert" #~ msgid "Update Search Index" #~ msgstr "Suchindex aktualisieren" #~ msgid "Done." #~ msgstr "Fertig." #~ msgid "Clear search terms" #~ msgstr "Suchbegriffe löschen" #~ msgid "File Type" #~ msgstr "Dateityp" #~ msgid "Custom File Type" #~ msgstr "Benutzerdefinierter Dateityp" #~ msgid "Enter file extensions" #~ msgstr "Dateiendung eingeben" #~ msgid "Update Search Index" #~ msgstr "Suchindex aktualisieren" #~ msgid "_Fulltext Search" #~ msgstr "_Volltextsuche" #~ msgid "_Show Advanced Settings" #~ msgstr "_Erweiterte Einstellungen" #~ msgid "Modified" #~ msgstr "Verändert" #~ msgid "Enter search terms and press ENTER" #~ msgstr "Suchbegriffen eingeben und Eingabetaste drücken" #~ msgid "Select existing mimetype" #~ msgstr "Bestehenden Dateityp auswählen" #~ msgid "Updating database…" #~ msgstr "Datenbank wird aktualisiert …" #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "Um genaue Suchergebnisse zu erzielen, muss die locate-Datenbank " #~ "aktualisiert werden.\n" #~ "Hierfür werden Systemverwalterrechte (sudo) benötigt." #~ msgid "An error occurred while updating locatedb." #~ msgstr "" #~ "Während des Aktualisierens der locate-Datenbank ist ein Fehler aufgetreten." #~ msgid "Locate database updated successfully." #~ msgstr "Die locate-Datenbank wurde erfolgreich aktualisiert." #~ msgid "Catfish could not find the default file manager." #~ msgstr "Catfish konnte die vorgegebene Dateiverwaltung nicht finden." #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "Catfish konnte den vorgegebenen open-wrapper nicht finden." #~ msgid "User aborted authentication." #~ msgstr "Die Legitimierung wurde durch den Benutzer abgebrochen." #~ msgid "Custom Time Range" #~ msgstr "Benutzerdefinierter Zeitraum" #~ msgid "_Hidden Files" #~ msgstr "_Verborgene Dateien" catfish-1.4.4/po/it.po0000664000175000017500000004436213233061001016465 0ustar bluesabrebluesabre00000000000000# Italian translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2017-06-12 17:10+0000\n" "Last-Translator: lang-it \n" "Language-Team: Italian \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Qualsiasi momento" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Catfish ricerca di file" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Ricerca file" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Cerca nel file system" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish è un versatile strumento per cercare file" #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Apri" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Mostra nel _gestore di file" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Copia posizione" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Salva come..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Elimina" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Estensioni dei file" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Documenti" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Cartelle" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Immagini" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Musica" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Video" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Programmi" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Altro" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Questa settimana" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Personalizzato" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Vai a oggi" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Data iniziale" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Data finale" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Aggiorna" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "Il database di ricerca è più vecchio di 7 giorni. Aggiornarlo ora?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Tipo di File" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Modificato" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Inserisci la ricerca qui sopra per trovare i tuoi file" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "o fai click sull'icona " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " per avere altre opzioni." #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Seleziona una cartella" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Elenco compatto" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Anteprime" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Mostra file _nascosti" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Cerca nel _contenuto dei file" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "Corrispondenza _esatta" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Mostra _barra laterale" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "Aggiorna in_dice di ricerca..." #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_Informazioni" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Aggiorna il database di ricerca" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Sblocca" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Database:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Aggiornato:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Aggiorna il database di ricerca" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Per risultati più rapidi, il database di ricerca deve essere aggiornato.\n" "Questa azione richiede privilegi di amministrazione." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Uso: %prog [opzioni] percorso ricerca" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "Mostra messaggi di debug (-vv debugs catfish_lib)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Usa icone grandi" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Usa miniature" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Mostra l'ora in formato ISO" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Ricerca una corrispondenza esatta" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Includi i file nascosti" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Esegui una ricerca fulltext" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" "Se sono forniti un percorso e una stringa, inizia la ricerca quando " "l'applicazione viene mostrata." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (codifica non valida)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Sconosciuto" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Mai" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "È stato riscontrato un errore nell'aggiornamento del database." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Autenticazione non riuscita." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Autenticazione annullata." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Il database di ricerca è stato aggiornato con successo." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Aggiornamento in corso..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Interrompi ricerca" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Ricerca in corso...\n" "Premi il bottone annulla o il tasto Esc per fermare." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Inizio ricerca" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "Impossibile aprire «%s»." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "Impossibile salvare «%s»." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "Impossibile eliminare «%s»." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Salva «%s» come..." #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Vuoi davvero eliminare «%s» \n" "in modo definitivo?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Vuoi davvero eliminare i %i file selezionati \n" "in modo definitivo?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Se si elimina un file, esso non sarà più recuperabile." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Nome file" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Dimensione" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Posizione" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Anteprima" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Dettagli" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Oggi" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Ieri" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Nessun file trovato." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Prova a fare una ricerca meno specifica\n" "o prova un'altra cartella." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "Trovato 1 file." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "Trovati %i file." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "bytes" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Ricerca in corso..." #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "I risultati saranno mostrati non appena verranno trovati." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Ricerca di \"%s\"" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Risultati della ricerca di \"%s\"" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Password richiesta" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Password non corretta... riprova." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Password:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Annulla" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "OK" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Inserisci la password per eseguire\n" "operazioni da amministratore." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "L'applicazione '%s' ti permette\n" "di modificare parti essenziali del tuo sistema." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Strumento versatile per la ricerca dei file" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish è un piccolo, veloce e potente strumento per la ricerca dei file. " "Con la sua interfaccia minimale e l'enfasi sui risultati, aiuta gli utenti a " "trovare i file di cui hanno bisogno senza un gestore di file. Grazie agli " "utilissimi filtri come la data di modifica, il tipo di file e il contenuto " "del file, gli utenti non saranno più dipendenti dal gestore dei file o da " "capacità organizzative." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" "Questa release corregge due nuovi bug e include traduzioni aggiornate." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "Questa release corregge una regressione per cui l'applicazione non era in " "grado di avviarsi in alcuni sistemi." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" "Questa versione risolve una regressione per cui termini di ricerca multipli " "non erano più supportati. Adesso viene mostrato un avviso quando il database " "di ricerca non è aggiornato, e le finestre di dialogo di aggiornamento " "database sono state migliorate." #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" "Questa release risolve due problemi per cui locate non era eseguito " "correttamente e migliora la gestione delle icone simboliche mancanti." #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" "Questa release stabile migliora l'affidabilità della finestra di dialogo per " "la password, elimina codice non usato e risolve potenziali problemi con la " "selezione di oggetti e liste." #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" "Questa release risolve un potenzioale problema di sicurezza all'avvio del " "programma e risolve una regressione con la selezione di oggetti multipli." #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" "La prima release della serie 1.0.x introduce un'interfaccia ridisegnata e " "risolve una serie di bug di vecchia data. I miglioramenti ai permessi di " "default eliminano molti avvisi durante il packaging per le distribuzioni. " "Sono state migliorate l'accessibilità, rendendo tutte le stringhe " "traducibili, e le scorciatoie da tastiera." #~ msgid "Custom Time Range" #~ msgstr "Intervallo di tempo personalizzato" #~ msgid "Done." #~ msgstr "Finito." #~ msgid "Update Search Index" #~ msgstr "Aggiorna l'indice di ricerca" #~ msgid "Clear search terms" #~ msgstr "Cancella i termini di ricerca" #~ msgid "_Hidden Files" #~ msgstr "File _nascosti" #~ msgid "_Fulltext Search" #~ msgstr "Ricerca co_mpleta" #~ msgid "_Show Advanced Settings" #~ msgstr "Mostra impostazioni avan_zate" #~ msgid "Modified" #~ msgstr "Modificato" #~ msgid "Enter search terms and press ENTER" #~ msgstr "Inserire i termini da ricercare e premere INVIO" #~ msgid "File Type" #~ msgstr "Tipo di file" #~ msgid "Custom File Type" #~ msgstr "Tipo di file personalizzato" #~ msgid "Update Search Index" #~ msgstr "Aggiorna indice di ricerca" #~ msgid "Updating database…" #~ msgstr "Aggiornamento database in corso..." #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "Per ottenere risultati accurati, il database delle posizioni deve " #~ "essere aggiornato.\n" #~ "Per questa operazione sono necessari i diritti di amministratore (sudo)" #~ msgid "User aborted authentication." #~ msgstr "Autenticazione interrotta dall'utente" #~ msgid "An error occurred while updating locatedb." #~ msgstr "" #~ "Si è verificato un errore nell'aggiornamento del database delle posizioni" #~ msgid "Locate database updated successfully." #~ msgstr "Database delle posizioni aggiornato." #~ msgid "Last modified" #~ msgstr "Ultima modifica" #~ msgid "Catfish could not find the default file manager." #~ msgstr "Catfish non riesce a trovare il gestore di file predefinito" #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "" #~ "Catfish non riesce a trovare l'applicazione predefinita per l'apertura" #~ msgid "Enter file extensions" #~ msgstr "Inserisci l'estensione del file" #~ msgid "Select existing mimetype" #~ msgstr "Seleziona tipo mime esistente" catfish-1.4.4/po/cs.po0000664000175000017500000004377513233061001016465 0ustar bluesabrebluesabre00000000000000# Czech translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2016-09-04 17:43+0000\n" "Last-Translator: pavel \n" "Language-Team: Czech \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Vyhledávač souborů Catfish" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Vyhledávání souborů" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Prohledat souborový systém" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish je univerzální nástroj pro vyhledávání souborů." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Otevřít" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Zobrazit ve _Správci souborů" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Kopírovat umístění" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Uložit jako..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Vymazat" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Připony souborů" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Dokumenty" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Složky" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Obrázky" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Hudba" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Videa" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Aplikace" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Jiný" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Kdykoliv" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Tento týden" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Vlastní" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Přejít na dnešek" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Počáteční datum" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Koncové datum" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Obnovit" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "Vyhledávací databáze je stará víc jak 7 dnů. Chcete ji obnovit?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Typ souboru" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Změněno" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Napište hledaný výraz do políčka nahoře" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "nebo klikněte na " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " ikonu pro více možností" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Vyber složku" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Kompaktní seznam" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Náhledy" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Zobrazit _skryté soubory" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Prohledávat _obsah souborů" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Přesná shoda" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Zobrazit _postranní panel" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "_Obnovit vyhledávací index…" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_O aplikaci" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Obnovit databázi vyhledávání" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Odemknout" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Databáze:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Obnoveno:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Obnovit databázi vyhledávání" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Pro rychlejší výsledky vyhledávání musí být vyhledávací databáze obnovena.\n" "To vyžaduje práva administrátora." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Použití: %prog [volby] dotaz cesta" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "Zobrazit chybové zprávy (-vv debugs catfish_lib also)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Použít velké ikony" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Použít náhledy" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Zobrazit čas v ISO formatu" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Provést přesné shody" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Zahrnout skryté soubory" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Provést fulltextové hledání" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" "Pokud jsou cesta a dotaz k dispozici, začít hledat při zobrazení aplikace." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (neplatné kódování)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Neznámý" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Nikdy" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "Při obnovování databáze došlo k chybě." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Ověření selhalo." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Ověření zrušeno." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Databáze prohledávání byla úspěšně aktualizována." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Obnovuje se…" #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Ukončit hledání" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Probíhá vyhledávání...\n" "Stiskněte tlačítko Storno nebo klávesu Esc k ukončení." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Zahájit hledání" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "\"%s\" nelze otevřít." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "\"%s\" nemohlo být uloženo." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "\"%s\" nemohlo být vymazáno." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Uložit \"%s\" jako…" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Jste si jisti, že chcete \n" "trvale smazat \"%s\"?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Jste si jisti, že chcete \n" "trvale smazat \"%i\" označených souborů?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Smažete-li soubor, bude nenávratně ztracen." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Jméno souboru" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Velikost" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Umístění" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Náhled" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Podrobnosti" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Dnes" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "včera" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Nebyly nalezeny žádné soubory." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Formulujte váš dotaz méně specificky\n" "nebo hledejte v jiné složce." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "Nalezen jeden soubor" #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "%i souborů bylo nalezeno." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "bajty" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Hledá se…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Výsledky budou zobrazeny jakmile budou nalezeny." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Vyhledává se \"%s\"" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Výsledek hledání \"%s\"" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Je vyžadováno heslo" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Špatné heslo... zkuste to znovu." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Heslo:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Zrušit:" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "OK" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Vložte své heslo\n" "k provádění administrativních úkolů." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "Program '%s' vám dovolí\n" "upravit základní části systému." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Univerzální nástroj pro hledání souborů" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish je malý, rychlý a výkonný vyhledávač souborů. Díky minimalistickému " "rozhraní s důrazem na výsledky, pomáhá uživatelům najít soubory, které " "potřebují, aniž by otevřeli správce souborů. S výkonnými filtry jako je " "datum změny, typ souboru a obsah souboru už uživatelé nebudou závislí na " "správci souborů nebo svých organizačních schopnostech." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" "V tomto vydání se zobrazují časové značky souborů podle časových zón namísto " "koordinovaného světového času (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" "Toto vydání opravuje několik chyb týkajících se okna s výsledky. Soubory " "jsou opět po smazání odstraněny z výsledků. Klik prostředním a pravým " "tlačítkem myši byl obnoven. Filtr časového rozmezí je nyní aplikován podle " "časové zóny namísto koordinovaného světového času (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" "Toto vydání obsahuje značné změny rozhraní, rychlejší vyhledávání a opravuje " "několik chyb. Byl vylepšen postup práce pomocí některých nových vlastností " "GTK+, včetně volitelných záhlaví a rozklikávatelných grafických komponent. " "Práce s hesly byla vylepšena zahrnutím PolicyKit tam, kde to bylo možné." #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" "Toto vydání opravuje dvě nové chyby a zahrnuje aktualizované překlady." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "Toto vydání opravuje chybu, při které se na některých systémech aplikace " "nespustila." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" "Tato verze opravuje regrese, kdy nebylo podporováno více hledaných výrazů. " "Informační panel se nyní zobrazí, když je vyhledávací databáze zastaralá, a " "byly vylepšeny dialogy používané k aktualizaci databáze." #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" "Tato verze opravuje dva problémy, kdy vyhledání nebylo řádně provedeno a " "zlepšuje manipulaci s chybějícími symbolickými ikonami." #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" "Tato stabilní verze zlepšila spolehlivost dialogu heslo, byl pročištěn " "nepoužívaný kód a opraveny potenciální problémy se seznamem a výběrem " "položky." #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" "Toto vydání opravuje potenciální bezpečnostní problém se spuštěním programu " "a opravuje regresi s výběrem více položek." #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" "První vydání v sérii 1.0.x představilo obnovené rozhraní a opravenou řadu " "dlouhodobých chyb. Zlepšení ve výchozím oprávnění eliminuje řadu varování " "při balíčkování pro distribuci. Dostupnost byla rozšířena tím, že byly " "zlepšeny překladatelské řetězce a vylepšeny klávesové zkratky." #~ msgid "Last modified" #~ msgstr "Naposledy změněno" #~ msgid "Update Search Index" #~ msgstr "Aktualizovat vyhledávací index" #~ msgid "Custom Time Range" #~ msgstr "Vlastní časový rozsah" #~ msgid "Done." #~ msgstr "Hotovo." #~ msgid "An error occurred while updating locatedb." #~ msgstr "Během aktualizace lokační databáze došlo k chybě." #~ msgid "Clear search terms" #~ msgstr "Vymazat vyhledávané výrazy" #~ msgid "Locate database updated successfully." #~ msgstr "Lokační databáze úspěšně aktualizována." #~ msgid "Enter search terms and press ENTER" #~ msgstr "Zadejte hledané výrazy a stiskněte ENTER" #~ msgid "File Type" #~ msgstr "Typ souboru" #~ msgid "Custom File Type" #~ msgstr "Vlastní typ souboru" #~ msgid "_Fulltext Search" #~ msgstr "_Fulltextové vyhledávání" #~ msgid "_Show Advanced Settings" #~ msgstr "_Zobrazit pokročilé nastavení" #~ msgid "_Hidden Files" #~ msgstr "_Skryté soubory" #~ msgid "Enter file extensions" #~ msgstr "Vložit koncovku souboru" #~ msgid "Select existing mimetype" #~ msgstr "Vybrat stávající MIME typ" #~ msgid "Modified" #~ msgstr "Změněno" catfish-1.4.4/po/es.po0000664000175000017500000004677213233061001016467 0ustar bluesabrebluesabre00000000000000# Spanish translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2017-12-22 17:52+0000\n" "Last-Translator: Adolfo Jayme \n" "Language-Team: Spanish \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" "Language: es\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Búsqueda de archivos Catfish" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Búsqueda de archivos" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Buscar en el sistema de archivos" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish es una herramienta versátil de búsqueda de archivos." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Abrir" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Mostrar en el _gestor de archivos" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Copiar ubicación" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Guardar como…" #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Eliminar" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Extensiones de archivo" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png y txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Documentos" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Carpetas" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Imágenes" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Música" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Vídeos" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Aplicaciones" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Otros" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "En cualquier momento" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Esta semana" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Personalizar" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Ir a la fecha de hoy" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Fecha inicial" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Fecha final" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Actualizar" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" "El índice de búsqueda tiene más de 7 días. ¿Quiere actualizarlo ahora?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Tipo de archivo" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Fecha de modificación" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Introduzca arriba su consulta para buscar archivos" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "o haga clic en el icono " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " para más opciones." #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Seleccionar una carpeta" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Lista compacta" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Miniaturas" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Mostrar archivos _ocultos" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Buscar en _contenido de archivos" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "Coincidencia _exacta" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Mostrar barra _lateral" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "_Actualizar índice de búsqueda…" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_Acerca de" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Actualizar índice de búsqueda" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Desbloquear" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Índice de búsqueda:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Actualización:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Índice de búsqueda" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Para obtener resultados más rápido, es necesario actualizar el índice de " "búsqueda.\n" "Esta acción requiere permisos de administrador." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Uso: %prog [opciones] ruta consulta" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "Mostrar mensajes de depuración (-vv depura también catfish_lib)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Usar iconos grandes" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Usar miniaturas" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Mostrar la hora en formato ISO" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Buscar coincidencia exacta" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Incluir archivos ocultos" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Buscar texto completo" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" "Si se proporcionan la ruta y la consulta, la búsqueda comienza cuando se " "muestra la aplicación" #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (codif. no válida)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Desconocido" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Nunca" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "Se ha producido un error al actualizar el índice de búsqueda." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Error de autenticación." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Se ha cancelado la autenticación." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "El índice de búsqueda se ha actualizado correctamente." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Actualizando…" #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Detener búsqueda" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Búsqueda en curso...\n" "Pulse el botón de cancelación o la tecla Esc para detener." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Iniciar búsqueda" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "No se ha podido abrir «%s»." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "No se ha podido guardar «%s»." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "No se ha podido eliminar «%s»." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Guardar «%s» como…" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "¿Seguro que quiere eliminar \n" "permanentemente «%s»?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "¿Seguro que quiere eliminar \n" "permanentemente los %i archivos seleccionados?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Si elimina un archivo, se perderá permanentemente." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Nombre" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Tamaño" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Ubicación" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Vista previa" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Detalles" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Hoy" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Ayer" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "No se han encontrado archivos." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Trate de hacer una búsqueda menos específica \n" "o inténtelo en otra carpeta." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "Se ha encontrado un archivo." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "Se han encontrado %i archivos." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "bytes" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Buscando…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Los resultados se mostrarán tan pronto como se encuentren." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Buscando «%s»" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Resultados de la búsqueda «%s»" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Se requiere contraseña" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Contraseña incorrecta. Inténtelo de nuevo." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Contraseña:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Cancelar" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "Aceptar" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Introduzca la contraseña para\n" "realizar tareas administrativas." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "La aplicación «%s» le permite\n" "modificar partes esenciales del sistema." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Herramienta versátil de búsqueda de archivos" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish es una utilidad de búsqueda de archivos pequeña, rápida y potente. " "Con una interfaz mínima que destaca los resultados, ayuda a los usuarios a " "encontrar los archivos que necesitan sin un administrador de archivos. Con " "filtros potentes como el de fecha de modificación, el de tipo de archivo y " "el de contenido de archivos, los usuarios ya no dependen del administrador " "de archivos ni de sus habilidades de organización." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" "Esta versión muestra ahora todas las marcas de tiempo de los archivos de " "acuerdo con la zona horaria en lugar de con el tiempo universal coordinado " "(UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" "Esta versión corrige varios errores relacionados con la ventana de " "resultados. Los archivos se quitan de la lista de resultados cuando se " "eliminan. Se ha restaurado la funcionalidad del botón central y del botón " "derecho del ratón. El filtro de fecha de modificación se aplica ahora de " "acuerdo con la zona horaria en lugar de con el tiempo universal coordinado " "(UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" "Esta versión incluye una actualización significativa de la interfaz, mejora " "la velocidad de búsqueda y corrige varios errores. El flujo de trabajo se ha " "mejorado mediante el uso de algunas de las últimas características del " "conjunto de herramientas GTK +, incluyendo las barras de encabezado " "opcionales y los elementos gráficos emergentes. El manejo de contraseñas se " "ha mejorado con la integración de PolicyKit cuando esté disponible." #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" "Esta versión corrige dos errores nuevos e incluye traducciones actualizadas." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "Esta versión corrige una regresión que impedía que la aplicación se iniciara " "en algunos sistemas." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" "Esta versión corrige una regresión que impedía especificar varios términos " "de búsqueda. Ahora se muestra una barra de información cuando el índice de " "búsqueda está obsoleto y se han mejorado los diálogos para actualizarlo." #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" "Esta versión corrige dos problemas que impedían ejecutar la orden locate " "correctamente y mejora el manejo de la falta de iconos simbólicos." #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" "Esta versión estable mejora la fiabilidad del diálogo de la contraseña, " "elimina código no utilizado y corrige posibles problemas con la lista y la " "selección de elementos." #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" "Esta actualización soluciona un posible problema de seguridad con el inicio " "del programa y corrige una regresión al seleccionar múltiples elementos." #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" "La primera versión de la serie 1.0.x introduce una interfaz renovada y " "corrige una serie de errores antiguos. Las mejoras en los permisos " "predeterminados han eliminado una serie de advertencias al empaquetar para " "las distribuciones. La accesibilidad se ha mejorado, ya que todas las " "cadenas se han hecho traducibles, y se han mejorado las teclas aceleradoras." #~ msgid "Custom Time Range" #~ msgstr "Intervalo de tiempo personalizado" #~ msgid "Update Search Index" #~ msgstr "Actualizar el índice de búsqueda" #~ msgid "Clear search terms" #~ msgstr "Borrar términos de la búsqueda" #~ msgid "Locate database updated successfully." #~ msgstr "La base de datos locate se ha actualizado correctamente." #~ msgid "An error occurred while updating locatedb." #~ msgstr "Se produjo un error al actualizar la base de datos locate." #~ msgid "Last modified" #~ msgstr "Última modificación" #~ msgid "Done." #~ msgstr "Hecho." #~ msgid "Modified" #~ msgstr "Modificado" #~ msgid "_Fulltext Search" #~ msgstr "Búsqueda de texto _completo" #~ msgid "_Hidden Files" #~ msgstr "Archivos oc_ultos" #~ msgid "_Show Advanced Settings" #~ msgstr "_Mostrar configuración avanzada" #~ msgid "Catfish could not find the default file manager." #~ msgstr "Catfish no pudo encontrar el gestor de archivos predeterminado." #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "Catfish no pudo encontrar la aplicación de apertura predeterminada." #~ msgid "File Type" #~ msgstr "Tipo de archivo" #~ msgid "Custom File Type" #~ msgstr "Tipo de archivo personalizado" #~ msgid "Select existing mimetype" #~ msgstr "Seleccione un tipo MIME existente" #~ msgid "Enter file extensions" #~ msgstr "Escriba las extensiones de archivo" #~ msgid "Update Search Index" #~ msgstr "Actualizar el índice de búsqueda" #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "Para ofrecer resultados precisos, debe actualizar la base de datos " #~ "locate.\n" #~ "Esto requiere permisos de sudo (administrador)." #~ msgid "Updating database…" #~ msgstr "Actualizando la base de datos…" #~ msgid "User aborted authentication." #~ msgstr "El usuario canceló la autenticación." #~ msgid "Enter search terms and press ENTER" #~ msgstr "Escriba términos de búsqueda y oprima INTRO" catfish-1.4.4/po/en_AU.po0000664000175000017500000004264013233061001017035 0ustar bluesabrebluesabre00000000000000# English (Australia) translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2015-11-22 20:29+0000\n" "Last-Translator: Jackson Doak \n" "Language-Team: English (Australia) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Catfish File Search" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "File search" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Search the file system" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish is a versatile file searching tool." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Open" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Show in _File Manager" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Copy Location" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Save as..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Delete" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "File Extensions" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Documents" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Folders" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Images" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Music" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Videos" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Applications" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Other" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Any time" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "This week" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Custom" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Go to Today" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Start Date" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "End Date" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Update" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "The search database is more than 7 days old. Update now?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "File Type" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Modified" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Enter your query above to find your files" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "or click the " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " icon for more options." #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Select a Directory" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Compact List" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Thumbnails" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Show _Hidden Files" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Search File _Contents" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Exact Match" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Show _Sidebar" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "_Update Search Index…" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_About" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Update Search Database" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Unlock" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Database:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Updated:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Update Search Database" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Usage: %prog [options] path query" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "Show debug messages (-vv debugs catfish_lib also)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Use large icons" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Use thumbnails" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Display time in ISO format" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Perform exact match" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Include hidden files" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Perform fulltext search" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" "If path and query are provided, start searching when the application is " "displayed." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (invalid encoding)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Unknown" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Never" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "An error occurred while updating the database." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Authentication failed." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Authentication cancelled." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Search database updated successfully." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Updating..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Stop Search" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Begin Search" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "\"%s\" could not be opened." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "\"%s\" could not be saved." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "\"%s\" could not be deleted." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Save \"%s\" as…" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Are you sure that you want to \n" "permanently delete \"%s\"?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Are you sure that you want to \n" "permanently delete the %i selected files?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "If you delete a file, it is permanently lost." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Filename" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Size" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Location" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Preview" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Details" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Today" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Yesterday" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "No files found." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "1 file found." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "%i files found." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "bytes" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Searching…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Results will be displayed as soon as they are found." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Searching for \"%s\"" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Search results for \"%s\"" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Password Required" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Incorrect password... try again." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Password:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Cancel" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "OK" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Enter your password to\n" "perform administrative tasks." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "The application '%s' lets you\n" "modify essential parts of your system." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Versatile file searching tool" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "This release fixes two new bugs and includes updated translations." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "This release fixes a regression where the application is unable to start on " "some systems." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." #~ msgid "_Hidden Files" #~ msgstr "_Hidden Files" #~ msgid "_Fulltext Search" #~ msgstr "_Fulltext Search" #~ msgid "_Show Advanced Settings" #~ msgstr "_Show Advanced Settings" #~ msgid "Modified" #~ msgstr "Modified" #~ msgid "Enter search terms and press ENTER" #~ msgstr "Enter search terms and press ENTER" #~ msgid "File Type" #~ msgstr "File Type" #~ msgid "Custom File Type" #~ msgstr "Custom File Type" #~ msgid "Custom Time Range" #~ msgstr "Custom Time Range" #~ msgid "Enter file extensions" #~ msgstr "Enter file extensions" #~ msgid "Select existing mimetype" #~ msgstr "Select existing mimetype" #~ msgid "Done." #~ msgstr "Done." #~ msgid "Update Search Index" #~ msgstr "Update Search Index" #~ msgid "Update Search Index" #~ msgstr "Update Search Index" #~ msgid "Updating database…" #~ msgstr "Updating database…" #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "Catfish could not find the default open wrapper." #~ msgid "User aborted authentication." #~ msgstr "User aborted authentication." #~ msgid "An error occurred while updating locatedb." #~ msgstr "An error occurred while updating locatedb." #~ msgid "Clear search terms" #~ msgstr "Clear search terms" #~ msgid "Locate database updated successfully." #~ msgstr "Locate database updated successfully." #~ msgid "Last modified" #~ msgstr "Last modified" #~ msgid "Catfish could not find the default file manager." #~ msgstr "Catfish could not find the default file manager." catfish-1.4.4/po/ko.po0000664000175000017500000003264013233061001016456 0ustar bluesabrebluesabre00000000000000# Korean translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2013-11-12 11:45+0000\n" "Last-Translator: Litty \n" "Language-Team: Korean \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "캣피쉬 파일 검색기" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "파일 시스템 검색" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "catfish 는 다용도의 파일 검색 도구입니다." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "파일 관리자에서 보이기(_F)" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "위치 복사(_C)" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "" #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "문서" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "이미지" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "음악" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "동영상" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "응용 프로그램" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "기타" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "언제든지" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "이번 주" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "사용자 정의" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "시작일" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "종료일" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "캣피쉬" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "" #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr "" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "잠금 해제" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "큰 아이콘 사용하기" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "미리보기 사용" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "ISO 포맷으로 시간 표시" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "" #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "인증이 실패했습니다." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "" #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "" #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "" #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "검색 중지" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "\"%s\"을(를) 열 수 없습니다." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "\"%s\"을(를) 저장할 수 없습니다." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "\"%s\"을(를) 삭제할 수 없습니다." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "" #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "파일 이름" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "크기" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "위치" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "미리 보기" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "" #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "파일 하나를 찾았습니다." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "" #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "검색하는 중…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "" #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "\"%s\"을(를) 찾는 중" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "\"%s\"에 대한 검색 결과" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "" #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" #~ msgid "_Show Advanced Settings" #~ msgstr "_고급 설정 보기" #~ msgid "_Hidden Files" #~ msgstr "_숨김 파일" #~ msgid "Enter search terms and press ENTER" #~ msgstr "검색어를 입력하고 Enter를 누르세요" #~ msgid "Enter file extensions" #~ msgstr "파일 확장자 입력" #~ msgid "Updating database…" #~ msgstr "데이터 베이스 업데이트 중..." #~ msgid "User aborted authentication." #~ msgstr "사용자가 인증을 중단했습니다." #~ msgid "Catfish could not find the default file manager." #~ msgstr "기본 파일 관리자를 찾을 수 없습니다." #~ msgid "File Type" #~ msgstr "파일 형식" #~ msgid "Done." #~ msgstr "완료되었습니다." catfish-1.4.4/po/sk.po0000664000175000017500000004410713233061001016463 0ustar bluesabrebluesabre00000000000000# Slovak translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2016-07-18 07:30+0000\n" "Last-Translator: Dusan Kazik \n" "Language-Team: Slovak \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Vyhľadávač súborov Catfish" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Vyhľadávač súborov" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Vyhľadáva v súborovom systéme" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish je všestranný nájstroj na vyhľadávanie súborov." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Otvoriť" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Zobraziť v _Správcovi súborov" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Kopírovať umiestnenie" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Uložiť ako..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "O_dstrániť" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Prípony súborov" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Dokumenty" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Priečinky" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Obrázky" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Hudba" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Videá" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Aplikácie" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Iné" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Kedykoľvek" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Tento týždeň" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Vlastné" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Prejsť na dnešok" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Počiatočný dátum" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Koncový dátum" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Aktualizovať" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" "Databáza vyhľadávania je staršia ako 7 dní. Má sa teraz aktualizovať?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Typ súboru" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Zmenený" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Pre nájdenie vašich súborov zadajte požiadavku vyššie" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "alebo kliknite na ikonu " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " pre viac volieb." #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Výber priečinku" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Kompaktný zoznam" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Miniatúry" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Zobraziť _skryté súbory" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Vyhľadať v o_bsahu súborov" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Presná zhoda" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Zobraziť bočný _panel" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "_Aktualizovať index vyhľadávania..." #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_O programe" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Aktualizácia databázy vyhľadávania" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Odomknúť" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Databáza:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Aktualizovaná:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Aktualizácia databázy vyhľadávania" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Pre rýchlejšie výsledky vyhľadávania musí byť databáza vyhľadávania " "obnovená.\n" "Tento úkon vyžaduje práva správcu." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Použitie: %prog [voľby] cesta požiadavka" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "Zobrazí ladiace správy (voľba -vv ladí tiež knižnicu catfish_lib)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Použije veľké ikony" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Použije miniatúry" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Zobrazí čas vo formáte ISO" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Vykoná vyhľadanie presnej zhody" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Zahrnie skryté súbory" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Vykoná fulltextové vyhľadávanie" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" "Ak je poskytnutá cesta a požiadavka, začne vyhľadávanie po zobrazení " "aplikácie." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (neplatné kódovanie)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Neznáme" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Nikdy" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "Počas aktualizácie databázy sa vyskytla chyba." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Overenie zlyhalo." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Overenie totožnosti zrušené." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Databáza bola úspešne aktualizovaná." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Aktualizuje sa..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Zastaviť vyhľadávanie" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Prebieha vyhľadávanie...\n" "Vyhľadávanie zrušíte stlačením tlačidla zrušiť alebo klávesy Escape." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Spustí vyhľadávanie" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "Nepodarilo sa otvoriť „%s“." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "Nepodarilo sa uložiť „%s“." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "Nepodarilo sa odstrániť „%s“." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Uložiť „%s“ ako…" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Ste si istý, že chcete natrvalo \n" "odstrániť „%s“?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Ste si istý, že chcete natrvalo zmazať \n" "%i vybraných súborov?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Ak súbor vymažete, bude nenávratne stratený." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Názov súboru" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Veľkosť" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Umiestnenie" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Náhľad" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Podrobnosti" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Dnes" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Včera" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Žiadny súbor sa nenašiel." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Skúste menej špecifikovať vaše vyhľadávanie\n" "alebo skúste iný adresár." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "Našiel sa jeden súbor." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "%i súborov nájdených." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "bajtov" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Vyhľadáva sa…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Výsledky budú zobrazené okamžite, ako sa niečo nájde." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Vyhľadáva sa „%s“" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Výsledky vyhľadávania „%s“" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Požadovanie hesla" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Nesprávne heslo... Skúste to znovu." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Heslo:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Zrušiť" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "OK" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Zadajte vaše heslo na\n" "vykonanie úloh správcu." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "Aplikácia „%s“ vám umožní\n" "zmeniť základné časti systému." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Všestranný nástroj na vyhľadávanie súborov" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish je malý, rýchly a výkonný nástroj na vyhľadávanie súborov. Obsahuje " "minimalistické rozhranie s dôrazom na výsledok. Pomáha používateľom nájsť " "súbory, ktoré potrebujú, bez použitia správcu súborov. S výkonnými filtrami " "ako je dátum zmeny, typ súboru a obsah súboru už používatelia nie sú závislí " "na správcovi súborov alebo organizačných skúsenostiach." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" "Toto vydanie teraz zobrazuje všetky časové značky súborov podľa časovej zóny " "namiesto univerzálneho koordinovaného času (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" "Toto vydanie opravuje niekoľko chýb spojených s oknom výsledkov. Súbory sú " "ešte raz odstránené zo zoznamu výsledkov po ich odstránení. Bola obnovená " "funkčnosť kliknutia stredným a pravým tlačidlom myši. Filtre rozsahu dátumu " "sú teraz použité podľa časovej zóny namiesto univerzálneho koordinovaného " "času (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" "Toto vydanie opravuje dve nové chyby a zahŕňa aktualizované preklady." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "Toto vydanie opravuje pád programu pri spustení na niektorých systémoch." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" "Toto stabilné vydanie vylepšuje spoľahlivosť dialógového okna s heslom. Bol " "vyčistený nepoužívaný kód a opravené potencionálne chyby s výberom zoznamu a " "položky." #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" "Toto vydanie opravuje potencionálnu bezpečnostnú zraniteľnosť pri spúšťaní " "programu a tiež opravuje pád programu pri výbere viacerých položiek." #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" #~ msgid "Last modified" #~ msgstr "Naposledy zmenené" #~ msgid "Done." #~ msgstr "Hotovo." #~ msgid "Update Search Index" #~ msgstr "Aktualizovať index vyhľadávania" #~ msgid "Custom Time Range" #~ msgstr "Vlastný časový rozsah" #~ msgid "An error occurred while updating locatedb." #~ msgstr "Počas aktualizácie lokačnej databázy sa vyskytla chyba." #~ msgid "Clear search terms" #~ msgstr "Vyčistiť vyhľadávané výrazy" #~ msgid "Enter search terms and press ENTER" #~ msgstr "Zadajte hľadané výrazy a stlačte ENTER" #~ msgid "Locate database updated successfully." #~ msgstr "Lokačná databázá úspešne aktualizovaná." #~ msgid "File Type" #~ msgstr "Typ súboru" #~ msgid "Modified" #~ msgstr "Zmenené" #~ msgid "User aborted authentication." #~ msgstr "Používateľ zrušil overovanie" #~ msgid "Enter file extensions" #~ msgstr "Zadajte prípony súborov" #~ msgid "Update Search Index" #~ msgstr "Aktualizovať index vyhľadávania" #~ msgid "Updating database…" #~ msgstr "Aktualizuje sa databáza" #~ msgid "Custom File Type" #~ msgstr "Vlastný typ súboru" #~ msgid "_Fulltext Search" #~ msgstr "_Fulltext vyhľadávanie" #~ msgid "_Hidden Files" #~ msgstr "_Skryté súbory" #~ msgid "_Show Advanced Settings" #~ msgstr "_Zobraziť pokročilé nastavenia" #~ msgid "Select existing mimetype" #~ msgstr "Vybrať existujúci mime typ" #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "Pre dosiahnutie najlepších výsledkov, locate databázy musia byť " #~ "aktualizované.\n" #~ "To si vyžaduje sudo (admin) práva." #~ msgid "Catfish could not find the default file manager." #~ msgstr "Catfish nenašiel prednastaveného správcu súborov." #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "Catfish nenašiel prednastavenú aplikáciu." catfish-1.4.4/po/nl.po0000664000175000017500000004650413233061001016462 0ustar bluesabrebluesabre00000000000000# Dutch translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # Pjotr , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2017-08-11 08:18+0000\n" "Last-Translator: Pjotr12345 \n" "Language-Team: Dutch \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Catfish bestandenzoeker" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Bestanden zoeken" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Doorzoek het bestandssysteem" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish is een veelzijdig gereedschap voor het zoeken van bestanden." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Openen" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Toon in bestandbeheerder" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "Locatie kopiëren" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "Op_slaan als..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Verwijderen" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Bestandextensies" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Documenten" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Mappen" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Afbeeldingen" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Muziek" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Video's" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Toepassingen" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Overig" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Elk tijdstip" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Deze week" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Aangepast" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Ga naar vandaag" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Begindatum" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Einddatum" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Bijwerken" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "" "De gegevensbank met zoekgegevens is ouder dan zeven dagen. Nu bijwerken?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Bestandsoort" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Gewijzigd" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Voer uw zoekopdracht hierboven in om uw bestanden te vinden" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "of klik op het " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " pictogram voor meer opties." #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Kies een map" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Compacte lijst" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Miniaturen" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Ver_borgen bestanden tonen" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Inhoud van bestanden doorzoeken" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Exacte overeenkomst" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Toon zijbalk" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "Zoekindex bijwerken..." #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "Over" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Gegevensbank met zoekgegevens bijwerken" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Ontgrendelen" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Gegevensbank:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Bijgewerkt:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Gegevensbank met zoekgegevens bijwerken" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Voor snellere zoekresultaten dient u de gegevensbank met zoekgegevens te " "verversen.\n" "Deze ingreep vergt beheerdersbevoegdheid." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Gebruik: %prog [opties] pad zoekopdracht" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "" "Toon foutopsporingsmeldingen (-vv spoort ook fouten op in catfish_lib)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Grote pictogrammen gebruiken" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Miniaturen gebruiken" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Tijd weergeven in ISO-opmaak" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Alleen exacte overeenkomst weergeven" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Verborgen bestanden meenemen" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Volledige tekst doorzoeken" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" "Wanneer pad en zoekopdracht zijn aangeleverd: begin met zoeken wanneer de " "toepassing wordt getoond." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (ongeldige codering)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Onbekend" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Nooit" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "Er is een fout opgetreden bij het bijwerken van de gegevensbank." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Authenticatie is mislukt." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Authenticatie geannuleerd." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "De gegevensbank met zoekgegevens is met succes bijgewerkt." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Aan het bijwerken…" #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Staak zoektocht" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Doorzoeking is gaande...\n" "Druk op de knop Annuleren of op de Esc-toets om te stoppen." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Begin doorzoeking" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "‘%s’ kon niet geopend worden." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "'%s' kon niet opgeslagen worden." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "'%s' kon niet gewist worden." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "'%s' opslaan als..." #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Weet u zeker dat u '%s' \n" "blijvend wil verwijderen?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Weet u zeker dat u de %i gekozen \n" "bestanden blijvend wil verwijderen?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Als u een bestand verwijdert, is het voorgoed verloren." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Bestandnaam" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Grootte" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Locatie" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Voorbeeldweergave" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Bijzonderheden" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Vandaag" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Gisteren" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Geen bestanden gevonden." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Probeer uw zoekopdracht minder\n" "specifiek te maken of probeer\n" "een andere map." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "1 bestand gevonden." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "%i bestanden gevonden." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "bytes" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Aan het zoeken..." #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Resultaten zullen worden getoond zodra ze worden gevonden." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Aan het zoeken naar '%s'" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Zoekresultaten voor ‘%s’" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Wachtwoord vereist" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Onjuist wachtwoord.... Probeer het a.u.b. opnieuw." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Wachtwoord:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Annuleren" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "OK" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Voer uw wachtwoord in\n" "om beheerstaken uit te\n" "voeren." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "De toepassing '%s' laat u\n" "essentiële delen van uw\n" "systeem wijzigen." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Flexibel gereedschap voor het zoeken van bestanden" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish is een klein, snel, en krachtig hulpmiddel voor het (door)zoeken van " "bestanden. Met een minimale gebruikersschil die de nadruk legt op " "resultaten, helpt het gebruikers om de bestanden te vinden die ze nodig " "hebben, zonder een bestandbeheerder. Met krachtige filters zoals " "wijzigingsdatum, bestandtype en bestandinhoud, zijn gebruikers niet langer " "afhankelijk van de bestandbeheerder of van organisatorische vaardigheden." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" "Deze versie toont nu alle tijdstempels van bestanden overeenkomstig de " "tijdzone, in plaats van de Universal Coordinated Time (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" "Deze versie herstelt verschillende fouten die te maken hebben met het " "resultatenvenster. Bestanden worden wederom verwijderd uit de " "resultatenlijst na wissen. Middel- en rechtsklikfunctionaliteit is hersteld. " "Datumbereikfilters worden nu toegepast overeenkomstig de tijdzone in plaats " "van Universal Coordinated Time (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" "Deze versie bevat een belangrijke vernieuwing van de gebruikersschil, " "verbetert de zoeksnelheid, en herstelt verschillende fouten. Het " "werkingsproces is verbeterd, met gebruikmaking van enkele van de nieuwste " "functies van de GTK+ gereedschapskist, inclusief optionele kopbalken en " "opduikvensters. Wachtwoordafhandeling is verbeterd met de integratie van " "PolicyKit (indien die beschikbaar is)." #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" "Deze uitgave bevat reparaties voor twee fouten en bijgewerkte vertalingen." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "Deze versie bevat een reparatie voor een regressiefout waardoor deze " "toepassing op sommige systemen niet kon starten." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" "Deze uitgave herstelt een regressiefout waardoor meerdere zoektermen niet " "langer werden ondersteund. Er wordt nu een InfoBalk getoond wanneer de " "gegevensbank met zoekgegevens verouderd is, en de dialoogschermpjes die " "worden gebruikt om de gegevensbank bij te werken, zijn verbeterd." #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" "Deze uitgave herstelt twee fouten waardoor 'locate' niet juist uitgevoerd " "werd en verbetert de omgang met ontbrekende symbolische pictogrammen." #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" "Deze stabiele uitgave heeft de betrouwbaarheid van het dialoogscherm voor " "het wachtwoord verbeterd, ongebruikte code opgeruimd, en mogelijke problemen " "met de selectie van lijst en element verholpen." #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" "Deze uitgave heeft een mogelijk veiligheidsprobleem hersteld inzake " "programma-opstart en heeft een regressiefout hersteld betreffende het " "selecteren van meerdere elementen." #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" "De eerste uitgave in de 1.0.x-reeks introduceerde een opgefriste " "gebruikersschil en herstelde een aantal oude fouten. Verbeteringen inzake de " "standaardrechten elimineerde een aantal waarschuwingen bij het verpakken " "voor distributies. Toegankelijkheid werd vergroot doordat alle tekenreeksen " "vertaalbaar zijn gemaakt en doordat versnellingstoetsen voor het toetsenbord " "zijn verbeterd." #~ msgid "Last modified" #~ msgstr "Laatst bewerkt" #~ msgid "Update Search Index" #~ msgstr "Werk de zoekindex bij" #~ msgid "Custom Time Range" #~ msgstr "Aangepast tijdsbestek" #~ msgid "Done." #~ msgstr "Gereed." #~ msgid "An error occurred while updating locatedb." #~ msgstr "Er trad een fout op bij het bijwerken van locatedb." #~ msgid "Clear search terms" #~ msgstr "Zoektermen wissen" #~ msgid "Enter search terms and press ENTER" #~ msgstr "Voer zoektermen in en druk op ENTER" #~ msgid "Modified" #~ msgstr "Aangepast" #~ msgid "File Type" #~ msgstr "Bestandtype" #~ msgid "Custom File Type" #~ msgstr "Aangepast bestandtype" #~ msgid "Enter file extensions" #~ msgstr "Voer bestandextensies in" #~ msgid "Select existing mimetype" #~ msgstr "Kies bestaand mimetype" #~ msgid "Update Search Index" #~ msgstr "Werk zoekindex bij" #~ msgid "Updating database…" #~ msgstr "Bezig met bijwerken van gegevensbank..." #~ msgid "User aborted authentication." #~ msgstr "Gebruiker brak authenticatie af." #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "" #~ "Catfish kon de standaardtoepassing niet vinden om het bestand te openen." #~ msgid "_Hidden Files" #~ msgstr "_Verborgen bestanden" #~ msgid "_Show Advanced Settings" #~ msgstr "Toon de _geavanceerde instellingen" #~ msgid "_Fulltext Search" #~ msgstr "Volledige _tekst doorzoeken" #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "Om accurate resultaten te geven, moet de gegevensbank van locate " #~ "worden ververst.\n" #~ "Dit vereist sudo-rechten (beheerder)." #~ msgid "Catfish could not find the default file manager." #~ msgstr "Catfish kon de standaard-bestandbeheerder niet vinden." #~ msgid "Locate database updated successfully." #~ msgstr "Gegevensbank van Locate is met succes bijgewerkt." catfish-1.4.4/po/uk.po0000664000175000017500000005101313233061001016457 0ustar bluesabrebluesabre00000000000000# Ukrainian translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2017-01-27 09:10+0000\n" "Last-Translator: Max \n" "Language-Team: Ukrainian \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Пошук файлів за допомогою Catfish" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Пошук файлів" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Пошук у файловій системі" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish - універсальний інструмент для пошуку файлів" #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Відкрити" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Показати у _файловому менеджері" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Копіювати адресу" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Зберегти як..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Вилучити" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Розширення файлів" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Документи" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Теки" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Зображення" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Музика" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Відео" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Додатки" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Інше" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Будь-коли" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Цей тиждень" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Власний" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Перейти до сьогодні" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Дата початку" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Дата завершення" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Оновити" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "Пошукова база старша за 7 днів. Оновити?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Тип файлу" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Змінено" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Введіть запит вище, щоб знайти файли" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "або клацніть " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " значок додаткових опцій" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Виберіть каталог" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Список" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Мініатюри" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Показати _приховані файли" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Шукати по _змісту файла" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Точний збіг" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Показувати _бічну панель" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "_Оновити пошуковий індекс..." #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_Про програму" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Оновити пошукову базу" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Розблокувати" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "База даних:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Оновлено:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Оновлення пошукової бази" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Для отримання більш швидких результатів пошуку, пошукова база повинна бути " "оновлена.\n" "Ця дія вимагає прав адміністратора." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Використання: %prog [опції] шлях запиту" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "" "Показати повідомлення налагодження (-vv налагоджує catfish_lib також)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Використовувати великі іконки" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Використовувати ескізи" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Відображення часу в форматі ISO" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Точний збіг" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Включати приховані файли" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Виконати повнотекстовий пошук" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "Якщо шлях і запит надано, почати пошук при відкритті додатку." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (неприпустиме кодування)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Невідомо" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Ніколи" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "При оновленні бази даних сталася помилка." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Помилка аутентифікації." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Аутентифікація скасована." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Пошукова база вдало оновлена" #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Оновлення…" #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Зупинити пошук" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Пошук...\n" "Натисніть кнопку скасування або клавішу Escape, щоб зупинити." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Почати пошук" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "\"%s\" не може бути відкритий." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "\"%s\" не може бути збережений." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "\"%s\" не може бути видалений." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Зберегти \"%s\" як…" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Ви впевнені, що бажаєте \n" "назавжди видалити \"%s\"?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Ви впевнені, що бажаєте \n" "назавжди видалити %i обраних файли?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Якщо ви видалите файл, він буде остаточно втрачений." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Ім'я файлу" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Розмір" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Розташування" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Попередній перегляд" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Деталі" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Сьогодні" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Вчора" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Файли не знайдені." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Спробуйте задати менш конкретний запит\n" "або інший каталог." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "1 файл знайдено" #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "%i файлів знайдено" #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "байти" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Пошук…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Результати відображатимуться коли будуть отримані." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Пошук «%s»" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Результат пошуку для «%s»" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Потрібно пароль" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Неправильний пароль ... спробуйте ще раз." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Пароль:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Скасувати" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "OK" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Введіть пароль для виконання\n" "адміністративних завдань." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "Додаток '%s' дозволяє вам\n" "змінювати істотні частини вашої системи." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Гнучкий інструмент пошуку файлів" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish це невелика, швидка і потужна програма пошуку файлів. " "Мінімалістичний інтерфейс, заточений на результат, допомагає користувачам " "знаходити потрібні файли. З такими потужними фільтрами, як: дата зміни, тип " "і вміст файлу користувач більш не залежить від файлового менеджера і " "організаційних навичок." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" "Цей реліз тепер відображає всі файлові мітки часу відповідно до часового " "поясу замість \"універсального координованого часу\" (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" "Цей реліз виправляє ряд помилок, пов'язаних з вікном результатів. Файли " "знову вилучаються зі списку результатів при видаленні. Відновлено функціонал " "середньої та правої клавіші миші . Діапазон дат фільтри в даний час " "застосовується в залежності від часового поясу замість \"універсального " "координованого часу\" (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" "Цей реліз включає в себе значне оновлення інтерфейсу, покращує швидкість " "пошуку, і виправляє ряд помилок. Робочий процес був поліпшений, " "використовуючи деякі з останніх особливостей GTK + набір інструментів, " "включаючи додаткові headerbars і popover віджетів. Обробка пароля була " "покращена з інтеграцією PolicyKit при їх наявності." #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" "Цей реліз виправляє дві нові помилки і включає в себе оновлені переклади." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "Цей реліз виправляє неможливість запуску програми на деяких системах." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" "Цей реліз виправляє помилки, коли не підтримувався мультипошук термінів. На " "інформаційній панелі тепер відображається, коли база даних пошуку застаріла, " "і діалоги, які використовуються для оновлення бази даних були покращені." #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" "Цей реліз виправляє дві проблеми, де місцезнаходження не будуть належним " "чином оформленої і покращує обробку відсутніх значків символів." #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" "Це стабільний реліз підвищує надійність діалогу пароля, очищено " "невикористаний код, і полагоджені потенційні проблеми зі списком і вибору " "елементів." #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" "Цей реліз полагодив потенційну проблему безпеки з запуску програми і " "виправлена регресія з можливістю вибору декількох елементів." #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" "Перший випуск в серії 1.0.x представлено оновлений інтерфейс і виправлений " "ряд застарілих помилок. Покращення дозволу за замовчуванням, усунені ряд " "попереджень при пакуванні для розподілів. Доступність була збільшена, всі " "рядки були зроблені перекладним і скорочені клавіші були покращені." #~ msgid "Last modified" #~ msgstr "Дата зміни" #~ msgid "Update Search Index" #~ msgstr "Поновити пошуковий індекс" #~ msgid "Custom Time Range" #~ msgstr "Інший часовий проміжок" #~ msgid "Done." #~ msgstr "Завершено." #~ msgid "An error occurred while updating locatedb." #~ msgstr "Сталася помилка при оновленні locatedb." #~ msgid "Locate database updated successfully." #~ msgstr "Базу даних locate оновлено успішно." catfish-1.4.4/po/ca.po0000664000175000017500000004605313233061001016433 0ustar bluesabrebluesabre00000000000000# Catalan translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2017-05-16 21:08+0000\n" "Last-Translator: toniem \n" "Language-Team: Catalan \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" "Language: ca\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Cerca de fitxers Catfish" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Cerca de fitxers" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Cerca en el sistema de fitxers" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Catfish és una eina versàtil per cercar fitxers." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Obre" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Mostra en el gestor de _fitxers" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Copia la ubicació" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Anomena i desa…" #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Suprimeix" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Extensions de fitxer" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png i txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Documents" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Carpetes" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Imatges" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Música" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Vídeos" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Aplicacions" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Altres" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Qualsevol moment" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Aquesta setmana" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Personalitza" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Vés a la data d'avui" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Data inicial" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Data final" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Catfish" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Actualitza" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "L'índex de cerca té més de 7 dies. Voleu actualitzar-lo ara?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Tipus de fitxer" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Data de modificació" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Introduïu a dalt la vostra consulta per cercar fitxers" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "o feu clic a la icona " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " per a més opcions." #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Selecciona una carpeta" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Llista compacta" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Miniatures" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Mostra els fitxers _ocults" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Cerca en el _contingut dels fitxers" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "Coincidència _exacta" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Mostra la barra _lateral" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "_Actualitza l'índex de cerca…" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_Quant a" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Actualitza la base de dades de cerca" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Desbloqueja" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Índex de cerca:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Actualització:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Índex de cerca" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Per obtenir resultats més ràpid, cal actualitzar l'índex de cerca.\n" "Aquesta acció requereix permisos d'administrador." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Ús: %prog [opcions] camí consulta" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "Mostra els missatges de depuració (-vv depura també catfish_lib)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Utilitza icones grans" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Utilitza miniatures" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Mostra l'hora en format ISO" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Busca una coincidència exacta" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Inclou els fitxers ocults" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Cerca el text complet" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" "Si es proporcionen el camí i la consulta, la cerca comença quan es mostra " "l'aplicació." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (codif. no vàlida)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Desconeguda" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Mai" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "S'ha produït un error en actualitzar l'índex de cerca." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Ha fallat l'autenticació." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "S'ha cancel·lat l'autenticació." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "L'índex de cerca s'ha actualitzat correctament." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "S'està actualitzant..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Atura la cerca" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Cerca en curs...\n" "Premeu el botó de cancel·lació o la tecla Esc per aturar." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Comença la cerca" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "No s'ha pogut obrir «%s»." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "No s'ha pogut desar «%s»." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "No s'ha pogut suprimir «%s»." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Anomena i desa «%s»…" #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Segur que voleu suprimir \n" "permanentment «%s»?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Segur que voleu suprimir \n" "permanentment els %i fitxers seleccionats?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Si suprimiu un fitxer, es perdrà permanentment." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Nom" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Mida" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Ubicació" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Vista prèvia" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Detalls" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Avui" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Ahir" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "No s'ha trobat cap fitxer." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Proveu en fer la vostra cerca menys específica\n" "o proveu amb un altre directori." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "S'ha trobat un fitxer." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "S'han trobat %i fitxers." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "bytes" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "S'està cercant…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Els resultats es mostraran tan aviat com es trobin." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "S'està cercant «%s»" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Resultats de la cerca «%s»" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Es requereix una contrasenya" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Contrasenya incorrecta... Torneu a intentar-ho." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Contrasenya:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Cancel·la" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "D'acord" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Introduïu la contrasenya per\n" "realitzar tasques administratives." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "L'aplicació «%s» us permet\n" "modificar parts essencials del sistema." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Eina versàtil de cerca de fitxers" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Catfish és una utilitat de cerca de fitxers petita, ràpida i potent. Amb una " "interfície mínima que destaca els resultats, ajuda els usuaris a trobar els " "fitxers que necessiten sense un gestor de fitxers. Amb filtres potents, com " "ara el de data de modificació, el de tipus de fitxer i el de contingut dels " "fitxers, els usuaris ja no depenen del gestor de fitxers ni de les seves " "habilitats d'organització." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" "Aquesta versió mostra ara totes les marques de temps dels fitxers d'acord " "amb la zona horària en lloc de amb el temps universal coordinat (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" "Aquesta versió corregeix diversos errors relacionats amb la finestra de " "resultats. Els fitxers s'eliminen de la llista de resultats quan se " "suprimeixen. S'ha restaurat la funcionalitat del botó central i del botó " "dret del ratolí. El filtre de data de modificació s'aplica ara d'acord amb " "la zona horària en lloc de amb el temps universal coordinat (UTC)." #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" "Aquesta versió inclou una actualització significativa de la interfície, " "millora la velocitat de cerca i corregeix diversos errors. El flux de " "treball s'ha millorat mitjançant l'ús d'algunes de les últimes " "característiques del conjunt d'eines GTK+, incloent les barres de capçalera " "opcionals i els elements gràfics emergents. La gestió de contrasenyes s'ha " "millorat amb la integració de PolicyKit quan estigui disponible." #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "" "Aquesta versió corregeix dos errors nous i inclou traduccions actualitzades." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "Aquesta versió corregeix una regressió que impedia que l'aplicació s'iniciés " "en alguns sistemes." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" "Aquesta versió corregeix una regressió que impedia especificar diversos " "termes de cerca. Ara es mostra una barra d'informació quan l'índex de cerca " "està obsolet i s'han millorat els diàlegs per actualitzar-lo." #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" "Aquesta versió corregeix dos problemes que impedien executar l'ordre locate " "correctament i millora la gestió de la manca d'icones simbòlics." #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" "Aquest llançament estable millora la fiabilitat del diàleg de les " "contrasenyes, neteja el codi sense ús i corregeix incidències potencials amb " "la llista i la selecció d'elements." #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" "Aquesta actualització soluciona un possible problema de seguretat amb " "l'inici del programa i corregeix una regressió en seleccionar múltiples " "elements." #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" "La primera versió de la sèrie 1.0.x introdueix una interfície renovada i " "corregeix una sèrie d'errors antics. Les millores en els permisos " "predeterminats han eliminat una sèrie d'advertències en empaquetar per a les " "distribucions. L'accessibilitat s'ha millorat, ja que totes les cadenes " "s'han fet traduïbles, i s'han millorat les tecles acceleradores." #~ msgid "_Fulltext Search" #~ msgstr "Cerca de tot el _text" #~ msgid "_Hidden Files" #~ msgstr "Fitxers _ocults" #~ msgid "_Show Advanced Settings" #~ msgstr "_Mostra paràmetres avançats" #~ msgid "Enter search terms and press ENTER" #~ msgstr "Introduïu termes de cerca i premeu Retorn" #~ msgid "File Type" #~ msgstr "Tipus de fitxer" #~ msgid "Last modified" #~ msgstr "Darrera modificació" #~ msgid "Clear search terms" #~ msgstr "Neteja els termes de cerca" #~ msgid "Catfish could not find the default file manager." #~ msgstr "Catfish no ha pogut trobar el gestor de fitxers predeterminat." #~ msgid "Modified" #~ msgstr "Modificat" #~ msgid "Done." #~ msgstr "Fet" #~ msgid "An error occurred while updating locatedb." #~ msgstr "S’ha produït un error en actualitzar locatedb." #~ msgid "User aborted authentication." #~ msgstr "L’usuari ha interromput l’autenticació." #~ msgid "Custom Time Range" #~ msgstr "Altre interval de temps" #~ msgid "Update Search Index" #~ msgstr "Actualitza l’índex de la cerca" #~ msgid "Update Search Index" #~ msgstr "Actualitza l’índex de la cerca" #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "Per proporcionar dades precises, heu d’actualitzar la base de dades del " #~ "locate.\n" #~ "Aquesta acció necessita privilegis administratius (sudo)." #~ msgid "Updating database…" #~ msgstr "S’està actualitzant la base de dades…" #~ msgid "Custom File Type" #~ msgstr "Tipus de fitxer personalitzat" #~ msgid "Select existing mimetype" #~ msgstr "Trieu un tipus MIME existent" #~ msgid "Enter file extensions" #~ msgstr "Introduïu extensions de fitxer" catfish-1.4.4/po/sr.po0000664000175000017500000005562313233061001016477 0ustar bluesabrebluesabre00000000000000# Serbian translation for catfish-search # Copyright (c) 2013 Rosetta Contributors and Canonical Ltd 2013 # This file is distributed under the same license as the catfish-search package. # FIRST AUTHOR , 2013. # Саша Петровић , 2014, 2015, 2017. # msgid "" msgstr "" "Project-Id-Version: catfish-search\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2018-01-26 06:11+0000\n" "PO-Revision-Date: 2017-04-30 22:15+0000\n" "Last-Translator: Саша Петровић \n" "Language-Team: српски \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Launchpad-Export-Date: 2018-01-27 05:28+0000\n" "X-Generator: Launchpad (build 18534)\n" "Language: sr\n" #: ../catfish.desktop.in.h:1 ../data/ui/CatfishWindow.ui.h:28 #: ../catfish/CatfishWindow.py:642 msgid "Catfish File Search" msgstr "Претрага датотека Сом (Catfish)" #: ../catfish.desktop.in.h:2 msgid "File search" msgstr "Претрага датотека" #: ../catfish.desktop.in.h:3 msgid "Search the file system" msgstr "Претрага склопа датотека" #: ../data/ui/AboutCatfishDialog.ui.h:1 msgid "Catfish is a versatile file searching tool." msgstr "Сом је свестрани прибор за претрагу датотека." #: ../data/ui/CatfishWindow.ui.h:1 msgid "_Open" msgstr "_Отвори" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:3 msgid "Show in _File Manager" msgstr "Прикажи у _управнику датотека" #. This menu contains the menu items: _Open, Show in _File Manager, _Copy Location, Save _As, _Delete #: ../data/ui/CatfishWindow.ui.h:5 msgid "_Copy Location" msgstr "_Умножи путању" #: ../data/ui/CatfishWindow.ui.h:6 msgid "_Save as..." msgstr "_Сачувај као..." #: ../data/ui/CatfishWindow.ui.h:7 msgid "_Delete" msgstr "_Обриши" #: ../data/ui/CatfishWindow.ui.h:8 msgid "File Extensions" msgstr "Наставци датотека" #: ../data/ui/CatfishWindow.ui.h:9 msgid "odt, png, txt" msgstr "odt, png, txt" #: ../data/ui/CatfishWindow.ui.h:10 msgid "Documents" msgstr "Документи" #: ../data/ui/CatfishWindow.ui.h:11 msgid "Folders" msgstr "Омоти" #: ../data/ui/CatfishWindow.ui.h:12 msgid "Images" msgstr "Слике" #: ../data/ui/CatfishWindow.ui.h:13 msgid "Music" msgstr "Музика" #: ../data/ui/CatfishWindow.ui.h:14 msgid "Videos" msgstr "Видео" #: ../data/ui/CatfishWindow.ui.h:15 msgid "Applications" msgstr "Програми" #: ../data/ui/CatfishWindow.ui.h:16 msgid "Other" msgstr "Друго" #: ../data/ui/CatfishWindow.ui.h:17 msgid "Any time" msgstr "Било када" #: ../data/ui/CatfishWindow.ui.h:18 msgid "This week" msgstr "Ове седмице" #: ../data/ui/CatfishWindow.ui.h:19 msgid "Custom" msgstr "Прилагођено" #: ../data/ui/CatfishWindow.ui.h:20 msgid "Go to Today" msgstr "Иди на данашњи дан" #: ../data/ui/CatfishWindow.ui.h:21 msgid "Start Date" msgstr "Почетни дан" #: ../data/ui/CatfishWindow.ui.h:22 msgid "End Date" msgstr "Завршни дан" #: ../data/ui/CatfishWindow.ui.h:23 ../catfish_lib/Window.py:216 #: ../data/appdata/catfish.appdata.xml.in.h:1 msgid "Catfish" msgstr "Сом" #: ../data/ui/CatfishWindow.ui.h:24 msgid "Update" msgstr "Освежи" #: ../data/ui/CatfishWindow.ui.h:25 msgid "The search database is more than 7 days old. Update now?" msgstr "Складиште података претраге је старије од 7 дана. Освежити га сада?" #: ../data/ui/CatfishWindow.ui.h:26 msgid "File Type" msgstr "Врста датотеке" #: ../data/ui/CatfishWindow.ui.h:27 ../catfish/CatfishWindow.py:1103 msgid "Modified" msgstr "Измењено" #: ../data/ui/CatfishWindow.ui.h:29 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "Enter your query above to find your files" msgstr "Унесите упит изнад ради претраге датотека" #: ../data/ui/CatfishWindow.ui.h:30 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid "or click the " msgstr "на клик " #: ../data/ui/CatfishWindow.ui.h:31 msgctxt "" "Full text: Enter your query above to find your files or click the [icon] " "icon for more options." msgid " icon for more options." msgstr " сличица за више могућности" #: ../data/ui/CatfishWindow.ui.h:32 msgid "Select a Directory" msgstr "Изаберите омот" #: ../data/ui/CatfishWindow.ui.h:33 msgid "Compact List" msgstr "Збијени списак" #: ../data/ui/CatfishWindow.ui.h:34 msgid "Thumbnails" msgstr "Умањене сличице" #: ../data/ui/CatfishWindow.ui.h:35 msgid "Show _Hidden Files" msgstr "Прикажи _скривене датотеке" #: ../data/ui/CatfishWindow.ui.h:36 msgid "Search File _Contents" msgstr "Тражи садржај датотека" #: ../data/ui/CatfishWindow.ui.h:37 msgid "_Exact Match" msgstr "_Потпуно поклапање" #: ../data/ui/CatfishWindow.ui.h:38 msgid "Show _Sidebar" msgstr "Приказуј бочну _површ" #: ../data/ui/CatfishWindow.ui.h:39 msgid "_Update Search Index…" msgstr "_Освежи списак датотека претраге…" #: ../data/ui/CatfishWindow.ui.h:40 msgid "_About" msgstr "_О програму" #: ../data/ui/CatfishWindow.ui.h:41 msgid "Update Search Database" msgstr "Освежи складиште података претраге" #: ../data/ui/CatfishWindow.ui.h:42 msgid "Unlock" msgstr "Откључај" #: ../data/ui/CatfishWindow.ui.h:43 msgid "Database:" msgstr "Складиште података:" #: ../data/ui/CatfishWindow.ui.h:44 msgid "Updated:" msgstr "Освежено:" #: ../data/ui/CatfishWindow.ui.h:45 msgid "Update Search Database" msgstr "Освежи складиште података претраге" #: ../data/ui/CatfishWindow.ui.h:46 msgid "" "For faster search results, the search database needs to be refreshed.\n" "This action requires administrative rights." msgstr "" "Потребно је освежити складиште података претраге ради брже претраге.\n" "Ова радња захтева корена овлашћења." #: ../catfish/__init__.py:34 msgid "Usage: %prog [options] path query" msgstr "Употреба: %prog [могућности] путања упита" #: ../catfish/__init__.py:39 msgid "Show debug messages (-vv debugs catfish_lib also)" msgstr "Приказуј поруке праћења грешака (такође и -vv debugs catfish_lib)" #: ../catfish/__init__.py:42 msgid "Use large icons" msgstr "Користи велике сличице" #: ../catfish/__init__.py:44 msgid "Use thumbnails" msgstr "Користи умањене сличице" #: ../catfish/__init__.py:46 msgid "Display time in ISO format" msgstr "Приказуј време у облику ИСО" #: ../catfish/__init__.py:50 msgid "Perform exact match" msgstr "Изведи потпуно слагање" #: ../catfish/__init__.py:52 msgid "Include hidden files" msgstr "Укључи скривене датотеке" #: ../catfish/__init__.py:54 msgid "Perform fulltext search" msgstr "Изведи потпуну претрагу писма" #: ../catfish/__init__.py:56 msgid "" "If path and query are provided, start searching when the application is " "displayed." msgstr "" "Ако су путања и упит достављени, покрени претрагу пошто се прикаже програм." #. Translators: this text is displayed next to #. a filename that is not utf-8 encoded. #: ../catfish/CatfishWindow.py:83 #, python-format msgid "%s (invalid encoding)" msgstr "%s (неисправно шифровање знакова)" #: ../catfish/CatfishWindow.py:249 msgid "Unknown" msgstr "Непознато" #: ../catfish/CatfishWindow.py:253 msgid "Never" msgstr "Никад" #: ../catfish/CatfishWindow.py:610 msgid "An error occurred while updating the database." msgstr "Десила се грешка приликом освежавања складишта података." #: ../catfish/CatfishWindow.py:612 msgid "Authentication failed." msgstr "Потврда овлашћења није успела." #: ../catfish/CatfishWindow.py:618 msgid "Authentication cancelled." msgstr "Потврда овлашћења је отказана." #: ../catfish/CatfishWindow.py:624 msgid "Search database updated successfully." msgstr "Складиште претраге је успешно освежено." #. Set the dialog status to running. #: ../catfish/CatfishWindow.py:699 msgid "Updating..." msgstr "Освежавам..." #: ../catfish/CatfishWindow.py:733 msgid "Stop Search" msgstr "Заустави претрагу" #: ../catfish/CatfishWindow.py:734 msgid "" "Search is in progress...\n" "Press the cancel button or the Escape key to stop." msgstr "" "Претрага је у току...\n" "Притисните дугме откажи или излаз за заустављање." #: ../catfish/CatfishWindow.py:743 msgid "Begin Search" msgstr "Почни претрагу" #: ../catfish/CatfishWindow.py:929 #, python-format msgid "\"%s\" could not be opened." msgstr "Нисам успео да отворим „%s“." #: ../catfish/CatfishWindow.py:975 #, python-format msgid "\"%s\" could not be saved." msgstr "Нисам успео да сачувам „%s“." #: ../catfish/CatfishWindow.py:992 #, python-format msgid "\"%s\" could not be deleted." msgstr "Нисам успео да избришем „%s“." #: ../catfish/CatfishWindow.py:1032 #, python-format msgid "Save \"%s\" as…" msgstr "Сачувај „%s“ као..." #: ../catfish/CatfishWindow.py:1067 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete \"%s\"?" msgstr "" "Да ли сте сигурни да желите да \n" "трајно избришете „%s“?" #: ../catfish/CatfishWindow.py:1071 #, python-format msgid "" "Are you sure that you want to \n" "permanently delete the %i selected files?" msgstr "" "Да ли сте сигурни да желите да \n" "трајно избришете %i означених датотека?" #: ../catfish/CatfishWindow.py:1074 msgid "If you delete a file, it is permanently lost." msgstr "Ако избришете датотеку, биће трајно изгубљена." #: ../catfish/CatfishWindow.py:1097 msgid "Filename" msgstr "Назив датотеке" #: ../catfish/CatfishWindow.py:1099 msgid "Size" msgstr "Величина" #: ../catfish/CatfishWindow.py:1101 msgid "Location" msgstr "Место" #: ../catfish/CatfishWindow.py:1113 msgid "Preview" msgstr "Преглед" #: ../catfish/CatfishWindow.py:1121 msgid "Details" msgstr "Појединости" #: ../catfish/CatfishWindow.py:1340 msgid "Today" msgstr "Данас" #: ../catfish/CatfishWindow.py:1342 msgid "Yesterday" msgstr "Јуче" #: ../catfish/CatfishWindow.py:1423 msgid "No files found." msgstr "Нисам пронашао ни једну датотеку." #: ../catfish/CatfishWindow.py:1425 msgid "" "Try making your search less specific\n" "or try another directory." msgstr "" "Покушајте са мање одређеним упитима\n" "или тражите у другом омоту." #: ../catfish/CatfishWindow.py:1431 msgid "1 file found." msgstr "1 датотека је пронађена." #: ../catfish/CatfishWindow.py:1433 #, python-format msgid "%i files found." msgstr "Нашао сам %i датотека." #: ../catfish/CatfishWindow.py:1439 msgid "bytes" msgstr "бајта" #: ../catfish/CatfishWindow.py:1585 ../catfish/CatfishWindow.py:1594 msgid "Searching…" msgstr "Тражим…" #: ../catfish/CatfishWindow.py:1587 msgid "Results will be displayed as soon as they are found." msgstr "Налази ће се приказивати чим буду пронађени." #: ../catfish/CatfishWindow.py:1592 #, python-format msgid "Searching for \"%s\"" msgstr "Тражим „%s“" #: ../catfish/CatfishWindow.py:1681 #, python-format msgid "Search results for \"%s\"" msgstr "Налаз претраге за „%s“" #: ../catfish_lib/SudoDialog.py:138 msgid "Password Required" msgstr "Потребна је лозинка" #: ../catfish_lib/SudoDialog.py:175 msgid "Incorrect password... try again." msgstr "Лозинка је нетачна... Покушајте поново." #: ../catfish_lib/SudoDialog.py:185 msgid "Password:" msgstr "Лозинка:" #. Buttons #: ../catfish_lib/SudoDialog.py:196 msgid "Cancel" msgstr "Откажи" #: ../catfish_lib/SudoDialog.py:199 msgid "OK" msgstr "У реду" #: ../catfish_lib/SudoDialog.py:220 msgid "" "Enter your password to\n" "perform administrative tasks." msgstr "" "Унесите своју лозинку ради\n" "обављања управљачких задатака." #: ../catfish_lib/SudoDialog.py:222 #, python-format msgid "" "The application '%s' lets you\n" "modify essential parts of your system." msgstr "" "Програм „%s“ омогућава\n" "измену кључних делова склопа." #: ../data/appdata/catfish.appdata.xml.in.h:2 msgid "Versatile file searching tool" msgstr "Свестрани прибор за претрагу датотека" #: ../data/appdata/catfish.appdata.xml.in.h:3 msgid "" "Catfish is a small, fast, and powerful file search utility. Featuring a " "minimal interface with an emphasis on results, it helps users find the files " "they need without a file manager. With powerful filters such as modification " "date, file type, and file contents, users will no longer be dependent on the " "file manager or organization skills." msgstr "" "Сом је мали, брз и моћан прибор за претрагу датотека. Будући да има мало " "сучеље са нагласком на налазе претраге, помаже корисницима да пронађу " "датотеке без помоћи управника датотека. Са његовим моћним условима као што " "су време измене, врста датотека и садржај датотека, корисници неће више " "зависити од уређивачких вештина управника датотека." #: ../data/appdata/catfish.appdata.xml.in.h:4 msgid "" "This release now displays all file timestamps according to timezone instead " "of Universal Coordinated Time (UTC)." msgstr "" "Ово издање приказује све временске ознаке датотека по временској области " "уместо општег времена (УТЦ)." #: ../data/appdata/catfish.appdata.xml.in.h:5 msgid "" "This release fixes several bugs related to the results window. Files are " "once again removed from the results list when deleted. Middle- and right-" "click functionality has been restored. Date range filters are now applied " "according to timezone instead of Universal Coordinated Time (UTC)." msgstr "" "Ово издање решава неколико буба у вези прозора налаза. Датотеке се поново " "уклањају из списка налаза по брисању. Радње средњег и десног клика су " "повраћене. Опсези временских услова се сада примењују према временској " "области уместо општег времена (УТЦ)." #: ../data/appdata/catfish.appdata.xml.in.h:6 msgid "" "This release includes a significant interface refresh, improves search " "speed, and fixes several bugs. The workflow has been improved, utilizing " "some of the latest features of the GTK+ toolkit, including optional " "headerbars and popover widgets. Password handling has been improved with the " "integration of PolicyKit when available." msgstr "" "Ово издање доноси значајно освежење изгледа сучеља, побољшање брзине " "претраге и отклон неколико буба. Ток рада је побољшан и користи неке " "најновије могућности прибора ГТК+-а, укључујући могућности заглавља и " "искачућих справица. Управљање лозинком је побољшано уз усклађивање са " "прибором лозинки када је доступан." #: ../data/appdata/catfish.appdata.xml.in.h:7 msgid "This release fixes two new bugs and includes updated translations." msgstr "Ово издање решава две нове бубе и укључује у себи освежене преводе." #: ../data/appdata/catfish.appdata.xml.in.h:8 msgid "" "This release fixes a regression where the application is unable to start on " "some systems." msgstr "" "Ово издање решава губитак старих могућности, где програм није могао да се " "покрене на неким склоповима." #: ../data/appdata/catfish.appdata.xml.in.h:9 msgid "" "This release fixes a regression where multiple search terms were no longer " "supported. An InfoBar is now displayed when the search database is outdated, " "and the dialogs used to update the database have been improved." msgstr "" "Ово издање решава губитак старих могућности вишеструких услова претраге. " "Трака обавештења се сада приказује када складиште података застари, а прозор " "који се користи за освежавање складишта података је побољшан." #: ../data/appdata/catfish.appdata.xml.in.h:10 msgid "" "This release fixes two issues where locate would not be properly executed " "and improves handling of missing symbolic icons." msgstr "" "Ово издање исправља две појаве у којима се locate не извршава како треба, и " "побољшава баратање недостајућим знаковним сличицама." #: ../data/appdata/catfish.appdata.xml.in.h:11 msgid "" "This stable release improved the reliability of the password dialog, cleaned " "up unused code, and fixed potential issues with the list and item selection." msgstr "" "У овом стабилном издању је побољшана поузданост прозорчета лозинке, очишћен " "вишак кода, и исправљене могуће потешкоће са списком и избором ставки." #: ../data/appdata/catfish.appdata.xml.in.h:12 msgid "" "This release fixed a potential security issue with program startup and fixed " "a regression with selecting multiple items." msgstr "" "У овом издању су исправљене могући безбедносни пропусти са самопокретањем " "програма и губитак старих могућности избора више ставки." #: ../data/appdata/catfish.appdata.xml.in.h:13 msgid "" "The first release in the 1.0.x series introduced a refreshed interface and " "fixed a number of long-standing bugs. Improvements to the default " "permissions eliminated a number of warnings when packaging for " "distributions. Accessibility was enhanced as all strings have been made " "translatable and keyboard accelerators have been improved." msgstr "" "У овом издању низа 1.0.x је представљено ново сучеље и исправљен одређени " "број упорних старих грешака. Побољшано је управљање подразумеваним " "овлашћењима које је отклонило појаву упозорења при прављењу дистрибуција. " "Приступачност је побољшана, свим нискама је омогућен превод и пречице " "дугмади су побољшане." #~ msgid "Last modified" #~ msgstr "Последња измена" #~ msgid "Done." #~ msgstr "Урађено." #~ msgid "Custom Time Range" #~ msgstr "Прилагођен временски опсег" #~ msgid "An error occurred while updating locatedb." #~ msgstr "Десила се грешка приликом освежавања locatedb." #~ msgid "Clear search terms" #~ msgstr "Очисти услове претраге" #~ msgid "Enter search terms and press ENTER" #~ msgstr "Унесите услове претраге и притисните ВРАТИ" #~ msgid "Locate database updated successfully." #~ msgstr "Остава наредбе locate је успешно освежена." #~ msgid "_Fulltext Search" #~ msgstr "_Потпуна претрага текста" #~ msgid "_Hidden Files" #~ msgstr "_Скривене датотеке" #~ msgid "_Show Advanced Settings" #~ msgstr "_Прикажи напредне поставке" #~ msgid "File Type" #~ msgstr "Врста датотеке" #~ msgid "Modified" #~ msgstr "Измењена" #~ msgid "Custom File Type" #~ msgstr "Прилагођена врста датотека" #~ msgid "Enter file extensions" #~ msgstr "Унесите наставак датотеке" #~ msgid "Select existing mimetype" #~ msgstr "Означите постојећу МИМЕ врсту" #~ msgid "User aborted authentication." #~ msgstr "Потврда идентитета је напуштена од стране корисника." #~ msgid "Update Search Index" #~ msgstr "Освежи списак датотека претраге" #~ msgid "Catfish could not find the default file manager." #~ msgstr "Сом није успео да пронађе подразумеваног управника датотека." #~ msgid "Catfish could not find the default open wrapper." #~ msgstr "" #~ "Сом није успео да пронађе подразумеваног отвореног омотача (open wrapper)" #~ msgid "Update Search Index" #~ msgstr "Освежи садржај претраге" #~ msgid "Updating database…" #~ msgstr "Освежавам оставу података..." #~ msgid "" #~ "To provide accurate results, the locate database needs to be " #~ "refreshed.\n" #~ "This requires sudo (admin) rights." #~ msgstr "" #~ "Да би пружила тачне излазе, остава података „locate“ треба бити " #~ "освежена.\n" #~ "То захтева судо (административна) овлашћења." catfish-1.4.4/COPYING0000664000175000017500000004310513231757000016131 0ustar bluesabrebluesabre00000000000000 GNU GENERAL PUBLIC LICENSE Version 2, June 1991 Copyright (C) 1989, 1991 Free Software Foundation, Inc. 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA Everyone is permitted to copy and distribute verbatim copies of this license document, but changing it is not allowed. Preamble The licenses for most software are designed to take away your freedom to share and change it. By contrast, the GNU General Public License is intended to guarantee your freedom to share and change free software--to make sure the software is free for all its users. This General Public License applies to most of the Free Software Foundation's software and to any other program whose authors commit to using it. (Some other Free Software Foundation software is covered by the GNU Library General Public License instead.) You can apply it to your programs, too. When we speak of free software, we are referring to freedom, not price. Our General Public Licenses are designed to make sure that you have the freedom to distribute copies of free software (and charge for this service if you wish), that you receive source code or can get it if you want it, that you can change the software or use pieces of it in new free programs; and that you know you can do these things. To protect your rights, we need to make restrictions that forbid anyone to deny you these rights or to ask you to surrender the rights. These restrictions translate to certain responsibilities for you if you distribute copies of the software, or if you modify it. For example, if you distribute copies of such a program, whether gratis or for a fee, you must give the recipients all the rights that you have. You must make sure that they, too, receive or can get the source code. And you must show them these terms so they know their rights. We protect your rights with two steps: (1) copyright the software, and (2) offer you this license which gives you legal permission to copy, distribute and/or modify the software. Also, for each author's protection and ours, we want to make certain that everyone understands that there is no warranty for this free software. If the software is modified by someone else and passed on, we want its recipients to know that what they have is not the original, so that any problems introduced by others will not reflect on the original authors' reputations. Finally, any free program is threatened constantly by software patents. We wish to avoid the danger that redistributors of a free program will individually obtain patent licenses, in effect making the program proprietary. To prevent this, we have made it clear that any patent must be licensed for everyone's free use or not licensed at all. The precise terms and conditions for copying, distribution and modification follow. GNU GENERAL PUBLIC LICENSE TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION 0. This License applies to any program or other work which contains a notice placed by the copyright holder saying it may be distributed under the terms of this General Public License. The "Program", below, refers to any such program or work, and a "work based on the Program" means either the Program or any derivative work under copyright law: that is to say, a work containing the Program or a portion of it, either verbatim or with modifications and/or translated into another language. (Hereinafter, translation is included without limitation in the term "modification".) Each licensee is addressed as "you". Activities other than copying, distribution and modification are not covered by this License; they are outside its scope. The act of running the Program is not restricted, and the output from the Program is covered only if its contents constitute a work based on the Program (independent of having been made by running the Program). Whether that is true depends on what the Program does. 1. You may copy and distribute verbatim copies of the Program's source code as you receive it, in any medium, provided that you conspicuously and appropriately publish on each copy an appropriate copyright notice and disclaimer of warranty; keep intact all the notices that refer to this License and to the absence of any warranty; and give any other recipients of the Program a copy of this License along with the Program. You may charge a fee for the physical act of transferring a copy, and you may at your option offer warranty protection in exchange for a fee. 2. You may modify your copy or copies of the Program or any portion of it, thus forming a work based on the Program, and copy and distribute such modifications or work under the terms of Section 1 above, provided that you also meet all of these conditions: a) You must cause the modified files to carry prominent notices stating that you changed the files and the date of any change. b) You must cause any work that you distribute or publish, that in whole or in part contains or is derived from the Program or any part thereof, to be licensed as a whole at no charge to all third parties under the terms of this License. c) If the modified program normally reads commands interactively when run, you must cause it, when started running for such interactive use in the most ordinary way, to print or display an announcement including an appropriate copyright notice and a notice that there is no warranty (or else, saying that you provide a warranty) and that users may redistribute the program under these conditions, and telling the user how to view a copy of this License. (Exception: if the Program itself is interactive but does not normally print such an announcement, your work based on the Program is not required to print an announcement.) These requirements apply to the modified work as a whole. If identifiable sections of that work are not derived from the Program, and can be reasonably considered independent and separate works in themselves, then this License, and its terms, do not apply to those sections when you distribute them as separate works. But when you distribute the same sections as part of a whole which is a work based on the Program, the distribution of the whole must be on the terms of this License, whose permissions for other licensees extend to the entire whole, and thus to each and every part regardless of who wrote it. Thus, it is not the intent of this section to claim rights or contest your rights to work written entirely by you; rather, the intent is to exercise the right to control the distribution of derivative or collective works based on the Program. In addition, mere aggregation of another work not based on the Program with the Program (or with a work based on the Program) on a volume of a storage or distribution medium does not bring the other work under the scope of this License. 3. You may copy and distribute the Program (or a work based on it, under Section 2) in object code or executable form under the terms of Sections 1 and 2 above provided that you also do one of the following: a) Accompany it with the complete corresponding machine-readable source code, which must be distributed under the terms of Sections 1 and 2 above on a medium customarily used for software interchange; or, b) Accompany it with a written offer, valid for at least three years, to give any third party, for a charge no more than your cost of physically performing source distribution, a complete machine-readable copy of the corresponding source code, to be distributed under the terms of Sections 1 and 2 above on a medium customarily used for software interchange; or, c) Accompany it with the information you received as to the offer to distribute corresponding source code. (This alternative is allowed only for noncommercial distribution and only if you received the program in object code or executable form with such an offer, in accord with Subsection b above.) The source code for a work means the preferred form of the work for making modifications to it. For an executable work, complete source code means all the source code for all modules it contains, plus any associated interface definition files, plus the scripts used to control compilation and installation of the executable. However, as a special exception, the source code distributed need not include anything that is normally distributed (in either source or binary form) with the major components (compiler, kernel, and so on) of the operating system on which the executable runs, unless that component itself accompanies the executable. If distribution of executable or object code is made by offering access to copy from a designated place, then offering equivalent access to copy the source code from the same place counts as distribution of the source code, even though third parties are not compelled to copy the source along with the object code. 4. You may not copy, modify, sublicense, or distribute the Program except as expressly provided under this License. Any attempt otherwise to copy, modify, sublicense or distribute the Program is void, and will automatically terminate your rights under this License. However, parties who have received copies, or rights, from you under this License will not have their licenses terminated so long as such parties remain in full compliance. 5. You are not required to accept this License, since you have not signed it. However, nothing else grants you permission to modify or distribute the Program or its derivative works. These actions are prohibited by law if you do not accept this License. Therefore, by modifying or distributing the Program (or any work based on the Program), you indicate your acceptance of this License to do so, and all its terms and conditions for copying, distributing or modifying the Program or works based on it. 6. Each time you redistribute the Program (or any work based on the Program), the recipient automatically receives a license from the original licensor to copy, distribute or modify the Program subject to these terms and conditions. You may not impose any further restrictions on the recipients' exercise of the rights granted herein. You are not responsible for enforcing compliance by third parties to this License. 7. If, as a consequence of a court judgment or allegation of patent infringement or for any other reason (not limited to patent issues), conditions are imposed on you (whether by court order, agreement or otherwise) that contradict the conditions of this License, they do not excuse you from the conditions of this License. If you cannot distribute so as to satisfy simultaneously your obligations under this License and any other pertinent obligations, then as a consequence you may not distribute the Program at all. For example, if a patent license would not permit royalty-free redistribution of the Program by all those who receive copies directly or indirectly through you, then the only way you could satisfy both it and this License would be to refrain entirely from distribution of the Program. If any portion of this section is held invalid or unenforceable under any particular circumstance, the balance of the section is intended to apply and the section as a whole is intended to apply in other circumstances. It is not the purpose of this section to induce you to infringe any patents or other property right claims or to contest validity of any such claims; this section has the sole purpose of protecting the integrity of the free software distribution system, which is implemented by public license practices. Many people have made generous contributions to the wide range of software distributed through that system in reliance on consistent application of that system; it is up to the author/donor to decide if he or she is willing to distribute software through any other system and a licensee cannot impose that choice. This section is intended to make thoroughly clear what is believed to be a consequence of the rest of this License. 8. If the distribution and/or use of the Program is restricted in certain countries either by patents or by copyrighted interfaces, the original copyright holder who places the Program under this License may add an explicit geographical distribution limitation excluding those countries, so that distribution is permitted only in or among countries not thus excluded. In such case, this License incorporates the limitation as if written in the body of this License. 9. The Free Software Foundation may publish revised and/or new versions of the General Public License from time to time. Such new versions will be similar in spirit to the present version, but may differ in detail to address new problems or concerns. Each version is given a distinguishing version number. If the Program specifies a version number of this License which applies to it and "any later version", you have the option of following the terms and conditions either of that version or of any later version published by the Free Software Foundation. If the Program does not specify a version number of this License, you may choose any version ever published by the Free Software Foundation. 10. If you wish to incorporate parts of the Program into other free programs whose distribution conditions are different, write to the author to ask for permission. For software which is copyrighted by the Free Software Foundation, write to the Free Software Foundation; we sometimes make exceptions for this. Our decision will be guided by the two goals of preserving the free status of all derivatives of our free software and of promoting the sharing and reuse of software generally. NO WARRANTY 11. BECAUSE THE PROGRAM IS LICENSED FREE OF CHARGE, THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 12. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY AND/OR REDISTRIBUTE THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES. END OF TERMS AND CONDITIONS How to Apply These Terms to Your New Programs If you develop a new program, and you want it to be of the greatest possible use to the public, the best way to achieve this is to make it free software which everyone can redistribute and change under these terms. To do so, attach the following notices to the program. It is safest to attach them to the start of each source file to most effectively convey the exclusion of warranty; and each file should have at least the "copyright" line and a pointer to where the full notice is found. Copyright (C) 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 St, Fifth Floor, Boston, MA 02110-1301 USA Also add information on how to contact you by electronic and paper mail. If the program is interactive, make it output a short notice like this when it starts in an interactive mode: Gnomovision version 69, Copyright (C) year name of author Gnomovision comes with ABSOLUTELY NO WARRANTY; for details type `show w'. This is free software, and you are welcome to redistribute it under certain conditions; type `show c' for details. The hypothetical commands `show w' and `show c' should show the appropriate parts of the General Public License. Of course, the commands you use may be called something other than `show w' and `show c'; they could even be mouse-clicks or menu items--whatever suits your program. You should also get your employer (if you work as a programmer) or your school, if any, to sign a "copyright disclaimer" for the program, if necessary. Here is a sample; alter the names: Yoyodyne, Inc., hereby disclaims all copyright interest in the program `Gnomovision' (which makes passes at compilers) written by James Hacker. , 1 April 1989 Ty Coon, President of Vice This General Public License does not permit incorporating your program into proprietary programs. If your program is a subroutine library, you may consider it more useful to permit linking proprietary applications with the library. If this is what you want to do, use the GNU Library General Public License instead of this License. catfish-1.4.4/PKG-INFO0000664000175000017500000000132413233171023016165 0ustar bluesabrebluesabre00000000000000Metadata-Version: 1.1 Name: catfish Version: 1.4.4 Summary: file searching tool configurable via the command line Home-page: https://launchpad.net/catfish-search Author: Sean Davis Author-email: smd.seandavis@gmail.com License: GPL-2+ Description: Catfish is a handy file searching tool for Linux and UNIX. The interface is intentionally lightweight and simple, using only Gtk+3. You can configure it to your needs by using several command line options. Platform: UNKNOWN Requires: gi Requires: gi.repository.GLib Requires: gi.repository.GObject Requires: gi.repository.Gdk Requires: gi.repository.GdkPixbuf Requires: gi.repository.Gtk Requires: gi.repository.Pango Requires: pexpect Provides: catfish Provides: catfish_lib catfish-1.4.4/catfish.10000664000175000017500000000200513233170301016566 0ustar bluesabrebluesabre00000000000000.TH CATFISH "1" "January 2018" "catfish 1.4.4" "User Commands" .SH NAME catfish \- File searching tool which is configurable via the command line .SH "DESCRIPTION" .B Catfish is a handy file searching tool for Linux and UNIX. The interface is intentionally lightweight and simple, using only Gtk+3. You can configure it to your needs by using several command line options. .SH SYNOPSIS .B catfish [\fI\,options\/\fR] \fI\,path query\/\fR .SH OPTIONS .TP \fB\-\-version\fR show program's version number and exit .TP \fB\-h\fR, \fB\-\-help\fR show this help message and exit .TP \fB\-v\fR, \fB\-\-verbose\fR Show debug messages (\fB\-vv\fR debugs catfish_lib also) .TP \fB\-\-large\-icons\fR Use large icons .TP \fB\-\-thumbnails\fR Use thumbnails .TP \fB\-\-iso\-time\fR Display time in ISO format .TP \fB\-\-exact\fR Perform exact match .TP \fB\-\-hidden\fR Include hidden files .TP \fB\-\-fulltext\fR Perform fulltext search .TP \fB\-\-start\fR If path and query are provided, start searching when the application is displayed. catfish-1.4.4/AUTHORS0000664000175000017500000000017613233061267016154 0ustar bluesabrebluesabre00000000000000Copyright (C) 2007-2012 Christian Dywan Copyright (C) 2012-2018 Sean Davis